finnhub

package module
v2.0.17 Latest Latest
Warning

This package is not in the latest version of its module.

Go to latest
Published: Oct 17, 2023 License: Apache-2.0 Imports: 22 Imported by: 11

README

Go API client for finnhub.io

Overview

Installation

Using Go Modules

Make sure your project is using Go Modules (it will have a go.mod file in its root if it already is):

go mod init

Then, reference finnhub-go in a Go program with import:

import (
    finnhub "github.com/Finnhub-Stock-API/finnhub-go/v2"
)

Run any of the normal go commands (build/install/test). The Go toolchain will resolve and fetch the finnhub-go module automatically.

Alternatively, you can also explicitly go get the package into a project:

$ go get -u github.com/Finnhub-Stock-API/finnhub-go/v2
Using go get

If you don't want to use Go Modules, you can choose to get the library directly:

$ go get -u github.com/Finnhub-Stock-API/finnhub-go

Then, reference finnhub-go in a Go program with import (Note that no /v2 at the end):

import (
    finnhub "github.com/Finnhub-Stock-API/finnhub-go"
)

Examples

Example (check out other methods documentation here):

package main

import (
	"context"
	"fmt"
	finnhub "github.com/Finnhub-Stock-API/finnhub-go/v2"
)

func main() {
    cfg := finnhub.NewConfiguration()
    cfg.AddDefaultHeader("X-Finnhub-Token", "<API_key>")
    finnhubClient := finnhub.NewAPIClient(cfg).DefaultApi
	
    //Earnings calendar
    earningsCalendar, _, err := finnhubClient.EarningsCalendar(context.Background()).From("2021-07-01").To("2021-07-25").Execute()
    fmt.Printf("%+v\n", earningsCalendar)

    // NBBO
    bboData, _, err := finnhubClient.StockNbbo(context.Background()).Symbol("AAPL").Date("2021-07-23").Limit(50).Skip(0).Execute()
    fmt.Printf("%+v\n", bboData)

    // Bid ask
    lastBidAsk, _, err := finnhubClient.StockBidask(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", lastBidAsk)

    // Stock dividends 2
    dividends2, _, err := finnhubClient.StockBasicDividends(context.Background()).Symbol("KO").Execute()
    fmt.Printf("%+v\n", dividends2)

    //Stock candles
    stockCandles, _, err := finnhubClient.StockCandles(context.Background()).Symbol("AAPL").Resolution("D").From(1590988249).To(1591852249).Execute()
    fmt.Printf("%+v\n", stockCandles)

    // Example with required parameters
    news, _, err := finnhubClient.CompanyNews(context.Background()).Symbol("AAPL").From("2020-05-01").To("2020-05-01").Execute()
    if err != nil {
        fmt.Println(err)
    }
    fmt.Printf("%+v\n", news)

    // Example with required and optional parameters
    ownerships, _, err := finnhubClient.Ownership(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", ownerships)

    // Aggregate Indicator
    aggregateIndicator, _, err := finnhubClient.AggregateIndicator(context.Background()).Symbol("AAPL").Resolution("D").Execute()
    fmt.Printf("%+v\n", aggregateIndicator)

    // Basic financials
    basicFinancials, _, err := finnhubClient.CompanyBasicFinancials(context.Background()).Symbol("MSFT").Metric("all").Execute()
    fmt.Printf("%+v\n", basicFinancials)

    // Company earnings
    earningsSurprises, _, err := finnhubClient.CompanyEarnings(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", earningsSurprises)

    // Company EPS estimates
    epsEstimate, _, err := finnhubClient.CompanyEpsEstimates(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", epsEstimate)

    // Company executive
    executive, _, err := finnhubClient.CompanyExecutive(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", executive)

    // Company peers
    peers, _, err := finnhubClient.CompanyPeers(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", peers)

    // Company profile
    profile, _, err := finnhubClient.CompanyProfile(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", profile)

    profileISIN, _, err := finnhubClient.CompanyProfile(context.Background()).Isin("US0378331005").Execute()
    fmt.Printf("%+v\n", profileISIN)

    profileCusip, _, err := finnhubClient.CompanyProfile(context.Background()).Cusip("037833100").Execute()
    fmt.Printf("%+v\n", profileCusip)

    // Company profile2
    profile2, _, err := finnhubClient.CompanyProfile2(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", profile2)

    // Revenue Estimates
    revenueEstimates, _, err := finnhubClient.CompanyRevenueEstimates(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", revenueEstimates)

    // List country
    countries, _, err := finnhubClient.Country(context.Background()).Execute()
    fmt.Printf("%+v\n", countries)

    // Covid-19
    covid19, _, err := finnhubClient.Covid19(context.Background()).Execute()
    fmt.Printf("%+v\n", covid19)

    // FDA Calendar
    fdaCalendar, _, err := finnhubClient.FdaCommitteeMeetingCalendar(context.Background()).Execute()
    fmt.Printf("%+v\n", fdaCalendar)

    // Crypto candles
    cryptoCandles, _, err := finnhubClient.CryptoCandles(context.Background()).Symbol("BINANCE:BTCUSDT").Resolution("D").From(1590988249).To(1591852249).Execute()
    fmt.Printf("%+v\n", cryptoCandles)

    // Crypto exchanges
    cryptoExchange, _, err := finnhubClient.CryptoExchanges(context.Background()).Execute()
    fmt.Printf("%+v\n", cryptoExchange)

    // Crypto symbols
    cryptoSymbol, _, err := finnhubClient.CryptoSymbols(context.Background()).Exchange("BINANCE").Execute()
    fmt.Printf("%+v\n", cryptoSymbol[0:5])

    // Economic Calendar
    economicCalendar, _, err := finnhubClient.EconomicCalendar(context.Background()).Execute()
    fmt.Printf("%+v\n", economicCalendar)

    // Economic code
    economicCode, _, err := finnhubClient.EconomicCode(context.Background()).Execute()
    fmt.Printf("%+v\n", economicCode)

    // Economic data
    economicData, _, err := finnhubClient.EconomicData(context.Background()).Code("MA-USA-656880").Execute()
    fmt.Printf("%+v\n", economicData)

    // Filings
    filings, _, err := finnhubClient.Filings(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", filings)

    // International filings
    internationalFilings, _, err := finnhubClient.InternationalFilings(context.Background()).Symbol("RY.TO").Execute()
    fmt.Printf("%+v\n", internationalFilings)

    // Filings Sentiment
    filingsSentiment, _, err := finnhubClient.FilingsSentiment(context.Background()).AccessNumber("0000320193-20-000052").Execute()
    fmt.Printf("%+v\n", filingsSentiment)

    // Similarity Index
    similarityIndex, _, err := finnhubClient.SimilarityIndex(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", similarityIndex)

    // Financials
    financials, _, err := finnhubClient.Financials(context.Background()).Symbol("AAPL").Statement("bs").Freq("annual").Execute()
    fmt.Printf("%+v\n", financials)

    // Financials Reported
    financialsReported, _, err := finnhubClient.FinancialsReported(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", financialsReported)

    // Forex candles
    forexCandles, _, err := finnhubClient.ForexCandles(context.Background()).Symbol("OANDA:EUR_USD").Resolution("D").From(1590988249).To(1591852249).Execute()
    fmt.Printf("%+v\n", forexCandles)

    // Forex exchanges
    forexExchanges, _, err := finnhubClient.ForexExchanges(context.Background()).Execute()
    fmt.Printf("%+v\n", forexExchanges)

    // Forex rates
    forexRates, _, err := finnhubClient.ForexRates(context.Background()).Base("USD").Execute()
    fmt.Printf("%+v\n", forexRates)

    // Forex symbols
    forexSymbols, _, err := finnhubClient.ForexSymbols(context.Background()).Exchange("OANDA").Execute()
    fmt.Printf("%+v\n", forexSymbols)

    // Fund ownership
    fundOwnership, _, err := finnhubClient.FundOwnership(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", fundOwnership)

    // General news
    generalNews, _, err := finnhubClient.MarketNews(context.Background()).Category("general").Execute()
    fmt.Printf("%+v\n", generalNews)

    // Ipo calendar
    ipoCalendar, _, err := finnhubClient.IpoCalendar(context.Background()).From("2021-01-01").To("2021-06-30").Execute()
    fmt.Printf("%+v\n", ipoCalendar)

    // Press Releases
    majorDevelopment, _, err := finnhubClient.PressReleases(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", majorDevelopment)

    // News sentiment
    newsSentiment, _, err := finnhubClient.NewsSentiment(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", newsSentiment)

    // Pattern recognition
    patterns, _, err := finnhubClient.PatternRecognition(context.Background()).Symbol("AAPL").Resolution("D").Execute()
    fmt.Printf("%+v\n", patterns)

    // Price target
    priceTarget, _, err := finnhubClient.PriceTarget(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", priceTarget)

    // Quote
    quote, _, err := finnhubClient.Quote(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", quote)

    // Recommendation trends
    recommendationTrend, _, err := finnhubClient.RecommendationTrends(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", recommendationTrend)

    // Stock dividends
    dividends, _, err := finnhubClient.StockDividends(context.Background()).Symbol("KO").From("2019-01-01").To("2021-01-01").Execute()
    fmt.Printf("%+v\n", dividends)

    // Splits
    splits, _, err := finnhubClient.StockSplits(context.Background()).Symbol("AAPL").From("2000-01-01").To("2020-06-15").Execute()
    fmt.Printf("%+v\n", splits)

    // Stock symbols
    stockSymbols, _, err := finnhubClient.StockSymbols(context.Background()).Exchange("US").Execute()
    fmt.Printf("%+v\n", stockSymbols[0:5])

    // Support resistance
    supportResitance, _, err := finnhubClient.SupportResistance(context.Background()).Symbol("AAPL").Resolution("D").Execute()
    fmt.Printf("%+v\n", supportResitance)

    // Technical indicator
    technicalIndicator, _, err := finnhubClient.TechnicalIndicator(context.Background()).Symbol("AAPL").Resolution("D").From(1583098857).To(1584308457).Indicator("sma").IndicatorFields(map[string]interface{}{"timeperiod": 3}).Execute()
    fmt.Printf("%+v\n", technicalIndicator)

    // Transcripts
    transcripts, _, err := finnhubClient.Transcripts(context.Background()).Id("AAPL_162777").Execute()
    fmt.Printf("%+v\n", transcripts)

    // Transcripts list
    transcriptsList, _, err := finnhubClient.TranscriptsList(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", transcriptsList)

    // Upgrade/downgrade
    upgradeDowngrade, _, err := finnhubClient.UpgradeDowngrade(context.Background()).Symbol("BYND").Execute()
    fmt.Printf("%+v\n", upgradeDowngrade)

    // Tick Data
    tickData, _, err := finnhubClient.StockTick(context.Background()).Symbol("AAPL").Date("2021-07-23").Limit(50).Skip(0).Execute()
    fmt.Printf("%+v\n", tickData)

    // Indices Constituents
    indicesConstData, _, err := finnhubClient.IndicesConstituents(context.Background()).Symbol("^GSPC").Execute()
    fmt.Printf("%+v\n", indicesConstData)

    // Indices Historical Constituents
    indicesHistoricalConstData, _, err := finnhubClient.IndicesHistoricalConstituents(context.Background()).Symbol("^GSPC").Execute()
    fmt.Printf("%+v\n", indicesHistoricalConstData)

    // ETFs Profile
    etfsProfileData, _, err := finnhubClient.EtfsProfile(context.Background()).Symbol("SPY").Execute()
    fmt.Printf("%+v\n", etfsProfileData)

    // ETFs Holdings
    etfsHoldingsData, _, err := finnhubClient.EtfsHoldings(context.Background()).Symbol("SPY").Execute()
    fmt.Printf("%+v\n", etfsHoldingsData)

    // ETFs Industry Exposure
    etfsIndustryExposureData, _, err := finnhubClient.EtfsSectorExposure(context.Background()).Symbol("SPY").Execute()
    fmt.Printf("%+v\n", etfsIndustryExposureData)

    // ETFs Country Exposure
    etfsCountryExposureData, _, err := finnhubClient.EtfsCountryExposure(context.Background()).Symbol("SPY").Execute()
    fmt.Printf("%+v\n", etfsCountryExposureData)

    // Mutual Funds Profile
    mfProfileData, _, err := finnhubClient.MutualFundProfile(context.Background()).Symbol("VTSAX").Execute()
    fmt.Printf("%+v\n", mfProfileData)

    // Mutual Funds Holdings
    mfHoldingsData, _, err := finnhubClient.MutualFundHoldings(context.Background()).Symbol("VTSAX").Execute()
    fmt.Printf("%+v\n", mfHoldingsData)

    // Mutual Funds Industry Exposure
    mfIndustryExposureData, _, err := finnhubClient.MutualFundSectorExposure(context.Background()).Symbol("VTSAX").Execute()
    fmt.Printf("%+v\n", mfIndustryExposureData)

    // Mutual Funds Country Exposure
    mfCountryExposureData, _, err := finnhubClient.MutualFundCountryExposure(context.Background()).Symbol("VTSAX").Execute()
    fmt.Printf("%+v\n", mfCountryExposureData)

    // Insider Transactions
    insiderTransactions, _, err := finnhubClient.InsiderTransactions(context.Background()).Symbol("AAPL").From("2021-01-01").To("2021-07-30").Execute()
    fmt.Printf("%+v\n", insiderTransactions)

    // Revenue breakdown
    revenueBreakdown, _, err := finnhubClient.RevenueBreakdown(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", revenueBreakdown)

    // Social Sentiment
    socialSentiment, _, err := finnhubClient.SocialSentiment(context.Background()).Symbol("GME").Execute()
    fmt.Printf("%+v\n", socialSentiment)

    // Investment theme
    investmentTheme, _, err := finnhubClient.InvestmentThemes(context.Background()).Theme("financialExchangesData").Execute()
    fmt.Printf("%+v\n", investmentTheme)

    // Supply chain
    supplyChain, _, err := finnhubClient.SupplyChainRelationships(context.Background()).Symbol("AAPL").Execute()
    fmt.Printf("%+v\n", supplyChain)

    //Symbol lookup
    searchResult, _, err := finnhubClient.SymbolSearch(context.Background()).Q("AAPL").Execute()
    fmt.Printf("%+v\n", searchResult)
    
    // Company ESG
    companyESGScore, _, err := finnhubClient.CompanyEsgScore(context.Background()).Symbol("AAPL").Execute()
	fmt.Printf("%+v\n", companyESGScore)
    
    // Company Earnings Quality Score
    earningsQualityScore, _, err := finnhubClient.CompanyEarningsQualityScore(context.Background()).Symbol("AAPL").Freq("quarterly").Execute()
    if err != nil {
		panic(err)
	}
    fmt.Printf("%+v\n", earningsQualityScore)   
    
    // Crypto Profile
    cryptoProfile, _, err := finnhubClient.CryptoProfile(context.Background()).Symbol("BTC").Execute()
	if err != nil {
		panic(err)
	}
	fmt.Println(objectString(cryptoProfile))

    // EBITDA Estimates
    ebitdaEstimates, _, err := finnhubClient.CompanyEbitdaEstimates(context.Background()).Symbol("AAPL").Freq("annual").Execute()
    if err != nil {
        panic(err)
    }
    fmt.Printf("%+v\n", ebitdaEstimates)
    
    // EBIT Estimates
    ebitEstimates, _, err := finnhubClient.CompanyEbitEstimates(context.Background()).Symbol("AAPL").Freq("annual").Execute()
    if err != nil {
        panic(err)
    }
    fmt.Printf("%+v\n", ebitEstimates)

    // USPTO Patent
    uspto, _, err := finnhubClient.StockUsptoPatent(context.Background()).Symbol("NVDA").From("2021-01-01").To("2021-12-31").Execute()
    if err != nil {
        panic(err)
    }
    fmt.Printf("%+v\n", uspto)

    // Visa Application
    visa, _, err := finnhubClient.StockVisaApplication(context.Background()).Symbol("AAPL").From("2021-01-01").To("2021-12-31").Execute()
    if err != nil {
        panic(err)
    }
    fmt.Printf("%+v\n", visa)
    
    sectorMetric, _, err := finnhubClient.SectorMetric(context.Background()).Region("NA").Execute()
    if err != nil {
        panic(err)
    }
    fmt.Printf("%+v\n", sectorMetric)
    
}

License

Apache License

Documentation

Index

Constants

This section is empty.

Variables

View Source
var (
	// ContextOAuth2 takes an oauth2.TokenSource as authentication for the request.
	ContextOAuth2 = contextKey("token")

	// ContextBasicAuth takes BasicAuth as authentication for the request.
	ContextBasicAuth = contextKey("basic")

	// ContextAccessToken takes a string oauth2 access token as authentication for the request.
	ContextAccessToken = contextKey("accesstoken")

	// ContextAPIKeys takes a string apikey as authentication for the request
	ContextAPIKeys = contextKey("apiKeys")

	// ContextHttpSignatureAuth takes HttpSignatureAuth as authentication for the request.
	ContextHttpSignatureAuth = contextKey("httpsignature")

	// ContextServerIndex uses a server configuration from the index.
	ContextServerIndex = contextKey("serverIndex")

	// ContextOperationServerIndices uses a server configuration from the index mapping.
	ContextOperationServerIndices = contextKey("serverOperationIndices")

	// ContextServerVariables overrides a server configuration variables.
	ContextServerVariables = contextKey("serverVariables")

	// ContextOperationServerVariables overrides a server configuration variables using operation specific values.
	ContextOperationServerVariables = contextKey("serverOperationVariables")
)

Functions

func CacheExpires

func CacheExpires(r *http.Response) time.Time

CacheExpires helper function to determine remaining time before repeating a request.

func PtrBool

func PtrBool(v bool) *bool

PtrBool is a helper routine that returns a pointer to given boolean value.

func PtrFloat32

func PtrFloat32(v float32) *float32

PtrFloat32 is a helper routine that returns a pointer to given float value.

func PtrFloat64

func PtrFloat64(v float64) *float64

PtrFloat64 is a helper routine that returns a pointer to given float value.

func PtrInt

func PtrInt(v int) *int

PtrInt is a helper routine that returns a pointer to given integer value.

func PtrInt32

func PtrInt32(v int32) *int32

PtrInt32 is a helper routine that returns a pointer to given integer value.

func PtrInt64

func PtrInt64(v int64) *int64

PtrInt64 is a helper routine that returns a pointer to given integer value.

func PtrString

func PtrString(v string) *string

PtrString is a helper routine that returns a pointer to given string value.

func PtrTime

func PtrTime(v time.Time) *time.Time

PtrTime is helper routine that returns a pointer to given Time value.

Types

type APIClient

type APIClient struct {
	DefaultApi *DefaultApiService
	// contains filtered or unexported fields
}

APIClient manages communication with the Finnhub API API v1.0.0 In most cases there should be only one, shared, APIClient.

func NewAPIClient

func NewAPIClient(cfg *Configuration) *APIClient

NewAPIClient creates a new API client. Requires a userAgent string describing your application. optionally a custom http.Client to allow for advanced features such as caching.

func (*APIClient) GetConfig

func (c *APIClient) GetConfig() *Configuration

Allow modification of underlying config for alternate implementations and testing Caution: modifying the configuration while live can cause data races and potentially unwanted behavior

type APIKey

type APIKey struct {
	Key    string
	Prefix string
}

APIKey provides API key based authentication to a request passed via context using ContextAPIKey

type APIResponse

type APIResponse struct {
	*http.Response `json:"-"`
	Message        string `json:"message,omitempty"`
	// Operation is the name of the OpenAPI operation.
	Operation string `json:"operation,omitempty"`
	// RequestURL is the request URL. This value is always available, even if the
	// embedded *http.Response is nil.
	RequestURL string `json:"url,omitempty"`
	// Method is the HTTP method used for the request.  This value is always
	// available, even if the embedded *http.Response is nil.
	Method string `json:"method,omitempty"`
	// Payload holds the contents of the response body (which may be nil or empty).
	// This is provided here as the raw response.Body() reader will have already
	// been drained.
	Payload []byte `json:"-"`
}

APIResponse stores the API response returned by the server.

func NewAPIResponse

func NewAPIResponse(r *http.Response) *APIResponse

NewAPIResponse returns a new APIResponse object.

func NewAPIResponseWithError

func NewAPIResponseWithError(errorMessage string) *APIResponse

NewAPIResponseWithError returns a new APIResponse object with the provided error message.

type AggregateIndicators

type AggregateIndicators struct {
	TechnicalAnalysis *TechnicalAnalysis `json:"technicalAnalysis,omitempty"`
	Trend             *Trend             `json:"trend,omitempty"`
}

AggregateIndicators struct for AggregateIndicators

func NewAggregateIndicators

func NewAggregateIndicators() *AggregateIndicators

NewAggregateIndicators instantiates a new AggregateIndicators object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewAggregateIndicatorsWithDefaults

func NewAggregateIndicatorsWithDefaults() *AggregateIndicators

NewAggregateIndicatorsWithDefaults instantiates a new AggregateIndicators object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*AggregateIndicators) GetTechnicalAnalysis

func (o *AggregateIndicators) GetTechnicalAnalysis() TechnicalAnalysis

GetTechnicalAnalysis returns the TechnicalAnalysis field value if set, zero value otherwise.

func (*AggregateIndicators) GetTechnicalAnalysisOk

func (o *AggregateIndicators) GetTechnicalAnalysisOk() (*TechnicalAnalysis, bool)

GetTechnicalAnalysisOk returns a tuple with the TechnicalAnalysis field value if set, nil otherwise and a boolean to check if the value has been set.

func (*AggregateIndicators) GetTrend

func (o *AggregateIndicators) GetTrend() Trend

GetTrend returns the Trend field value if set, zero value otherwise.

func (*AggregateIndicators) GetTrendOk

func (o *AggregateIndicators) GetTrendOk() (*Trend, bool)

GetTrendOk returns a tuple with the Trend field value if set, nil otherwise and a boolean to check if the value has been set.

func (*AggregateIndicators) HasTechnicalAnalysis

func (o *AggregateIndicators) HasTechnicalAnalysis() bool

HasTechnicalAnalysis returns a boolean if a field has been set.

func (*AggregateIndicators) HasTrend

func (o *AggregateIndicators) HasTrend() bool

HasTrend returns a boolean if a field has been set.

func (AggregateIndicators) MarshalJSON

func (o AggregateIndicators) MarshalJSON() ([]byte, error)

func (*AggregateIndicators) SetTechnicalAnalysis

func (o *AggregateIndicators) SetTechnicalAnalysis(v TechnicalAnalysis)

SetTechnicalAnalysis gets a reference to the given TechnicalAnalysis and assigns it to the TechnicalAnalysis field.

func (*AggregateIndicators) SetTrend

func (o *AggregateIndicators) SetTrend(v Trend)

SetTrend gets a reference to the given Trend and assigns it to the Trend field.

type ApiAggregateIndicatorRequest

type ApiAggregateIndicatorRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiAggregateIndicatorRequest) Execute

func (ApiAggregateIndicatorRequest) Resolution

Supported resolution includes &lt;code&gt;1, 5, 15, 30, 60, D, W, M &lt;/code&gt;.Some timeframes might not be available depending on the exchange.

func (ApiAggregateIndicatorRequest) Symbol

symbol

type ApiBondPriceRequest added in v2.0.12

type ApiBondPriceRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiBondPriceRequest) Execute added in v2.0.12

func (ApiBondPriceRequest) From added in v2.0.12

UNIX timestamp. Interval initial value.

func (ApiBondPriceRequest) Isin added in v2.0.12

ISIN.

func (ApiBondPriceRequest) To added in v2.0.12

UNIX timestamp. Interval end value.

type ApiBondProfileRequest added in v2.0.12

type ApiBondProfileRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiBondProfileRequest) Cusip added in v2.0.12

CUSIP

func (ApiBondProfileRequest) Execute added in v2.0.12

func (ApiBondProfileRequest) Figi added in v2.0.12

FIGI

func (ApiBondProfileRequest) Isin added in v2.0.12

ISIN

type ApiBondTickRequest added in v2.0.15

type ApiBondTickRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiBondTickRequest) Date added in v2.0.15

Date: 2020-04-02.

func (ApiBondTickRequest) Exchange added in v2.0.15

func (r ApiBondTickRequest) Exchange(exchange string) ApiBondTickRequest

Currently support the following values: &lt;code&gt;trace&lt;/code&gt;.

func (ApiBondTickRequest) Execute added in v2.0.15

func (ApiBondTickRequest) Isin added in v2.0.15

ISIN.

func (ApiBondTickRequest) Limit added in v2.0.15

Limit number of ticks returned. Maximum value: &lt;code&gt;25000&lt;/code&gt;

func (ApiBondTickRequest) Skip added in v2.0.15

Number of ticks to skip. Use this parameter to loop through the entire data.

type ApiBondYieldCurveRequest added in v2.0.16

type ApiBondYieldCurveRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiBondYieldCurveRequest) Code added in v2.0.16

Bond&#39;s code. You can find the list of supported code &lt;a href&#x3D;\&quot;https://docs.google.com/spreadsheets/d/1iA-lM0Kht7lsQZ7Uu_s6r2i1BbQNUNO9eGkO5-zglHg/edit?usp&#x3D;sharing\&quot; target&#x3D;\&quot;_blank\&quot; rel&#x3D;\&quot;noopener\&quot;&gt;here&lt;/a&gt;.

func (ApiBondYieldCurveRequest) Execute added in v2.0.16

type ApiCompanyBasicFinancialsRequest

type ApiCompanyBasicFinancialsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCompanyBasicFinancialsRequest) Execute

func (ApiCompanyBasicFinancialsRequest) Metric

Metric type. Can be 1 of the following values &lt;code&gt;all&lt;/code&gt;

func (ApiCompanyBasicFinancialsRequest) Symbol

Symbol of the company: AAPL.

type ApiCompanyEarningsQualityScoreRequest added in v2.0.6

type ApiCompanyEarningsQualityScoreRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCompanyEarningsQualityScoreRequest) Execute added in v2.0.6

func (ApiCompanyEarningsQualityScoreRequest) Freq added in v2.0.6

Frequency. Currently support &lt;code&gt;annual&lt;/code&gt; and &lt;code&gt;quarterly&lt;/code&gt;

func (ApiCompanyEarningsQualityScoreRequest) Symbol added in v2.0.6

Symbol.

type ApiCompanyEarningsRequest

type ApiCompanyEarningsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCompanyEarningsRequest) Execute

func (ApiCompanyEarningsRequest) Limit

Limit number of period returned. Leave blank to get the full history.

func (ApiCompanyEarningsRequest) Symbol

Symbol of the company: AAPL.

type ApiCompanyEbitEstimatesRequest added in v2.0.8

type ApiCompanyEbitEstimatesRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCompanyEbitEstimatesRequest) Execute added in v2.0.8

func (ApiCompanyEbitEstimatesRequest) Freq added in v2.0.8

Can take 1 of the following values: &lt;code&gt;annual, quarterly&lt;/code&gt;. Default to &lt;code&gt;quarterly&lt;/code&gt;

func (ApiCompanyEbitEstimatesRequest) Symbol added in v2.0.8

Symbol of the company: AAPL.

type ApiCompanyEbitdaEstimatesRequest added in v2.0.8

type ApiCompanyEbitdaEstimatesRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCompanyEbitdaEstimatesRequest) Execute added in v2.0.8

func (ApiCompanyEbitdaEstimatesRequest) Freq added in v2.0.8

Can take 1 of the following values: &lt;code&gt;annual, quarterly&lt;/code&gt;. Default to &lt;code&gt;quarterly&lt;/code&gt;

func (ApiCompanyEbitdaEstimatesRequest) Symbol added in v2.0.8

Symbol of the company: AAPL.

type ApiCompanyEpsEstimatesRequest

type ApiCompanyEpsEstimatesRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCompanyEpsEstimatesRequest) Execute

func (ApiCompanyEpsEstimatesRequest) Freq

Can take 1 of the following values: &lt;code&gt;annual, quarterly&lt;/code&gt;. Default to &lt;code&gt;quarterly&lt;/code&gt;

func (ApiCompanyEpsEstimatesRequest) Symbol

Symbol of the company: AAPL.

type ApiCompanyEsgScoreRequest added in v2.0.5

type ApiCompanyEsgScoreRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCompanyEsgScoreRequest) Execute added in v2.0.5

func (ApiCompanyEsgScoreRequest) Symbol added in v2.0.5

Symbol.

type ApiCompanyExecutiveRequest

type ApiCompanyExecutiveRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCompanyExecutiveRequest) Execute

func (ApiCompanyExecutiveRequest) Symbol

Symbol of the company: AAPL.

type ApiCompanyNewsRequest

type ApiCompanyNewsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCompanyNewsRequest) Execute

func (ApiCompanyNewsRequest) From

From date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

func (ApiCompanyNewsRequest) Symbol

Company symbol.

func (ApiCompanyNewsRequest) To

To date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

type ApiCompanyPeersRequest

type ApiCompanyPeersRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCompanyPeersRequest) Execute

func (ApiCompanyPeersRequest) Grouping added in v2.0.15

Specify the grouping criteria for choosing peers.Supporter values: &lt;code&gt;sector&lt;/code&gt;, &lt;code&gt;industry&lt;/code&gt;, &lt;code&gt;subIndustry&lt;/code&gt;. Default to &lt;code&gt;subIndustry&lt;/code&gt;.

func (ApiCompanyPeersRequest) Symbol

Symbol of the company: AAPL.

type ApiCompanyProfile2Request

type ApiCompanyProfile2Request struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCompanyProfile2Request) Cusip

CUSIP

func (ApiCompanyProfile2Request) Execute

func (ApiCompanyProfile2Request) Isin

ISIN

func (ApiCompanyProfile2Request) Symbol

Symbol of the company: AAPL e.g.

type ApiCompanyProfileRequest

type ApiCompanyProfileRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCompanyProfileRequest) Cusip

CUSIP

func (ApiCompanyProfileRequest) Execute

func (ApiCompanyProfileRequest) Isin

ISIN

func (ApiCompanyProfileRequest) Symbol

Symbol of the company: AAPL e.g.

type ApiCompanyRevenueEstimatesRequest

type ApiCompanyRevenueEstimatesRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCompanyRevenueEstimatesRequest) Execute

func (ApiCompanyRevenueEstimatesRequest) Freq

Can take 1 of the following values: &lt;code&gt;annual, quarterly&lt;/code&gt;. Default to &lt;code&gt;quarterly&lt;/code&gt;

func (ApiCompanyRevenueEstimatesRequest) Symbol

Symbol of the company: AAPL.

type ApiCongressionalTradingRequest added in v2.0.16

type ApiCongressionalTradingRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCongressionalTradingRequest) Execute added in v2.0.16

func (ApiCongressionalTradingRequest) From added in v2.0.16

From date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

func (ApiCongressionalTradingRequest) Symbol added in v2.0.16

Symbol of the company: AAPL.

func (ApiCongressionalTradingRequest) To added in v2.0.16

To date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

type ApiCountryRequest

type ApiCountryRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCountryRequest) Execute

type ApiCovid19Request

type ApiCovid19Request struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCovid19Request) Execute

func (r ApiCovid19Request) Execute() ([]CovidInfo, *_nethttp.Response, error)

type ApiCryptoCandlesRequest

type ApiCryptoCandlesRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCryptoCandlesRequest) Execute

func (ApiCryptoCandlesRequest) From

UNIX timestamp. Interval initial value.

func (ApiCryptoCandlesRequest) Resolution

func (r ApiCryptoCandlesRequest) Resolution(resolution string) ApiCryptoCandlesRequest

Supported resolution includes &lt;code&gt;1, 5, 15, 30, 60, D, W, M &lt;/code&gt;.Some timeframes might not be available depending on the exchange.

func (ApiCryptoCandlesRequest) Symbol

Use symbol returned in &lt;code&gt;/crypto/symbol&lt;/code&gt; endpoint for this field.

func (ApiCryptoCandlesRequest) To

UNIX timestamp. Interval end value.

type ApiCryptoExchangesRequest

type ApiCryptoExchangesRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCryptoExchangesRequest) Execute

type ApiCryptoProfileRequest added in v2.0.7

type ApiCryptoProfileRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCryptoProfileRequest) Execute added in v2.0.7

func (ApiCryptoProfileRequest) Symbol added in v2.0.7

Crypto symbol such as BTC or ETH.

type ApiCryptoSymbolsRequest

type ApiCryptoSymbolsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiCryptoSymbolsRequest) Exchange

Exchange you want to get the list of symbols from.

func (ApiCryptoSymbolsRequest) Execute

type ApiEarningsCalendarRequest

type ApiEarningsCalendarRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiEarningsCalendarRequest) Execute

func (ApiEarningsCalendarRequest) From

From date: 2020-03-15.

func (ApiEarningsCalendarRequest) International

func (r ApiEarningsCalendarRequest) International(international bool) ApiEarningsCalendarRequest

Set to &lt;code&gt;true&lt;/code&gt; to include international markets. Default value is &lt;code&gt;false&lt;/code&gt;

func (ApiEarningsCalendarRequest) Symbol

Filter by symbol: AAPL.

func (ApiEarningsCalendarRequest) To

To date: 2020-03-16.

type ApiEconomicCalendarRequest

type ApiEconomicCalendarRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiEconomicCalendarRequest) Execute

func (ApiEconomicCalendarRequest) From added in v2.0.7

From date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

func (ApiEconomicCalendarRequest) To added in v2.0.7

To date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

type ApiEconomicCodeRequest

type ApiEconomicCodeRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiEconomicCodeRequest) Execute

type ApiEconomicDataRequest

type ApiEconomicDataRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiEconomicDataRequest) Code

Economic code.

func (ApiEconomicDataRequest) Execute

type ApiEtfsCountryExposureRequest

type ApiEtfsCountryExposureRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiEtfsCountryExposureRequest) Execute

func (ApiEtfsCountryExposureRequest) Isin added in v2.0.17

ETF isin.

func (ApiEtfsCountryExposureRequest) Symbol

ETF symbol.

type ApiEtfsHoldingsRequest

type ApiEtfsHoldingsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiEtfsHoldingsRequest) Date added in v2.0.11

Query holdings by date. You can use either this param or &lt;code&gt;skip&lt;/code&gt; param, not both.

func (ApiEtfsHoldingsRequest) Execute

func (ApiEtfsHoldingsRequest) Isin

ETF isin.

func (ApiEtfsHoldingsRequest) Skip

Skip the first n results. You can use this parameter to query historical constituents data. The latest result is returned if skip&#x3D;0 or not set.

func (ApiEtfsHoldingsRequest) Symbol

ETF symbol.

type ApiEtfsProfileRequest

type ApiEtfsProfileRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiEtfsProfileRequest) Execute

func (ApiEtfsProfileRequest) Isin

ETF isin.

func (ApiEtfsProfileRequest) Symbol

ETF symbol.

type ApiEtfsSectorExposureRequest

type ApiEtfsSectorExposureRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiEtfsSectorExposureRequest) Execute

func (ApiEtfsSectorExposureRequest) Isin added in v2.0.17

ETF isin.

func (ApiEtfsSectorExposureRequest) Symbol

ETF symbol.

type ApiFdaCommitteeMeetingCalendarRequest

type ApiFdaCommitteeMeetingCalendarRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiFdaCommitteeMeetingCalendarRequest) Execute

type ApiFilingsRequest

type ApiFilingsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiFilingsRequest) AccessNumber

func (r ApiFilingsRequest) AccessNumber(accessNumber string) ApiFilingsRequest

Access number of a specific report you want to retrieve data from.

func (ApiFilingsRequest) Cik

CIK.

func (ApiFilingsRequest) Execute

func (r ApiFilingsRequest) Execute() ([]Filing, *_nethttp.Response, error)

func (ApiFilingsRequest) Form

Filter by form. You can use this value &lt;code&gt;NT 10-K&lt;/code&gt; to find non-timely filings for a company.

func (ApiFilingsRequest) From

From date: 2020-03-15.

func (ApiFilingsRequest) Symbol

func (r ApiFilingsRequest) Symbol(symbol string) ApiFilingsRequest

Symbol. Leave &lt;code&gt;symbol&lt;/code&gt;,&lt;code&gt;cik&lt;/code&gt; and &lt;code&gt;accessNumber&lt;/code&gt; empty to list latest filings.

func (ApiFilingsRequest) To

To date: 2020-03-16.

type ApiFilingsSentimentRequest

type ApiFilingsSentimentRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiFilingsSentimentRequest) AccessNumber

func (r ApiFilingsSentimentRequest) AccessNumber(accessNumber string) ApiFilingsSentimentRequest

Access number of a specific report you want to retrieve data from.

func (ApiFilingsSentimentRequest) Execute

type ApiFinancialsReportedRequest

type ApiFinancialsReportedRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiFinancialsReportedRequest) AccessNumber

Access number of a specific report you want to retrieve financials from.

func (ApiFinancialsReportedRequest) Cik

CIK.

func (ApiFinancialsReportedRequest) Execute

func (ApiFinancialsReportedRequest) Freq

Frequency. Can be either &lt;code&gt;annual&lt;/code&gt; or &lt;code&gt;quarterly&lt;/code&gt;. Default to &lt;code&gt;annual&lt;/code&gt;.

func (ApiFinancialsReportedRequest) From added in v2.0.15

From date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;. Filter for endDate.

func (ApiFinancialsReportedRequest) Symbol

Symbol.

func (ApiFinancialsReportedRequest) To added in v2.0.15

To date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;. Filter for endDate.

type ApiFinancialsRequest

type ApiFinancialsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiFinancialsRequest) Execute

func (ApiFinancialsRequest) Freq

Frequency can take 1 of these values &lt;code&gt;annual, quarterly, ttm, ytd&lt;/code&gt;. TTM (Trailing Twelve Months) option is available for Income Statement and Cash Flow. YTD (Year To Date) option is only available for Cash Flow.

func (ApiFinancialsRequest) Statement

func (r ApiFinancialsRequest) Statement(statement string) ApiFinancialsRequest

Statement can take 1 of these values &lt;code&gt;bs, ic, cf&lt;/code&gt; for Balance Sheet, Income Statement, Cash Flow respectively.

func (ApiFinancialsRequest) Symbol

Symbol of the company: AAPL.

type ApiForexCandlesRequest

type ApiForexCandlesRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiForexCandlesRequest) Execute

func (ApiForexCandlesRequest) From

UNIX timestamp. Interval initial value.

func (ApiForexCandlesRequest) Resolution

func (r ApiForexCandlesRequest) Resolution(resolution string) ApiForexCandlesRequest

Supported resolution includes &lt;code&gt;1, 5, 15, 30, 60, D, W, M &lt;/code&gt;.Some timeframes might not be available depending on the exchange.

func (ApiForexCandlesRequest) Symbol

Use symbol returned in &lt;code&gt;/forex/symbol&lt;/code&gt; endpoint for this field.

func (ApiForexCandlesRequest) To

UNIX timestamp. Interval end value.

type ApiForexExchangesRequest

type ApiForexExchangesRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiForexExchangesRequest) Execute

type ApiForexRatesRequest

type ApiForexRatesRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiForexRatesRequest) Base

Base currency. Default to EUR.

func (ApiForexRatesRequest) Date added in v2.0.10

Date. Leave blank to get the latest data.

func (ApiForexRatesRequest) Execute

type ApiForexSymbolsRequest

type ApiForexSymbolsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiForexSymbolsRequest) Exchange

Exchange you want to get the list of symbols from.

func (ApiForexSymbolsRequest) Execute

type ApiFundOwnershipRequest

type ApiFundOwnershipRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiFundOwnershipRequest) Execute

func (ApiFundOwnershipRequest) Limit

Limit number of results. Leave empty to get the full list.

func (ApiFundOwnershipRequest) Symbol

Symbol of the company: AAPL.

type ApiIndicesConstituentsRequest

type ApiIndicesConstituentsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiIndicesConstituentsRequest) Execute

func (ApiIndicesConstituentsRequest) Symbol

symbol

type ApiIndicesHistoricalConstituentsRequest

type ApiIndicesHistoricalConstituentsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiIndicesHistoricalConstituentsRequest) Execute

func (ApiIndicesHistoricalConstituentsRequest) Symbol

symbol

type ApiInsiderSentimentRequest added in v2.0.11

type ApiInsiderSentimentRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiInsiderSentimentRequest) Execute added in v2.0.11

func (ApiInsiderSentimentRequest) From added in v2.0.11

From date: 2020-03-15.

func (ApiInsiderSentimentRequest) Symbol added in v2.0.11

Symbol of the company: AAPL.

func (ApiInsiderSentimentRequest) To added in v2.0.11

To date: 2020-03-16.

type ApiInsiderTransactionsRequest

type ApiInsiderTransactionsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiInsiderTransactionsRequest) Execute

func (ApiInsiderTransactionsRequest) From

From date: 2020-03-15.

func (ApiInsiderTransactionsRequest) Symbol

Symbol of the company: AAPL. Leave this param blank to get the latest transactions.

func (ApiInsiderTransactionsRequest) To

To date: 2020-03-16.

type ApiInstitutionalOwnershipRequest added in v2.0.15

type ApiInstitutionalOwnershipRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiInstitutionalOwnershipRequest) Cusip added in v2.0.15

Filter by CUSIP.

func (ApiInstitutionalOwnershipRequest) Execute added in v2.0.15

func (ApiInstitutionalOwnershipRequest) From added in v2.0.15

From date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

func (ApiInstitutionalOwnershipRequest) Symbol added in v2.0.15

Filter by symbol.

func (ApiInstitutionalOwnershipRequest) To added in v2.0.15

To date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

type ApiInstitutionalPortfolioRequest added in v2.0.15

type ApiInstitutionalPortfolioRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiInstitutionalPortfolioRequest) Cik added in v2.0.15

Fund&#39;s CIK.

func (ApiInstitutionalPortfolioRequest) Execute added in v2.0.15

func (ApiInstitutionalPortfolioRequest) From added in v2.0.15

From date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

func (ApiInstitutionalPortfolioRequest) To added in v2.0.15

To date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

type ApiInstitutionalProfileRequest added in v2.0.15

type ApiInstitutionalProfileRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiInstitutionalProfileRequest) Cik added in v2.0.15

Filter by CIK. Leave blank to get the full list.

func (ApiInstitutionalProfileRequest) Execute added in v2.0.15

type ApiInternationalFilingsRequest

type ApiInternationalFilingsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiInternationalFilingsRequest) Country

Filter by country using country&#39;s 2-letter code.

func (ApiInternationalFilingsRequest) Execute

func (ApiInternationalFilingsRequest) Symbol

Symbol. Leave empty to list latest filings.

type ApiInvestmentThemesRequest

type ApiInvestmentThemesRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiInvestmentThemesRequest) Execute

func (ApiInvestmentThemesRequest) Theme

Investment theme. A full list of themes supported can be found &lt;a target&#x3D;\&quot;_blank\&quot; href&#x3D;\&quot;https://docs.google.com/spreadsheets/d/1ULj9xDh4iPoQj279M084adZ2_S852ttRthKKJ7madYc/edit?usp&#x3D;sharing\&quot;&gt;here&lt;/a&gt;.

type ApiIpoCalendarRequest

type ApiIpoCalendarRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiIpoCalendarRequest) Execute

func (ApiIpoCalendarRequest) From

From date: 2020-03-15.

func (ApiIpoCalendarRequest) To

To date: 2020-03-16.

type ApiIsinChangeRequest added in v2.0.15

type ApiIsinChangeRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiIsinChangeRequest) Execute added in v2.0.15

func (ApiIsinChangeRequest) From added in v2.0.15

From date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

func (ApiIsinChangeRequest) To added in v2.0.15

To date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

type ApiMarketHolidayRequest added in v2.0.17

type ApiMarketHolidayRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiMarketHolidayRequest) Exchange added in v2.0.17

Exchange code.

func (ApiMarketHolidayRequest) Execute added in v2.0.17

type ApiMarketNewsRequest

type ApiMarketNewsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiMarketNewsRequest) Category

func (r ApiMarketNewsRequest) Category(category string) ApiMarketNewsRequest

This parameter can be 1 of the following values &lt;code&gt;general, forex, crypto, merger&lt;/code&gt;.

func (ApiMarketNewsRequest) Execute

func (ApiMarketNewsRequest) MinId

Use this field to get only news after this ID. Default to 0

type ApiMarketStatusRequest added in v2.0.17

type ApiMarketStatusRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiMarketStatusRequest) Exchange added in v2.0.17

Exchange code.

func (ApiMarketStatusRequest) Execute added in v2.0.17

type ApiMutualFundCountryExposureRequest

type ApiMutualFundCountryExposureRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiMutualFundCountryExposureRequest) Execute

func (ApiMutualFundCountryExposureRequest) Isin added in v2.0.17

Fund&#39;s isin.

func (ApiMutualFundCountryExposureRequest) Symbol

Symbol.

type ApiMutualFundEetPaiRequest added in v2.0.16

type ApiMutualFundEetPaiRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiMutualFundEetPaiRequest) Execute added in v2.0.16

func (ApiMutualFundEetPaiRequest) Isin added in v2.0.16

ISIN.

type ApiMutualFundEetRequest added in v2.0.16

type ApiMutualFundEetRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiMutualFundEetRequest) Execute added in v2.0.16

func (ApiMutualFundEetRequest) Isin added in v2.0.16

ISIN.

type ApiMutualFundHoldingsRequest

type ApiMutualFundHoldingsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiMutualFundHoldingsRequest) Execute

func (ApiMutualFundHoldingsRequest) Isin

Fund&#39;s isin.

func (ApiMutualFundHoldingsRequest) Skip

Skip the first n results. You can use this parameter to query historical constituents data. The latest result is returned if skip&#x3D;0 or not set.

func (ApiMutualFundHoldingsRequest) Symbol

Fund&#39;s symbol.

type ApiMutualFundProfileRequest

type ApiMutualFundProfileRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiMutualFundProfileRequest) Execute

func (ApiMutualFundProfileRequest) Isin

Fund&#39;s isin.

func (ApiMutualFundProfileRequest) Symbol

Fund&#39;s symbol.

type ApiMutualFundSectorExposureRequest

type ApiMutualFundSectorExposureRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiMutualFundSectorExposureRequest) Execute

func (ApiMutualFundSectorExposureRequest) Isin added in v2.0.17

Fund&#39;s isin.

func (ApiMutualFundSectorExposureRequest) Symbol

Mutual Fund symbol.

type ApiNewsSentimentRequest

type ApiNewsSentimentRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiNewsSentimentRequest) Execute

func (ApiNewsSentimentRequest) Symbol

Company symbol.

type ApiOwnershipRequest

type ApiOwnershipRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiOwnershipRequest) Execute

func (ApiOwnershipRequest) Limit

Limit number of results. Leave empty to get the full list.

func (ApiOwnershipRequest) Symbol

Symbol of the company: AAPL.

type ApiPatternRecognitionRequest

type ApiPatternRecognitionRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiPatternRecognitionRequest) Execute

func (ApiPatternRecognitionRequest) Resolution

Supported resolution includes &lt;code&gt;1, 5, 15, 30, 60, D, W, M &lt;/code&gt;.Some timeframes might not be available depending on the exchange.

func (ApiPatternRecognitionRequest) Symbol

Symbol

type ApiPressReleasesRequest

type ApiPressReleasesRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiPressReleasesRequest) Execute

func (ApiPressReleasesRequest) From

From time: 2020-01-01.

func (ApiPressReleasesRequest) Symbol

Company symbol.

func (ApiPressReleasesRequest) To

To time: 2020-01-05.

type ApiPriceMetricsRequest added in v2.0.15

type ApiPriceMetricsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiPriceMetricsRequest) Date added in v2.0.16

Get data on a specific date in the past. The data is available weekly so your date will be automatically adjusted to the last day of that week.

func (ApiPriceMetricsRequest) Execute added in v2.0.15

func (ApiPriceMetricsRequest) Symbol added in v2.0.15

Symbol of the company: AAPL.

type ApiPriceTargetRequest

type ApiPriceTargetRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiPriceTargetRequest) Execute

func (ApiPriceTargetRequest) Symbol

Symbol of the company: AAPL.

type ApiQuoteRequest

type ApiQuoteRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiQuoteRequest) Execute

func (r ApiQuoteRequest) Execute() (Quote, *_nethttp.Response, error)

func (ApiQuoteRequest) Symbol

func (r ApiQuoteRequest) Symbol(symbol string) ApiQuoteRequest

Symbol

type ApiRecommendationTrendsRequest

type ApiRecommendationTrendsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiRecommendationTrendsRequest) Execute

func (ApiRecommendationTrendsRequest) Symbol

Symbol of the company: AAPL.

type ApiRevenueBreakdownRequest

type ApiRevenueBreakdownRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiRevenueBreakdownRequest) Cik

CIK.

func (ApiRevenueBreakdownRequest) Execute

func (ApiRevenueBreakdownRequest) Symbol

Symbol.

type ApiSectorMetricRequest added in v2.0.14

type ApiSectorMetricRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiSectorMetricRequest) Execute added in v2.0.14

func (ApiSectorMetricRequest) Region added in v2.0.14

Region. A list of supported values for this field can be found &lt;a href&#x3D;\&quot;https://docs.google.com/spreadsheets/d/1afedyv7yWJ-z7pMjaAZK-f6ENY3mI3EBCk95QffpoHw/edit?usp&#x3D;sharing\&quot; target&#x3D;\&quot;_blank\&quot;&gt;here&lt;/a&gt;.

type ApiSimilarityIndexRequest

type ApiSimilarityIndexRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiSimilarityIndexRequest) Cik

CIK. Required if symbol is empty

func (ApiSimilarityIndexRequest) Execute

func (ApiSimilarityIndexRequest) Freq

&lt;code&gt;annual&lt;/code&gt; or &lt;code&gt;quarterly&lt;/code&gt;. Default to &lt;code&gt;annual&lt;/code&gt;

func (ApiSimilarityIndexRequest) Symbol

Symbol. Required if cik is empty

type ApiSocialSentimentRequest

type ApiSocialSentimentRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiSocialSentimentRequest) Execute

func (ApiSocialSentimentRequest) From

From date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

func (ApiSocialSentimentRequest) Symbol

Company symbol.

func (ApiSocialSentimentRequest) To

To date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

type ApiStockBasicDividendsRequest

type ApiStockBasicDividendsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiStockBasicDividendsRequest) Execute

func (ApiStockBasicDividendsRequest) Symbol

Symbol.

type ApiStockBidaskRequest

type ApiStockBidaskRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiStockBidaskRequest) Execute

func (ApiStockBidaskRequest) Symbol

Symbol.

type ApiStockCandlesRequest

type ApiStockCandlesRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiStockCandlesRequest) Execute

func (ApiStockCandlesRequest) From

UNIX timestamp. Interval initial value.

func (ApiStockCandlesRequest) Resolution

func (r ApiStockCandlesRequest) Resolution(resolution string) ApiStockCandlesRequest

Supported resolution includes &lt;code&gt;1, 5, 15, 30, 60, D, W, M &lt;/code&gt;.Some timeframes might not be available depending on the exchange.

func (ApiStockCandlesRequest) Symbol

Symbol.

func (ApiStockCandlesRequest) To

UNIX timestamp. Interval end value.

type ApiStockDividendsRequest

type ApiStockDividendsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiStockDividendsRequest) Execute

func (ApiStockDividendsRequest) From

YYYY-MM-DD.

func (ApiStockDividendsRequest) Symbol

Symbol.

func (ApiStockDividendsRequest) To

YYYY-MM-DD.

type ApiStockLobbyingRequest added in v2.0.12

type ApiStockLobbyingRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiStockLobbyingRequest) Execute added in v2.0.12

func (ApiStockLobbyingRequest) From added in v2.0.12

From date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

func (ApiStockLobbyingRequest) Symbol added in v2.0.12

Symbol.

func (ApiStockLobbyingRequest) To added in v2.0.12

To date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

type ApiStockNbboRequest

type ApiStockNbboRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiStockNbboRequest) Date

Date: 2020-04-02.

func (ApiStockNbboRequest) Execute

func (ApiStockNbboRequest) Limit

Limit number of ticks returned. Maximum value: &lt;code&gt;25000&lt;/code&gt;

func (ApiStockNbboRequest) Skip

Number of ticks to skip. Use this parameter to loop through the entire data.

func (ApiStockNbboRequest) Symbol

Symbol.

type ApiStockSplitsRequest

type ApiStockSplitsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiStockSplitsRequest) Execute

func (r ApiStockSplitsRequest) Execute() ([]Split, *_nethttp.Response, error)

func (ApiStockSplitsRequest) From

YYYY-MM-DD.

func (ApiStockSplitsRequest) Symbol

Symbol.

func (ApiStockSplitsRequest) To

YYYY-MM-DD.

type ApiStockSymbolsRequest

type ApiStockSymbolsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiStockSymbolsRequest) Currency

Filter by currency.

func (ApiStockSymbolsRequest) Exchange

Exchange you want to get the list of symbols from. List of exchange codes can be found &lt;a href&#x3D;\&quot;https://docs.google.com/spreadsheets/d/1I3pBxjfXB056-g_JYf_6o3Rns3BV2kMGG1nCatb91ls/edit?usp&#x3D;sharing\&quot; target&#x3D;\&quot;_blank\&quot;&gt;here&lt;/a&gt;.

func (ApiStockSymbolsRequest) Execute

func (ApiStockSymbolsRequest) Mic

Filter by MIC code.

func (ApiStockSymbolsRequest) SecurityType

func (r ApiStockSymbolsRequest) SecurityType(securityType string) ApiStockSymbolsRequest

Filter by security type used by OpenFigi standard.

type ApiStockTickRequest

type ApiStockTickRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiStockTickRequest) Date

Date: 2020-04-02.

func (ApiStockTickRequest) Execute

func (ApiStockTickRequest) Limit

Limit number of ticks returned. Maximum value: &lt;code&gt;25000&lt;/code&gt;

func (ApiStockTickRequest) Skip

Number of ticks to skip. Use this parameter to loop through the entire data.

func (ApiStockTickRequest) Symbol

Symbol.

type ApiStockUsaSpendingRequest added in v2.0.13

type ApiStockUsaSpendingRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiStockUsaSpendingRequest) Execute added in v2.0.13

func (ApiStockUsaSpendingRequest) From added in v2.0.13

From date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;. Filter for &lt;code&gt;actionDate&lt;/code&gt;

func (ApiStockUsaSpendingRequest) Symbol added in v2.0.13

Symbol.

func (ApiStockUsaSpendingRequest) To added in v2.0.13

To date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;. Filter for &lt;code&gt;actionDate&lt;/code&gt;

type ApiStockUsptoPatentRequest added in v2.0.9

type ApiStockUsptoPatentRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiStockUsptoPatentRequest) Execute added in v2.0.9

func (ApiStockUsptoPatentRequest) From added in v2.0.9

From date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

func (ApiStockUsptoPatentRequest) Symbol added in v2.0.9

Symbol.

func (ApiStockUsptoPatentRequest) To added in v2.0.9

To date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

type ApiStockVisaApplicationRequest added in v2.0.10

type ApiStockVisaApplicationRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiStockVisaApplicationRequest) Execute added in v2.0.10

func (ApiStockVisaApplicationRequest) From added in v2.0.10

From date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;. Filter on the &lt;code&gt;beginDate&lt;/code&gt; column.

func (ApiStockVisaApplicationRequest) Symbol added in v2.0.10

Symbol.

func (ApiStockVisaApplicationRequest) To added in v2.0.10

To date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;. Filter on the &lt;code&gt;beginDate&lt;/code&gt; column.

type ApiSupplyChainRelationshipsRequest

type ApiSupplyChainRelationshipsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiSupplyChainRelationshipsRequest) Execute

func (ApiSupplyChainRelationshipsRequest) Symbol

Symbol.

type ApiSupportResistanceRequest

type ApiSupportResistanceRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiSupportResistanceRequest) Execute

func (ApiSupportResistanceRequest) Resolution

Supported resolution includes &lt;code&gt;1, 5, 15, 30, 60, D, W, M &lt;/code&gt;.Some timeframes might not be available depending on the exchange.

func (ApiSupportResistanceRequest) Symbol

Symbol

type ApiSymbolChangeRequest added in v2.0.15

type ApiSymbolChangeRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiSymbolChangeRequest) Execute added in v2.0.15

func (ApiSymbolChangeRequest) From added in v2.0.15

From date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

func (ApiSymbolChangeRequest) To added in v2.0.15

To date &lt;code&gt;YYYY-MM-DD&lt;/code&gt;.

type ApiSymbolSearchRequest

type ApiSymbolSearchRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiSymbolSearchRequest) Execute

func (ApiSymbolSearchRequest) Q

Query text can be symbol, name, isin, or cusip.

type ApiTechnicalIndicatorRequest

type ApiTechnicalIndicatorRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiTechnicalIndicatorRequest) Execute

func (r ApiTechnicalIndicatorRequest) Execute() (map[string]interface{}, *_nethttp.Response, error)

func (ApiTechnicalIndicatorRequest) From

UNIX timestamp. Interval initial value.

func (ApiTechnicalIndicatorRequest) Indicator

Indicator name. Full list can be found &lt;a href&#x3D;\&quot;https://docs.google.com/spreadsheets/d/1ylUvKHVYN2E87WdwIza8ROaCpd48ggEl1k5i5SgA29k/edit?usp&#x3D;sharing\&quot; target&#x3D;\&quot;_blank\&quot;&gt;here&lt;/a&gt;.

func (ApiTechnicalIndicatorRequest) IndicatorFields

func (r ApiTechnicalIndicatorRequest) IndicatorFields(indicatorFields map[string]interface{}) ApiTechnicalIndicatorRequest

Check out &lt;a href&#x3D;\&quot;https://docs.google.com/spreadsheets/d/1ylUvKHVYN2E87WdwIza8ROaCpd48ggEl1k5i5SgA29k/edit?usp&#x3D;sharing\&quot; target&#x3D;\&quot;_blank\&quot;&gt;this page&lt;/a&gt; to see which indicators and params are supported.

func (ApiTechnicalIndicatorRequest) Resolution

Supported resolution includes &lt;code&gt;1, 5, 15, 30, 60, D, W, M &lt;/code&gt;.Some timeframes might not be available depending on the exchange.

func (ApiTechnicalIndicatorRequest) Symbol

symbol

func (ApiTechnicalIndicatorRequest) To

UNIX timestamp. Interval end value.

type ApiTranscriptsListRequest

type ApiTranscriptsListRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiTranscriptsListRequest) Execute

func (ApiTranscriptsListRequest) Symbol

Company symbol: AAPL. Leave empty to list the latest transcripts

type ApiTranscriptsRequest

type ApiTranscriptsRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiTranscriptsRequest) Execute

func (ApiTranscriptsRequest) Id

Transcript&#39;s id obtained with &lt;a href&#x3D;\&quot;#transcripts-list\&quot;&gt;Transcripts List endpoint&lt;/a&gt;.

type ApiUpgradeDowngradeRequest

type ApiUpgradeDowngradeRequest struct {
	ApiService *DefaultApiService
	// contains filtered or unexported fields
}

func (ApiUpgradeDowngradeRequest) Execute

func (ApiUpgradeDowngradeRequest) From

From date: 2000-03-15.

func (ApiUpgradeDowngradeRequest) Symbol

Symbol of the company: AAPL. If left blank, the API will return latest stock upgrades/downgrades.

func (ApiUpgradeDowngradeRequest) To

To date: 2020-03-16.

type BasicAuth

type BasicAuth struct {
	UserName string `json:"userName,omitempty"`
	Password string `json:"password,omitempty"`
}

BasicAuth provides basic http authentication to a request passed via context using ContextBasicAuth

type BasicFinancials

type BasicFinancials struct {
	// Symbol of the company.
	Symbol *string `json:"symbol,omitempty"`
	// Metric type.
	MetricType *string                 `json:"metricType,omitempty"`
	Series     *map[string]interface{} `json:"series,omitempty"`
	Metric     *map[string]interface{} `json:"metric,omitempty"`
}

BasicFinancials struct for BasicFinancials

func NewBasicFinancials

func NewBasicFinancials() *BasicFinancials

NewBasicFinancials instantiates a new BasicFinancials object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewBasicFinancialsWithDefaults

func NewBasicFinancialsWithDefaults() *BasicFinancials

NewBasicFinancialsWithDefaults instantiates a new BasicFinancials object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*BasicFinancials) GetMetric

func (o *BasicFinancials) GetMetric() map[string]interface{}

GetMetric returns the Metric field value if set, zero value otherwise.

func (*BasicFinancials) GetMetricOk

func (o *BasicFinancials) GetMetricOk() (*map[string]interface{}, bool)

GetMetricOk returns a tuple with the Metric field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BasicFinancials) GetMetricType

func (o *BasicFinancials) GetMetricType() string

GetMetricType returns the MetricType field value if set, zero value otherwise.

func (*BasicFinancials) GetMetricTypeOk

func (o *BasicFinancials) GetMetricTypeOk() (*string, bool)

GetMetricTypeOk returns a tuple with the MetricType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BasicFinancials) GetSeries

func (o *BasicFinancials) GetSeries() map[string]interface{}

GetSeries returns the Series field value if set, zero value otherwise.

func (*BasicFinancials) GetSeriesOk

func (o *BasicFinancials) GetSeriesOk() (*map[string]interface{}, bool)

GetSeriesOk returns a tuple with the Series field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BasicFinancials) GetSymbol

func (o *BasicFinancials) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*BasicFinancials) GetSymbolOk

func (o *BasicFinancials) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BasicFinancials) HasMetric

func (o *BasicFinancials) HasMetric() bool

HasMetric returns a boolean if a field has been set.

func (*BasicFinancials) HasMetricType

func (o *BasicFinancials) HasMetricType() bool

HasMetricType returns a boolean if a field has been set.

func (*BasicFinancials) HasSeries

func (o *BasicFinancials) HasSeries() bool

HasSeries returns a boolean if a field has been set.

func (*BasicFinancials) HasSymbol

func (o *BasicFinancials) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (BasicFinancials) MarshalJSON

func (o BasicFinancials) MarshalJSON() ([]byte, error)

func (*BasicFinancials) SetMetric

func (o *BasicFinancials) SetMetric(v map[string]interface{})

SetMetric gets a reference to the given map[string]interface{} and assigns it to the Metric field.

func (*BasicFinancials) SetMetricType

func (o *BasicFinancials) SetMetricType(v string)

SetMetricType gets a reference to the given string and assigns it to the MetricType field.

func (*BasicFinancials) SetSeries

func (o *BasicFinancials) SetSeries(v map[string]interface{})

SetSeries gets a reference to the given map[string]interface{} and assigns it to the Series field.

func (*BasicFinancials) SetSymbol

func (o *BasicFinancials) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type BondCandles added in v2.0.12

type BondCandles struct {
	// List of close prices for returned candles.
	C *[]float32 `json:"c,omitempty"`
	// List of timestamp for returned candles.
	T *[]int64 `json:"t,omitempty"`
	// Status of the response. This field can either be ok or no_data.
	S *string `json:"s,omitempty"`
}

BondCandles struct for BondCandles

func NewBondCandles added in v2.0.12

func NewBondCandles() *BondCandles

NewBondCandles instantiates a new BondCandles object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewBondCandlesWithDefaults added in v2.0.12

func NewBondCandlesWithDefaults() *BondCandles

NewBondCandlesWithDefaults instantiates a new BondCandles object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*BondCandles) GetC added in v2.0.12

func (o *BondCandles) GetC() []float32

GetC returns the C field value if set, zero value otherwise.

func (*BondCandles) GetCOk added in v2.0.12

func (o *BondCandles) GetCOk() (*[]float32, bool)

GetCOk returns a tuple with the C field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondCandles) GetS added in v2.0.12

func (o *BondCandles) GetS() string

GetS returns the S field value if set, zero value otherwise.

func (*BondCandles) GetSOk added in v2.0.12

func (o *BondCandles) GetSOk() (*string, bool)

GetSOk returns a tuple with the S field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondCandles) GetT added in v2.0.12

func (o *BondCandles) GetT() []int64

GetT returns the T field value if set, zero value otherwise.

func (*BondCandles) GetTOk added in v2.0.12

func (o *BondCandles) GetTOk() (*[]int64, bool)

GetTOk returns a tuple with the T field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondCandles) HasC added in v2.0.12

func (o *BondCandles) HasC() bool

HasC returns a boolean if a field has been set.

func (*BondCandles) HasS added in v2.0.12

func (o *BondCandles) HasS() bool

HasS returns a boolean if a field has been set.

func (*BondCandles) HasT added in v2.0.12

func (o *BondCandles) HasT() bool

HasT returns a boolean if a field has been set.

func (BondCandles) MarshalJSON added in v2.0.12

func (o BondCandles) MarshalJSON() ([]byte, error)

func (*BondCandles) SetC added in v2.0.12

func (o *BondCandles) SetC(v []float32)

SetC gets a reference to the given []float32 and assigns it to the C field.

func (*BondCandles) SetS added in v2.0.12

func (o *BondCandles) SetS(v string)

SetS gets a reference to the given string and assigns it to the S field.

func (*BondCandles) SetT added in v2.0.12

func (o *BondCandles) SetT(v []int64)

SetT gets a reference to the given []int64 and assigns it to the T field.

type BondProfile added in v2.0.12

type BondProfile struct {
	// ISIN.
	Isin *string `json:"isin,omitempty"`
	// Cusip.
	Cusip *string `json:"cusip,omitempty"`
	// FIGI.
	Figi *string `json:"figi,omitempty"`
	// Coupon.
	Coupon *float32 `json:"coupon,omitempty"`
	// Period.
	MaturityDate *string `json:"maturityDate,omitempty"`
	// Offering price.
	OfferingPrice *float32 `json:"offeringPrice,omitempty"`
	// Issue date.
	IssueDate *string `json:"issueDate,omitempty"`
	// Bond type.
	BondType *string `json:"bondType,omitempty"`
	// Bond type.
	DebtType *string `json:"debtType,omitempty"`
	// Industry.
	IndustryGroup *string `json:"industryGroup,omitempty"`
	// Sub-Industry.
	IndustrySubGroup *string `json:"industrySubGroup,omitempty"`
	// Asset.
	Asset *string `json:"asset,omitempty"`
	// Asset.
	AssetType *string `json:"assetType,omitempty"`
	// Dated date.
	DatedDate *string `json:"datedDate,omitempty"`
	// First coupon date.
	FirstCouponDate *string `json:"firstCouponDate,omitempty"`
	// Offering amount.
	OriginalOffering *float32 `json:"originalOffering,omitempty"`
	// Outstanding amount.
	AmountOutstanding *float32 `json:"amountOutstanding,omitempty"`
	// Payment frequency.
	PaymentFrequency *string `json:"paymentFrequency,omitempty"`
	// Security level.
	SecurityLevel *string `json:"securityLevel,omitempty"`
	// Callable.
	Callable *bool `json:"callable,omitempty"`
	// Coupon type.
	CouponType *string `json:"couponType,omitempty"`
}

BondProfile struct for BondProfile

func NewBondProfile added in v2.0.12

func NewBondProfile() *BondProfile

NewBondProfile instantiates a new BondProfile object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewBondProfileWithDefaults added in v2.0.12

func NewBondProfileWithDefaults() *BondProfile

NewBondProfileWithDefaults instantiates a new BondProfile object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*BondProfile) GetAmountOutstanding added in v2.0.12

func (o *BondProfile) GetAmountOutstanding() float32

GetAmountOutstanding returns the AmountOutstanding field value if set, zero value otherwise.

func (*BondProfile) GetAmountOutstandingOk added in v2.0.12

func (o *BondProfile) GetAmountOutstandingOk() (*float32, bool)

GetAmountOutstandingOk returns a tuple with the AmountOutstanding field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetAsset added in v2.0.12

func (o *BondProfile) GetAsset() string

GetAsset returns the Asset field value if set, zero value otherwise.

func (*BondProfile) GetAssetOk added in v2.0.12

func (o *BondProfile) GetAssetOk() (*string, bool)

GetAssetOk returns a tuple with the Asset field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetAssetType added in v2.0.12

func (o *BondProfile) GetAssetType() string

GetAssetType returns the AssetType field value if set, zero value otherwise.

func (*BondProfile) GetAssetTypeOk added in v2.0.12

func (o *BondProfile) GetAssetTypeOk() (*string, bool)

GetAssetTypeOk returns a tuple with the AssetType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetBondType added in v2.0.12

func (o *BondProfile) GetBondType() string

GetBondType returns the BondType field value if set, zero value otherwise.

func (*BondProfile) GetBondTypeOk added in v2.0.12

func (o *BondProfile) GetBondTypeOk() (*string, bool)

GetBondTypeOk returns a tuple with the BondType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetCallable added in v2.0.12

func (o *BondProfile) GetCallable() bool

GetCallable returns the Callable field value if set, zero value otherwise.

func (*BondProfile) GetCallableOk added in v2.0.12

func (o *BondProfile) GetCallableOk() (*bool, bool)

GetCallableOk returns a tuple with the Callable field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetCoupon added in v2.0.12

func (o *BondProfile) GetCoupon() float32

GetCoupon returns the Coupon field value if set, zero value otherwise.

func (*BondProfile) GetCouponOk added in v2.0.12

func (o *BondProfile) GetCouponOk() (*float32, bool)

GetCouponOk returns a tuple with the Coupon field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetCouponType added in v2.0.12

func (o *BondProfile) GetCouponType() string

GetCouponType returns the CouponType field value if set, zero value otherwise.

func (*BondProfile) GetCouponTypeOk added in v2.0.12

func (o *BondProfile) GetCouponTypeOk() (*string, bool)

GetCouponTypeOk returns a tuple with the CouponType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetCusip added in v2.0.12

func (o *BondProfile) GetCusip() string

GetCusip returns the Cusip field value if set, zero value otherwise.

func (*BondProfile) GetCusipOk added in v2.0.12

func (o *BondProfile) GetCusipOk() (*string, bool)

GetCusipOk returns a tuple with the Cusip field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetDatedDate added in v2.0.12

func (o *BondProfile) GetDatedDate() string

GetDatedDate returns the DatedDate field value if set, zero value otherwise.

func (*BondProfile) GetDatedDateOk added in v2.0.12

func (o *BondProfile) GetDatedDateOk() (*string, bool)

GetDatedDateOk returns a tuple with the DatedDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetDebtType added in v2.0.12

func (o *BondProfile) GetDebtType() string

GetDebtType returns the DebtType field value if set, zero value otherwise.

func (*BondProfile) GetDebtTypeOk added in v2.0.12

func (o *BondProfile) GetDebtTypeOk() (*string, bool)

GetDebtTypeOk returns a tuple with the DebtType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetFigi added in v2.0.12

func (o *BondProfile) GetFigi() string

GetFigi returns the Figi field value if set, zero value otherwise.

func (*BondProfile) GetFigiOk added in v2.0.12

func (o *BondProfile) GetFigiOk() (*string, bool)

GetFigiOk returns a tuple with the Figi field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetFirstCouponDate added in v2.0.12

func (o *BondProfile) GetFirstCouponDate() string

GetFirstCouponDate returns the FirstCouponDate field value if set, zero value otherwise.

func (*BondProfile) GetFirstCouponDateOk added in v2.0.12

func (o *BondProfile) GetFirstCouponDateOk() (*string, bool)

GetFirstCouponDateOk returns a tuple with the FirstCouponDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetIndustryGroup added in v2.0.12

func (o *BondProfile) GetIndustryGroup() string

GetIndustryGroup returns the IndustryGroup field value if set, zero value otherwise.

func (*BondProfile) GetIndustryGroupOk added in v2.0.12

func (o *BondProfile) GetIndustryGroupOk() (*string, bool)

GetIndustryGroupOk returns a tuple with the IndustryGroup field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetIndustrySubGroup added in v2.0.12

func (o *BondProfile) GetIndustrySubGroup() string

GetIndustrySubGroup returns the IndustrySubGroup field value if set, zero value otherwise.

func (*BondProfile) GetIndustrySubGroupOk added in v2.0.12

func (o *BondProfile) GetIndustrySubGroupOk() (*string, bool)

GetIndustrySubGroupOk returns a tuple with the IndustrySubGroup field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetIsin added in v2.0.12

func (o *BondProfile) GetIsin() string

GetIsin returns the Isin field value if set, zero value otherwise.

func (*BondProfile) GetIsinOk added in v2.0.12

func (o *BondProfile) GetIsinOk() (*string, bool)

GetIsinOk returns a tuple with the Isin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetIssueDate added in v2.0.12

func (o *BondProfile) GetIssueDate() string

GetIssueDate returns the IssueDate field value if set, zero value otherwise.

func (*BondProfile) GetIssueDateOk added in v2.0.12

func (o *BondProfile) GetIssueDateOk() (*string, bool)

GetIssueDateOk returns a tuple with the IssueDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetMaturityDate added in v2.0.12

func (o *BondProfile) GetMaturityDate() string

GetMaturityDate returns the MaturityDate field value if set, zero value otherwise.

func (*BondProfile) GetMaturityDateOk added in v2.0.12

func (o *BondProfile) GetMaturityDateOk() (*string, bool)

GetMaturityDateOk returns a tuple with the MaturityDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetOfferingPrice added in v2.0.12

func (o *BondProfile) GetOfferingPrice() float32

GetOfferingPrice returns the OfferingPrice field value if set, zero value otherwise.

func (*BondProfile) GetOfferingPriceOk added in v2.0.12

func (o *BondProfile) GetOfferingPriceOk() (*float32, bool)

GetOfferingPriceOk returns a tuple with the OfferingPrice field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetOriginalOffering added in v2.0.12

func (o *BondProfile) GetOriginalOffering() float32

GetOriginalOffering returns the OriginalOffering field value if set, zero value otherwise.

func (*BondProfile) GetOriginalOfferingOk added in v2.0.12

func (o *BondProfile) GetOriginalOfferingOk() (*float32, bool)

GetOriginalOfferingOk returns a tuple with the OriginalOffering field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetPaymentFrequency added in v2.0.12

func (o *BondProfile) GetPaymentFrequency() string

GetPaymentFrequency returns the PaymentFrequency field value if set, zero value otherwise.

func (*BondProfile) GetPaymentFrequencyOk added in v2.0.12

func (o *BondProfile) GetPaymentFrequencyOk() (*string, bool)

GetPaymentFrequencyOk returns a tuple with the PaymentFrequency field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) GetSecurityLevel added in v2.0.12

func (o *BondProfile) GetSecurityLevel() string

GetSecurityLevel returns the SecurityLevel field value if set, zero value otherwise.

func (*BondProfile) GetSecurityLevelOk added in v2.0.12

func (o *BondProfile) GetSecurityLevelOk() (*string, bool)

GetSecurityLevelOk returns a tuple with the SecurityLevel field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondProfile) HasAmountOutstanding added in v2.0.12

func (o *BondProfile) HasAmountOutstanding() bool

HasAmountOutstanding returns a boolean if a field has been set.

func (*BondProfile) HasAsset added in v2.0.12

func (o *BondProfile) HasAsset() bool

HasAsset returns a boolean if a field has been set.

func (*BondProfile) HasAssetType added in v2.0.12

func (o *BondProfile) HasAssetType() bool

HasAssetType returns a boolean if a field has been set.

func (*BondProfile) HasBondType added in v2.0.12

func (o *BondProfile) HasBondType() bool

HasBondType returns a boolean if a field has been set.

func (*BondProfile) HasCallable added in v2.0.12

func (o *BondProfile) HasCallable() bool

HasCallable returns a boolean if a field has been set.

func (*BondProfile) HasCoupon added in v2.0.12

func (o *BondProfile) HasCoupon() bool

HasCoupon returns a boolean if a field has been set.

func (*BondProfile) HasCouponType added in v2.0.12

func (o *BondProfile) HasCouponType() bool

HasCouponType returns a boolean if a field has been set.

func (*BondProfile) HasCusip added in v2.0.12

func (o *BondProfile) HasCusip() bool

HasCusip returns a boolean if a field has been set.

func (*BondProfile) HasDatedDate added in v2.0.12

func (o *BondProfile) HasDatedDate() bool

HasDatedDate returns a boolean if a field has been set.

func (*BondProfile) HasDebtType added in v2.0.12

func (o *BondProfile) HasDebtType() bool

HasDebtType returns a boolean if a field has been set.

func (*BondProfile) HasFigi added in v2.0.12

func (o *BondProfile) HasFigi() bool

HasFigi returns a boolean if a field has been set.

func (*BondProfile) HasFirstCouponDate added in v2.0.12

func (o *BondProfile) HasFirstCouponDate() bool

HasFirstCouponDate returns a boolean if a field has been set.

func (*BondProfile) HasIndustryGroup added in v2.0.12

func (o *BondProfile) HasIndustryGroup() bool

HasIndustryGroup returns a boolean if a field has been set.

func (*BondProfile) HasIndustrySubGroup added in v2.0.12

func (o *BondProfile) HasIndustrySubGroup() bool

HasIndustrySubGroup returns a boolean if a field has been set.

func (*BondProfile) HasIsin added in v2.0.12

func (o *BondProfile) HasIsin() bool

HasIsin returns a boolean if a field has been set.

func (*BondProfile) HasIssueDate added in v2.0.12

func (o *BondProfile) HasIssueDate() bool

HasIssueDate returns a boolean if a field has been set.

func (*BondProfile) HasMaturityDate added in v2.0.12

func (o *BondProfile) HasMaturityDate() bool

HasMaturityDate returns a boolean if a field has been set.

func (*BondProfile) HasOfferingPrice added in v2.0.12

func (o *BondProfile) HasOfferingPrice() bool

HasOfferingPrice returns a boolean if a field has been set.

func (*BondProfile) HasOriginalOffering added in v2.0.12

func (o *BondProfile) HasOriginalOffering() bool

HasOriginalOffering returns a boolean if a field has been set.

func (*BondProfile) HasPaymentFrequency added in v2.0.12

func (o *BondProfile) HasPaymentFrequency() bool

HasPaymentFrequency returns a boolean if a field has been set.

func (*BondProfile) HasSecurityLevel added in v2.0.12

func (o *BondProfile) HasSecurityLevel() bool

HasSecurityLevel returns a boolean if a field has been set.

func (BondProfile) MarshalJSON added in v2.0.12

func (o BondProfile) MarshalJSON() ([]byte, error)

func (*BondProfile) SetAmountOutstanding added in v2.0.12

func (o *BondProfile) SetAmountOutstanding(v float32)

SetAmountOutstanding gets a reference to the given float32 and assigns it to the AmountOutstanding field.

func (*BondProfile) SetAsset added in v2.0.12

func (o *BondProfile) SetAsset(v string)

SetAsset gets a reference to the given string and assigns it to the Asset field.

func (*BondProfile) SetAssetType added in v2.0.12

func (o *BondProfile) SetAssetType(v string)

SetAssetType gets a reference to the given string and assigns it to the AssetType field.

func (*BondProfile) SetBondType added in v2.0.12

func (o *BondProfile) SetBondType(v string)

SetBondType gets a reference to the given string and assigns it to the BondType field.

func (*BondProfile) SetCallable added in v2.0.12

func (o *BondProfile) SetCallable(v bool)

SetCallable gets a reference to the given bool and assigns it to the Callable field.

func (*BondProfile) SetCoupon added in v2.0.12

func (o *BondProfile) SetCoupon(v float32)

SetCoupon gets a reference to the given float32 and assigns it to the Coupon field.

func (*BondProfile) SetCouponType added in v2.0.12

func (o *BondProfile) SetCouponType(v string)

SetCouponType gets a reference to the given string and assigns it to the CouponType field.

func (*BondProfile) SetCusip added in v2.0.12

func (o *BondProfile) SetCusip(v string)

SetCusip gets a reference to the given string and assigns it to the Cusip field.

func (*BondProfile) SetDatedDate added in v2.0.12

func (o *BondProfile) SetDatedDate(v string)

SetDatedDate gets a reference to the given string and assigns it to the DatedDate field.

func (*BondProfile) SetDebtType added in v2.0.12

func (o *BondProfile) SetDebtType(v string)

SetDebtType gets a reference to the given string and assigns it to the DebtType field.

func (*BondProfile) SetFigi added in v2.0.12

func (o *BondProfile) SetFigi(v string)

SetFigi gets a reference to the given string and assigns it to the Figi field.

func (*BondProfile) SetFirstCouponDate added in v2.0.12

func (o *BondProfile) SetFirstCouponDate(v string)

SetFirstCouponDate gets a reference to the given string and assigns it to the FirstCouponDate field.

func (*BondProfile) SetIndustryGroup added in v2.0.12

func (o *BondProfile) SetIndustryGroup(v string)

SetIndustryGroup gets a reference to the given string and assigns it to the IndustryGroup field.

func (*BondProfile) SetIndustrySubGroup added in v2.0.12

func (o *BondProfile) SetIndustrySubGroup(v string)

SetIndustrySubGroup gets a reference to the given string and assigns it to the IndustrySubGroup field.

func (*BondProfile) SetIsin added in v2.0.12

func (o *BondProfile) SetIsin(v string)

SetIsin gets a reference to the given string and assigns it to the Isin field.

func (*BondProfile) SetIssueDate added in v2.0.12

func (o *BondProfile) SetIssueDate(v string)

SetIssueDate gets a reference to the given string and assigns it to the IssueDate field.

func (*BondProfile) SetMaturityDate added in v2.0.12

func (o *BondProfile) SetMaturityDate(v string)

SetMaturityDate gets a reference to the given string and assigns it to the MaturityDate field.

func (*BondProfile) SetOfferingPrice added in v2.0.12

func (o *BondProfile) SetOfferingPrice(v float32)

SetOfferingPrice gets a reference to the given float32 and assigns it to the OfferingPrice field.

func (*BondProfile) SetOriginalOffering added in v2.0.12

func (o *BondProfile) SetOriginalOffering(v float32)

SetOriginalOffering gets a reference to the given float32 and assigns it to the OriginalOffering field.

func (*BondProfile) SetPaymentFrequency added in v2.0.12

func (o *BondProfile) SetPaymentFrequency(v string)

SetPaymentFrequency gets a reference to the given string and assigns it to the PaymentFrequency field.

func (*BondProfile) SetSecurityLevel added in v2.0.12

func (o *BondProfile) SetSecurityLevel(v string)

SetSecurityLevel gets a reference to the given string and assigns it to the SecurityLevel field.

type BondTickData added in v2.0.15

type BondTickData struct {
	// Number of ticks skipped.
	Skip *int64 `json:"skip,omitempty"`
	// Number of ticks returned. If <code>count</code> < <code>limit</code>, all data for that date has been returned.
	Count *int64 `json:"count,omitempty"`
	// Total number of ticks for that date.
	Total *int64 `json:"total,omitempty"`
	// List of volume data.
	V *[]float32 `json:"v,omitempty"`
	// List of price data.
	P *[]float32 `json:"p,omitempty"`
	// List of yield data.
	Y *[]float32 `json:"y,omitempty"`
	// List of timestamp in UNIX ms.
	T *[]int64 `json:"t,omitempty"`
	// List of values showing the side (Buy/sell) of each trade. List of supported values: <a target=\"_blank\" href=\"https://docs.google.com/spreadsheets/d/1O3aueXSPOqo7Iuyz4PqDG6yZunHsX8BTefZ2kFk5pz4/edit?usp=sharing\",>here</a>
	Si *[]string `json:"si,omitempty"`
	// List of values showing the counterparty of each trade. List of supported values: <a target=\"_blank\" href=\"https://docs.google.com/spreadsheets/d/1O3aueXSPOqo7Iuyz4PqDG6yZunHsX8BTefZ2kFk5pz4/edit?usp=sharing\",>here</a>
	Cp *[]string `json:"cp,omitempty"`
	// List of values showing the reporting party of each trade. List of supported values: <a target=\"_blank\" href=\"https://docs.google.com/spreadsheets/d/1O3aueXSPOqo7Iuyz4PqDG6yZunHsX8BTefZ2kFk5pz4/edit?usp=sharing\",>here</a>
	Rp *[]string `json:"rp,omitempty"`
	// ATS flag. Y or empty
	Ats *[]string `json:"ats,omitempty"`
	// List of trade conditions. A comprehensive list of trade conditions code can be found <a target=\"_blank\" href=\"https://docs.google.com/spreadsheets/d/1O3aueXSPOqo7Iuyz4PqDG6yZunHsX8BTefZ2kFk5pz4/edit?usp=sharing\">here</a>
	C *[][]string `json:"c,omitempty"`
}

BondTickData struct for BondTickData

func NewBondTickData added in v2.0.15

func NewBondTickData() *BondTickData

NewBondTickData instantiates a new BondTickData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewBondTickDataWithDefaults added in v2.0.15

func NewBondTickDataWithDefaults() *BondTickData

NewBondTickDataWithDefaults instantiates a new BondTickData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*BondTickData) GetAts added in v2.0.16

func (o *BondTickData) GetAts() []string

GetAts returns the Ats field value if set, zero value otherwise.

func (*BondTickData) GetAtsOk added in v2.0.16

func (o *BondTickData) GetAtsOk() (*[]string, bool)

GetAtsOk returns a tuple with the Ats field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondTickData) GetC added in v2.0.15

func (o *BondTickData) GetC() [][]string

GetC returns the C field value if set, zero value otherwise.

func (*BondTickData) GetCOk added in v2.0.15

func (o *BondTickData) GetCOk() (*[][]string, bool)

GetCOk returns a tuple with the C field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondTickData) GetCount added in v2.0.15

func (o *BondTickData) GetCount() int64

GetCount returns the Count field value if set, zero value otherwise.

func (*BondTickData) GetCountOk added in v2.0.15

func (o *BondTickData) GetCountOk() (*int64, bool)

GetCountOk returns a tuple with the Count field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondTickData) GetCp added in v2.0.15

func (o *BondTickData) GetCp() []string

GetCp returns the Cp field value if set, zero value otherwise.

func (*BondTickData) GetCpOk added in v2.0.15

func (o *BondTickData) GetCpOk() (*[]string, bool)

GetCpOk returns a tuple with the Cp field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondTickData) GetP added in v2.0.15

func (o *BondTickData) GetP() []float32

GetP returns the P field value if set, zero value otherwise.

func (*BondTickData) GetPOk added in v2.0.15

func (o *BondTickData) GetPOk() (*[]float32, bool)

GetPOk returns a tuple with the P field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondTickData) GetRp added in v2.0.16

func (o *BondTickData) GetRp() []string

GetRp returns the Rp field value if set, zero value otherwise.

func (*BondTickData) GetRpOk added in v2.0.16

func (o *BondTickData) GetRpOk() (*[]string, bool)

GetRpOk returns a tuple with the Rp field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondTickData) GetSi added in v2.0.15

func (o *BondTickData) GetSi() []string

GetSi returns the Si field value if set, zero value otherwise.

func (*BondTickData) GetSiOk added in v2.0.15

func (o *BondTickData) GetSiOk() (*[]string, bool)

GetSiOk returns a tuple with the Si field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondTickData) GetSkip added in v2.0.15

func (o *BondTickData) GetSkip() int64

GetSkip returns the Skip field value if set, zero value otherwise.

func (*BondTickData) GetSkipOk added in v2.0.15

func (o *BondTickData) GetSkipOk() (*int64, bool)

GetSkipOk returns a tuple with the Skip field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondTickData) GetT added in v2.0.15

func (o *BondTickData) GetT() []int64

GetT returns the T field value if set, zero value otherwise.

func (*BondTickData) GetTOk added in v2.0.15

func (o *BondTickData) GetTOk() (*[]int64, bool)

GetTOk returns a tuple with the T field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondTickData) GetTotal added in v2.0.15

func (o *BondTickData) GetTotal() int64

GetTotal returns the Total field value if set, zero value otherwise.

func (*BondTickData) GetTotalOk added in v2.0.15

func (o *BondTickData) GetTotalOk() (*int64, bool)

GetTotalOk returns a tuple with the Total field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondTickData) GetV added in v2.0.15

func (o *BondTickData) GetV() []float32

GetV returns the V field value if set, zero value otherwise.

func (*BondTickData) GetVOk added in v2.0.15

func (o *BondTickData) GetVOk() (*[]float32, bool)

GetVOk returns a tuple with the V field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondTickData) GetY added in v2.0.16

func (o *BondTickData) GetY() []float32

GetY returns the Y field value if set, zero value otherwise.

func (*BondTickData) GetYOk added in v2.0.16

func (o *BondTickData) GetYOk() (*[]float32, bool)

GetYOk returns a tuple with the Y field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondTickData) HasAts added in v2.0.16

func (o *BondTickData) HasAts() bool

HasAts returns a boolean if a field has been set.

func (*BondTickData) HasC added in v2.0.15

func (o *BondTickData) HasC() bool

HasC returns a boolean if a field has been set.

func (*BondTickData) HasCount added in v2.0.15

func (o *BondTickData) HasCount() bool

HasCount returns a boolean if a field has been set.

func (*BondTickData) HasCp added in v2.0.15

func (o *BondTickData) HasCp() bool

HasCp returns a boolean if a field has been set.

func (*BondTickData) HasP added in v2.0.15

func (o *BondTickData) HasP() bool

HasP returns a boolean if a field has been set.

func (*BondTickData) HasRp added in v2.0.16

func (o *BondTickData) HasRp() bool

HasRp returns a boolean if a field has been set.

func (*BondTickData) HasSi added in v2.0.15

func (o *BondTickData) HasSi() bool

HasSi returns a boolean if a field has been set.

func (*BondTickData) HasSkip added in v2.0.15

func (o *BondTickData) HasSkip() bool

HasSkip returns a boolean if a field has been set.

func (*BondTickData) HasT added in v2.0.15

func (o *BondTickData) HasT() bool

HasT returns a boolean if a field has been set.

func (*BondTickData) HasTotal added in v2.0.15

func (o *BondTickData) HasTotal() bool

HasTotal returns a boolean if a field has been set.

func (*BondTickData) HasV added in v2.0.15

func (o *BondTickData) HasV() bool

HasV returns a boolean if a field has been set.

func (*BondTickData) HasY added in v2.0.16

func (o *BondTickData) HasY() bool

HasY returns a boolean if a field has been set.

func (BondTickData) MarshalJSON added in v2.0.15

func (o BondTickData) MarshalJSON() ([]byte, error)

func (*BondTickData) SetAts added in v2.0.16

func (o *BondTickData) SetAts(v []string)

SetAts gets a reference to the given []string and assigns it to the Ats field.

func (*BondTickData) SetC added in v2.0.15

func (o *BondTickData) SetC(v [][]string)

SetC gets a reference to the given [][]string and assigns it to the C field.

func (*BondTickData) SetCount added in v2.0.15

func (o *BondTickData) SetCount(v int64)

SetCount gets a reference to the given int64 and assigns it to the Count field.

func (*BondTickData) SetCp added in v2.0.15

func (o *BondTickData) SetCp(v []string)

SetCp gets a reference to the given []string and assigns it to the Cp field.

func (*BondTickData) SetP added in v2.0.15

func (o *BondTickData) SetP(v []float32)

SetP gets a reference to the given []float32 and assigns it to the P field.

func (*BondTickData) SetRp added in v2.0.16

func (o *BondTickData) SetRp(v []string)

SetRp gets a reference to the given []string and assigns it to the Rp field.

func (*BondTickData) SetSi added in v2.0.15

func (o *BondTickData) SetSi(v []string)

SetSi gets a reference to the given []string and assigns it to the Si field.

func (*BondTickData) SetSkip added in v2.0.15

func (o *BondTickData) SetSkip(v int64)

SetSkip gets a reference to the given int64 and assigns it to the Skip field.

func (*BondTickData) SetT added in v2.0.15

func (o *BondTickData) SetT(v []int64)

SetT gets a reference to the given []int64 and assigns it to the T field.

func (*BondTickData) SetTotal added in v2.0.15

func (o *BondTickData) SetTotal(v int64)

SetTotal gets a reference to the given int64 and assigns it to the Total field.

func (*BondTickData) SetV added in v2.0.15

func (o *BondTickData) SetV(v []float32)

SetV gets a reference to the given []float32 and assigns it to the V field.

func (*BondTickData) SetY added in v2.0.16

func (o *BondTickData) SetY(v []float32)

SetY gets a reference to the given []float32 and assigns it to the Y field.

type BondYieldCurve added in v2.0.16

type BondYieldCurve struct {
	// Array of data.
	Data *[]BondYieldCurveInfo `json:"data,omitempty"`
	// Bond's code
	Code *string `json:"code,omitempty"`
}

BondYieldCurve struct for BondYieldCurve

func NewBondYieldCurve added in v2.0.16

func NewBondYieldCurve() *BondYieldCurve

NewBondYieldCurve instantiates a new BondYieldCurve object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewBondYieldCurveWithDefaults added in v2.0.16

func NewBondYieldCurveWithDefaults() *BondYieldCurve

NewBondYieldCurveWithDefaults instantiates a new BondYieldCurve object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*BondYieldCurve) GetCode added in v2.0.16

func (o *BondYieldCurve) GetCode() string

GetCode returns the Code field value if set, zero value otherwise.

func (*BondYieldCurve) GetCodeOk added in v2.0.16

func (o *BondYieldCurve) GetCodeOk() (*string, bool)

GetCodeOk returns a tuple with the Code field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondYieldCurve) GetData added in v2.0.16

func (o *BondYieldCurve) GetData() []BondYieldCurveInfo

GetData returns the Data field value if set, zero value otherwise.

func (*BondYieldCurve) GetDataOk added in v2.0.16

func (o *BondYieldCurve) GetDataOk() (*[]BondYieldCurveInfo, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondYieldCurve) HasCode added in v2.0.16

func (o *BondYieldCurve) HasCode() bool

HasCode returns a boolean if a field has been set.

func (*BondYieldCurve) HasData added in v2.0.16

func (o *BondYieldCurve) HasData() bool

HasData returns a boolean if a field has been set.

func (BondYieldCurve) MarshalJSON added in v2.0.16

func (o BondYieldCurve) MarshalJSON() ([]byte, error)

func (*BondYieldCurve) SetCode added in v2.0.16

func (o *BondYieldCurve) SetCode(v string)

SetCode gets a reference to the given string and assigns it to the Code field.

func (*BondYieldCurve) SetData added in v2.0.16

func (o *BondYieldCurve) SetData(v []BondYieldCurveInfo)

SetData gets a reference to the given []BondYieldCurveInfo and assigns it to the Data field.

type BondYieldCurveInfo added in v2.0.16

type BondYieldCurveInfo struct {
	// Date of the reading
	D *string `json:"d,omitempty"`
	// Value
	V *float32 `json:"v,omitempty"`
}

BondYieldCurveInfo struct for BondYieldCurveInfo

func NewBondYieldCurveInfo added in v2.0.16

func NewBondYieldCurveInfo() *BondYieldCurveInfo

NewBondYieldCurveInfo instantiates a new BondYieldCurveInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewBondYieldCurveInfoWithDefaults added in v2.0.16

func NewBondYieldCurveInfoWithDefaults() *BondYieldCurveInfo

NewBondYieldCurveInfoWithDefaults instantiates a new BondYieldCurveInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*BondYieldCurveInfo) GetD added in v2.0.16

func (o *BondYieldCurveInfo) GetD() string

GetD returns the D field value if set, zero value otherwise.

func (*BondYieldCurveInfo) GetDOk added in v2.0.16

func (o *BondYieldCurveInfo) GetDOk() (*string, bool)

GetDOk returns a tuple with the D field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondYieldCurveInfo) GetV added in v2.0.16

func (o *BondYieldCurveInfo) GetV() float32

GetV returns the V field value if set, zero value otherwise.

func (*BondYieldCurveInfo) GetVOk added in v2.0.16

func (o *BondYieldCurveInfo) GetVOk() (*float32, bool)

GetVOk returns a tuple with the V field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BondYieldCurveInfo) HasD added in v2.0.16

func (o *BondYieldCurveInfo) HasD() bool

HasD returns a boolean if a field has been set.

func (*BondYieldCurveInfo) HasV added in v2.0.16

func (o *BondYieldCurveInfo) HasV() bool

HasV returns a boolean if a field has been set.

func (BondYieldCurveInfo) MarshalJSON added in v2.0.16

func (o BondYieldCurveInfo) MarshalJSON() ([]byte, error)

func (*BondYieldCurveInfo) SetD added in v2.0.16

func (o *BondYieldCurveInfo) SetD(v string)

SetD gets a reference to the given string and assigns it to the D field.

func (*BondYieldCurveInfo) SetV added in v2.0.16

func (o *BondYieldCurveInfo) SetV(v float32)

SetV gets a reference to the given float32 and assigns it to the V field.

type BreakdownItem

type BreakdownItem struct {
	// Access number of the report from which the data is sourced.
	AccessNumber *string                 `json:"accessNumber,omitempty"`
	Breakdown    *map[string]interface{} `json:"breakdown,omitempty"`
}

BreakdownItem struct for BreakdownItem

func NewBreakdownItem

func NewBreakdownItem() *BreakdownItem

NewBreakdownItem instantiates a new BreakdownItem object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewBreakdownItemWithDefaults

func NewBreakdownItemWithDefaults() *BreakdownItem

NewBreakdownItemWithDefaults instantiates a new BreakdownItem object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*BreakdownItem) GetAccessNumber

func (o *BreakdownItem) GetAccessNumber() string

GetAccessNumber returns the AccessNumber field value if set, zero value otherwise.

func (*BreakdownItem) GetAccessNumberOk

func (o *BreakdownItem) GetAccessNumberOk() (*string, bool)

GetAccessNumberOk returns a tuple with the AccessNumber field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BreakdownItem) GetBreakdown

func (o *BreakdownItem) GetBreakdown() map[string]interface{}

GetBreakdown returns the Breakdown field value if set, zero value otherwise.

func (*BreakdownItem) GetBreakdownOk

func (o *BreakdownItem) GetBreakdownOk() (*map[string]interface{}, bool)

GetBreakdownOk returns a tuple with the Breakdown field value if set, nil otherwise and a boolean to check if the value has been set.

func (*BreakdownItem) HasAccessNumber

func (o *BreakdownItem) HasAccessNumber() bool

HasAccessNumber returns a boolean if a field has been set.

func (*BreakdownItem) HasBreakdown

func (o *BreakdownItem) HasBreakdown() bool

HasBreakdown returns a boolean if a field has been set.

func (BreakdownItem) MarshalJSON

func (o BreakdownItem) MarshalJSON() ([]byte, error)

func (*BreakdownItem) SetAccessNumber

func (o *BreakdownItem) SetAccessNumber(v string)

SetAccessNumber gets a reference to the given string and assigns it to the AccessNumber field.

func (*BreakdownItem) SetBreakdown

func (o *BreakdownItem) SetBreakdown(v map[string]interface{})

SetBreakdown gets a reference to the given map[string]interface{} and assigns it to the Breakdown field.

type Company

type Company struct {
	// Executive name
	Name *string `json:"name,omitempty"`
	// Age
	Age *int64 `json:"age,omitempty"`
	// Title
	Title *string `json:"title,omitempty"`
	// Year first appointed as executive/director of the company
	Since *string `json:"since,omitempty"`
	// Sex
	Sex *string `json:"sex,omitempty"`
	// Total compensation
	Compensation *int64 `json:"compensation,omitempty"`
	// Compensation currency
	Currency *string `json:"currency,omitempty"`
}

Company struct for Company

func NewCompany

func NewCompany() *Company

NewCompany instantiates a new Company object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCompanyWithDefaults

func NewCompanyWithDefaults() *Company

NewCompanyWithDefaults instantiates a new Company object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Company) GetAge

func (o *Company) GetAge() int64

GetAge returns the Age field value if set, zero value otherwise.

func (*Company) GetAgeOk

func (o *Company) GetAgeOk() (*int64, bool)

GetAgeOk returns a tuple with the Age field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Company) GetCompensation

func (o *Company) GetCompensation() int64

GetCompensation returns the Compensation field value if set, zero value otherwise.

func (*Company) GetCompensationOk

func (o *Company) GetCompensationOk() (*int64, bool)

GetCompensationOk returns a tuple with the Compensation field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Company) GetCurrency

func (o *Company) GetCurrency() string

GetCurrency returns the Currency field value if set, zero value otherwise.

func (*Company) GetCurrencyOk

func (o *Company) GetCurrencyOk() (*string, bool)

GetCurrencyOk returns a tuple with the Currency field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Company) GetName

func (o *Company) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*Company) GetNameOk

func (o *Company) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Company) GetSex

func (o *Company) GetSex() string

GetSex returns the Sex field value if set, zero value otherwise.

func (*Company) GetSexOk

func (o *Company) GetSexOk() (*string, bool)

GetSexOk returns a tuple with the Sex field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Company) GetSince

func (o *Company) GetSince() string

GetSince returns the Since field value if set, zero value otherwise.

func (*Company) GetSinceOk

func (o *Company) GetSinceOk() (*string, bool)

GetSinceOk returns a tuple with the Since field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Company) GetTitle

func (o *Company) GetTitle() string

GetTitle returns the Title field value if set, zero value otherwise.

func (*Company) GetTitleOk

func (o *Company) GetTitleOk() (*string, bool)

GetTitleOk returns a tuple with the Title field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Company) HasAge

func (o *Company) HasAge() bool

HasAge returns a boolean if a field has been set.

func (*Company) HasCompensation

func (o *Company) HasCompensation() bool

HasCompensation returns a boolean if a field has been set.

func (*Company) HasCurrency

func (o *Company) HasCurrency() bool

HasCurrency returns a boolean if a field has been set.

func (*Company) HasName

func (o *Company) HasName() bool

HasName returns a boolean if a field has been set.

func (*Company) HasSex

func (o *Company) HasSex() bool

HasSex returns a boolean if a field has been set.

func (*Company) HasSince

func (o *Company) HasSince() bool

HasSince returns a boolean if a field has been set.

func (*Company) HasTitle

func (o *Company) HasTitle() bool

HasTitle returns a boolean if a field has been set.

func (Company) MarshalJSON

func (o Company) MarshalJSON() ([]byte, error)

func (*Company) SetAge

func (o *Company) SetAge(v int64)

SetAge gets a reference to the given int64 and assigns it to the Age field.

func (*Company) SetCompensation

func (o *Company) SetCompensation(v int64)

SetCompensation gets a reference to the given int64 and assigns it to the Compensation field.

func (*Company) SetCurrency

func (o *Company) SetCurrency(v string)

SetCurrency gets a reference to the given string and assigns it to the Currency field.

func (*Company) SetName

func (o *Company) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*Company) SetSex

func (o *Company) SetSex(v string)

SetSex gets a reference to the given string and assigns it to the Sex field.

func (*Company) SetSince

func (o *Company) SetSince(v string)

SetSince gets a reference to the given string and assigns it to the Since field.

func (*Company) SetTitle

func (o *Company) SetTitle(v string)

SetTitle gets a reference to the given string and assigns it to the Title field.

type CompanyESG added in v2.0.5

type CompanyESG struct {
	// symbol
	Symbol *string `json:"symbol,omitempty"`
	// Total ESG Score
	TotalESGScore *float32 `json:"totalESGScore,omitempty"`
	// Environment Score
	EnvironmentScore *float32 `json:"environmentScore,omitempty"`
	// Governance Score
	GovernanceScore *float32 `json:"governanceScore,omitempty"`
	// Social Score
	SocialScore *float32                `json:"socialScore,omitempty"`
	Data        *map[string]interface{} `json:"data,omitempty"`
}

CompanyESG struct for CompanyESG

func NewCompanyESG added in v2.0.5

func NewCompanyESG() *CompanyESG

NewCompanyESG instantiates a new CompanyESG object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCompanyESGWithDefaults added in v2.0.5

func NewCompanyESGWithDefaults() *CompanyESG

NewCompanyESGWithDefaults instantiates a new CompanyESG object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CompanyESG) GetData added in v2.0.5

func (o *CompanyESG) GetData() map[string]interface{}

GetData returns the Data field value if set, zero value otherwise.

func (*CompanyESG) GetDataOk added in v2.0.5

func (o *CompanyESG) GetDataOk() (*map[string]interface{}, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyESG) GetEnvironmentScore added in v2.0.5

func (o *CompanyESG) GetEnvironmentScore() float32

GetEnvironmentScore returns the EnvironmentScore field value if set, zero value otherwise.

func (*CompanyESG) GetEnvironmentScoreOk added in v2.0.5

func (o *CompanyESG) GetEnvironmentScoreOk() (*float32, bool)

GetEnvironmentScoreOk returns a tuple with the EnvironmentScore field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyESG) GetGovernanceScore added in v2.0.5

func (o *CompanyESG) GetGovernanceScore() float32

GetGovernanceScore returns the GovernanceScore field value if set, zero value otherwise.

func (*CompanyESG) GetGovernanceScoreOk added in v2.0.5

func (o *CompanyESG) GetGovernanceScoreOk() (*float32, bool)

GetGovernanceScoreOk returns a tuple with the GovernanceScore field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyESG) GetSocialScore added in v2.0.5

func (o *CompanyESG) GetSocialScore() float32

GetSocialScore returns the SocialScore field value if set, zero value otherwise.

func (*CompanyESG) GetSocialScoreOk added in v2.0.5

func (o *CompanyESG) GetSocialScoreOk() (*float32, bool)

GetSocialScoreOk returns a tuple with the SocialScore field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyESG) GetSymbol added in v2.0.5

func (o *CompanyESG) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*CompanyESG) GetSymbolOk added in v2.0.5

func (o *CompanyESG) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyESG) GetTotalESGScore added in v2.0.5

func (o *CompanyESG) GetTotalESGScore() float32

GetTotalESGScore returns the TotalESGScore field value if set, zero value otherwise.

func (*CompanyESG) GetTotalESGScoreOk added in v2.0.5

func (o *CompanyESG) GetTotalESGScoreOk() (*float32, bool)

GetTotalESGScoreOk returns a tuple with the TotalESGScore field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyESG) HasData added in v2.0.5

func (o *CompanyESG) HasData() bool

HasData returns a boolean if a field has been set.

func (*CompanyESG) HasEnvironmentScore added in v2.0.5

func (o *CompanyESG) HasEnvironmentScore() bool

HasEnvironmentScore returns a boolean if a field has been set.

func (*CompanyESG) HasGovernanceScore added in v2.0.5

func (o *CompanyESG) HasGovernanceScore() bool

HasGovernanceScore returns a boolean if a field has been set.

func (*CompanyESG) HasSocialScore added in v2.0.5

func (o *CompanyESG) HasSocialScore() bool

HasSocialScore returns a boolean if a field has been set.

func (*CompanyESG) HasSymbol added in v2.0.5

func (o *CompanyESG) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*CompanyESG) HasTotalESGScore added in v2.0.5

func (o *CompanyESG) HasTotalESGScore() bool

HasTotalESGScore returns a boolean if a field has been set.

func (CompanyESG) MarshalJSON added in v2.0.5

func (o CompanyESG) MarshalJSON() ([]byte, error)

func (*CompanyESG) SetData added in v2.0.5

func (o *CompanyESG) SetData(v map[string]interface{})

SetData gets a reference to the given map[string]interface{} and assigns it to the Data field.

func (*CompanyESG) SetEnvironmentScore added in v2.0.5

func (o *CompanyESG) SetEnvironmentScore(v float32)

SetEnvironmentScore gets a reference to the given float32 and assigns it to the EnvironmentScore field.

func (*CompanyESG) SetGovernanceScore added in v2.0.5

func (o *CompanyESG) SetGovernanceScore(v float32)

SetGovernanceScore gets a reference to the given float32 and assigns it to the GovernanceScore field.

func (*CompanyESG) SetSocialScore added in v2.0.5

func (o *CompanyESG) SetSocialScore(v float32)

SetSocialScore gets a reference to the given float32 and assigns it to the SocialScore field.

func (*CompanyESG) SetSymbol added in v2.0.5

func (o *CompanyESG) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*CompanyESG) SetTotalESGScore added in v2.0.5

func (o *CompanyESG) SetTotalESGScore(v float32)

SetTotalESGScore gets a reference to the given float32 and assigns it to the TotalESGScore field.

type CompanyEarningsQualityScore added in v2.0.6

type CompanyEarningsQualityScore struct {
	// Symbol
	Symbol *string `json:"symbol,omitempty"`
	// Frequency
	Freq *string `json:"freq,omitempty"`
	// Array of earnings quality score.
	Data *[]CompanyEarningsQualityScoreData `json:"data,omitempty"`
}

CompanyEarningsQualityScore struct for CompanyEarningsQualityScore

func NewCompanyEarningsQualityScore added in v2.0.6

func NewCompanyEarningsQualityScore() *CompanyEarningsQualityScore

NewCompanyEarningsQualityScore instantiates a new CompanyEarningsQualityScore object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCompanyEarningsQualityScoreWithDefaults added in v2.0.6

func NewCompanyEarningsQualityScoreWithDefaults() *CompanyEarningsQualityScore

NewCompanyEarningsQualityScoreWithDefaults instantiates a new CompanyEarningsQualityScore object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CompanyEarningsQualityScore) GetData added in v2.0.6

GetData returns the Data field value if set, zero value otherwise.

func (*CompanyEarningsQualityScore) GetDataOk added in v2.0.6

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyEarningsQualityScore) GetFreq added in v2.0.6

func (o *CompanyEarningsQualityScore) GetFreq() string

GetFreq returns the Freq field value if set, zero value otherwise.

func (*CompanyEarningsQualityScore) GetFreqOk added in v2.0.6

func (o *CompanyEarningsQualityScore) GetFreqOk() (*string, bool)

GetFreqOk returns a tuple with the Freq field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyEarningsQualityScore) GetSymbol added in v2.0.6

func (o *CompanyEarningsQualityScore) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*CompanyEarningsQualityScore) GetSymbolOk added in v2.0.6

func (o *CompanyEarningsQualityScore) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyEarningsQualityScore) HasData added in v2.0.6

func (o *CompanyEarningsQualityScore) HasData() bool

HasData returns a boolean if a field has been set.

func (*CompanyEarningsQualityScore) HasFreq added in v2.0.6

func (o *CompanyEarningsQualityScore) HasFreq() bool

HasFreq returns a boolean if a field has been set.

func (*CompanyEarningsQualityScore) HasSymbol added in v2.0.6

func (o *CompanyEarningsQualityScore) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (CompanyEarningsQualityScore) MarshalJSON added in v2.0.6

func (o CompanyEarningsQualityScore) MarshalJSON() ([]byte, error)

func (*CompanyEarningsQualityScore) SetData added in v2.0.6

SetData gets a reference to the given []CompanyEarningsQualityScoreData and assigns it to the Data field.

func (*CompanyEarningsQualityScore) SetFreq added in v2.0.6

func (o *CompanyEarningsQualityScore) SetFreq(v string)

SetFreq gets a reference to the given string and assigns it to the Freq field.

func (*CompanyEarningsQualityScore) SetSymbol added in v2.0.6

func (o *CompanyEarningsQualityScore) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type CompanyEarningsQualityScoreData added in v2.0.6

type CompanyEarningsQualityScoreData struct {
	// Period
	Period *string `json:"period,omitempty"`
	// Growth Score
	Growth *float32 `json:"growth,omitempty"`
	// Profitability Score
	Profitability *float32 `json:"profitability,omitempty"`
	// Cash Generation and Capital Allocation
	CashGenerationCapitalAllocation *float32 `json:"cashGenerationCapitalAllocation,omitempty"`
	// Leverage Score
	Leverage *float32 `json:"leverage,omitempty"`
	// Total Score
	Score *float32 `json:"score,omitempty"`
	// Letter Score
	LetterScore *string `json:"letterScore,omitempty"`
}

CompanyEarningsQualityScoreData struct for CompanyEarningsQualityScoreData

func NewCompanyEarningsQualityScoreData added in v2.0.6

func NewCompanyEarningsQualityScoreData() *CompanyEarningsQualityScoreData

NewCompanyEarningsQualityScoreData instantiates a new CompanyEarningsQualityScoreData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCompanyEarningsQualityScoreDataWithDefaults added in v2.0.6

func NewCompanyEarningsQualityScoreDataWithDefaults() *CompanyEarningsQualityScoreData

NewCompanyEarningsQualityScoreDataWithDefaults instantiates a new CompanyEarningsQualityScoreData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CompanyEarningsQualityScoreData) GetCashGenerationCapitalAllocation added in v2.0.6

func (o *CompanyEarningsQualityScoreData) GetCashGenerationCapitalAllocation() float32

GetCashGenerationCapitalAllocation returns the CashGenerationCapitalAllocation field value if set, zero value otherwise.

func (*CompanyEarningsQualityScoreData) GetCashGenerationCapitalAllocationOk added in v2.0.6

func (o *CompanyEarningsQualityScoreData) GetCashGenerationCapitalAllocationOk() (*float32, bool)

GetCashGenerationCapitalAllocationOk returns a tuple with the CashGenerationCapitalAllocation field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyEarningsQualityScoreData) GetGrowth added in v2.0.6

GetGrowth returns the Growth field value if set, zero value otherwise.

func (*CompanyEarningsQualityScoreData) GetGrowthOk added in v2.0.6

func (o *CompanyEarningsQualityScoreData) GetGrowthOk() (*float32, bool)

GetGrowthOk returns a tuple with the Growth field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyEarningsQualityScoreData) GetLetterScore added in v2.0.6

func (o *CompanyEarningsQualityScoreData) GetLetterScore() string

GetLetterScore returns the LetterScore field value if set, zero value otherwise.

func (*CompanyEarningsQualityScoreData) GetLetterScoreOk added in v2.0.6

func (o *CompanyEarningsQualityScoreData) GetLetterScoreOk() (*string, bool)

GetLetterScoreOk returns a tuple with the LetterScore field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyEarningsQualityScoreData) GetLeverage added in v2.0.6

func (o *CompanyEarningsQualityScoreData) GetLeverage() float32

GetLeverage returns the Leverage field value if set, zero value otherwise.

func (*CompanyEarningsQualityScoreData) GetLeverageOk added in v2.0.6

func (o *CompanyEarningsQualityScoreData) GetLeverageOk() (*float32, bool)

GetLeverageOk returns a tuple with the Leverage field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyEarningsQualityScoreData) GetPeriod added in v2.0.6

func (o *CompanyEarningsQualityScoreData) GetPeriod() string

GetPeriod returns the Period field value if set, zero value otherwise.

func (*CompanyEarningsQualityScoreData) GetPeriodOk added in v2.0.6

func (o *CompanyEarningsQualityScoreData) GetPeriodOk() (*string, bool)

GetPeriodOk returns a tuple with the Period field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyEarningsQualityScoreData) GetProfitability added in v2.0.6

func (o *CompanyEarningsQualityScoreData) GetProfitability() float32

GetProfitability returns the Profitability field value if set, zero value otherwise.

func (*CompanyEarningsQualityScoreData) GetProfitabilityOk added in v2.0.6

func (o *CompanyEarningsQualityScoreData) GetProfitabilityOk() (*float32, bool)

GetProfitabilityOk returns a tuple with the Profitability field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyEarningsQualityScoreData) GetScore added in v2.0.6

GetScore returns the Score field value if set, zero value otherwise.

func (*CompanyEarningsQualityScoreData) GetScoreOk added in v2.0.6

func (o *CompanyEarningsQualityScoreData) GetScoreOk() (*float32, bool)

GetScoreOk returns a tuple with the Score field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyEarningsQualityScoreData) HasCashGenerationCapitalAllocation added in v2.0.6

func (o *CompanyEarningsQualityScoreData) HasCashGenerationCapitalAllocation() bool

HasCashGenerationCapitalAllocation returns a boolean if a field has been set.

func (*CompanyEarningsQualityScoreData) HasGrowth added in v2.0.6

func (o *CompanyEarningsQualityScoreData) HasGrowth() bool

HasGrowth returns a boolean if a field has been set.

func (*CompanyEarningsQualityScoreData) HasLetterScore added in v2.0.6

func (o *CompanyEarningsQualityScoreData) HasLetterScore() bool

HasLetterScore returns a boolean if a field has been set.

func (*CompanyEarningsQualityScoreData) HasLeverage added in v2.0.6

func (o *CompanyEarningsQualityScoreData) HasLeverage() bool

HasLeverage returns a boolean if a field has been set.

func (*CompanyEarningsQualityScoreData) HasPeriod added in v2.0.6

func (o *CompanyEarningsQualityScoreData) HasPeriod() bool

HasPeriod returns a boolean if a field has been set.

func (*CompanyEarningsQualityScoreData) HasProfitability added in v2.0.6

func (o *CompanyEarningsQualityScoreData) HasProfitability() bool

HasProfitability returns a boolean if a field has been set.

func (*CompanyEarningsQualityScoreData) HasScore added in v2.0.6

func (o *CompanyEarningsQualityScoreData) HasScore() bool

HasScore returns a boolean if a field has been set.

func (CompanyEarningsQualityScoreData) MarshalJSON added in v2.0.6

func (o CompanyEarningsQualityScoreData) MarshalJSON() ([]byte, error)

func (*CompanyEarningsQualityScoreData) SetCashGenerationCapitalAllocation added in v2.0.6

func (o *CompanyEarningsQualityScoreData) SetCashGenerationCapitalAllocation(v float32)

SetCashGenerationCapitalAllocation gets a reference to the given float32 and assigns it to the CashGenerationCapitalAllocation field.

func (*CompanyEarningsQualityScoreData) SetGrowth added in v2.0.6

func (o *CompanyEarningsQualityScoreData) SetGrowth(v float32)

SetGrowth gets a reference to the given float32 and assigns it to the Growth field.

func (*CompanyEarningsQualityScoreData) SetLetterScore added in v2.0.6

func (o *CompanyEarningsQualityScoreData) SetLetterScore(v string)

SetLetterScore gets a reference to the given string and assigns it to the LetterScore field.

func (*CompanyEarningsQualityScoreData) SetLeverage added in v2.0.6

func (o *CompanyEarningsQualityScoreData) SetLeverage(v float32)

SetLeverage gets a reference to the given float32 and assigns it to the Leverage field.

func (*CompanyEarningsQualityScoreData) SetPeriod added in v2.0.6

func (o *CompanyEarningsQualityScoreData) SetPeriod(v string)

SetPeriod gets a reference to the given string and assigns it to the Period field.

func (*CompanyEarningsQualityScoreData) SetProfitability added in v2.0.6

func (o *CompanyEarningsQualityScoreData) SetProfitability(v float32)

SetProfitability gets a reference to the given float32 and assigns it to the Profitability field.

func (*CompanyEarningsQualityScoreData) SetScore added in v2.0.6

SetScore gets a reference to the given float32 and assigns it to the Score field.

type CompanyExecutive

type CompanyExecutive struct {
	// Company symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Array of company's executives and members of the Board.
	Executive *[]Company `json:"executive,omitempty"`
}

CompanyExecutive struct for CompanyExecutive

func NewCompanyExecutive

func NewCompanyExecutive() *CompanyExecutive

NewCompanyExecutive instantiates a new CompanyExecutive object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCompanyExecutiveWithDefaults

func NewCompanyExecutiveWithDefaults() *CompanyExecutive

NewCompanyExecutiveWithDefaults instantiates a new CompanyExecutive object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CompanyExecutive) GetExecutive

func (o *CompanyExecutive) GetExecutive() []Company

GetExecutive returns the Executive field value if set, zero value otherwise.

func (*CompanyExecutive) GetExecutiveOk

func (o *CompanyExecutive) GetExecutiveOk() (*[]Company, bool)

GetExecutiveOk returns a tuple with the Executive field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyExecutive) GetSymbol

func (o *CompanyExecutive) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*CompanyExecutive) GetSymbolOk

func (o *CompanyExecutive) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyExecutive) HasExecutive

func (o *CompanyExecutive) HasExecutive() bool

HasExecutive returns a boolean if a field has been set.

func (*CompanyExecutive) HasSymbol

func (o *CompanyExecutive) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (CompanyExecutive) MarshalJSON

func (o CompanyExecutive) MarshalJSON() ([]byte, error)

func (*CompanyExecutive) SetExecutive

func (o *CompanyExecutive) SetExecutive(v []Company)

SetExecutive gets a reference to the given []Company and assigns it to the Executive field.

func (*CompanyExecutive) SetSymbol

func (o *CompanyExecutive) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type CompanyNews

type CompanyNews struct {
	// News category.
	Category *string `json:"category,omitempty"`
	// Published time in UNIX timestamp.
	Datetime *int64 `json:"datetime,omitempty"`
	// News headline.
	Headline *string `json:"headline,omitempty"`
	// News ID. This value can be used for <code>minId</code> params to get the latest news only.
	Id *int64 `json:"id,omitempty"`
	// Thumbnail image URL.
	Image *string `json:"image,omitempty"`
	// Related stocks and companies mentioned in the article.
	Related *string `json:"related,omitempty"`
	// News source.
	Source *string `json:"source,omitempty"`
	// News summary.
	Summary *string `json:"summary,omitempty"`
	// URL of the original article.
	Url *string `json:"url,omitempty"`
}

CompanyNews struct for CompanyNews

func NewCompanyNews

func NewCompanyNews() *CompanyNews

NewCompanyNews instantiates a new CompanyNews object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCompanyNewsWithDefaults

func NewCompanyNewsWithDefaults() *CompanyNews

NewCompanyNewsWithDefaults instantiates a new CompanyNews object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CompanyNews) GetCategory

func (o *CompanyNews) GetCategory() string

GetCategory returns the Category field value if set, zero value otherwise.

func (*CompanyNews) GetCategoryOk

func (o *CompanyNews) GetCategoryOk() (*string, bool)

GetCategoryOk returns a tuple with the Category field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyNews) GetDatetime

func (o *CompanyNews) GetDatetime() int64

GetDatetime returns the Datetime field value if set, zero value otherwise.

func (*CompanyNews) GetDatetimeOk

func (o *CompanyNews) GetDatetimeOk() (*int64, bool)

GetDatetimeOk returns a tuple with the Datetime field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyNews) GetHeadline

func (o *CompanyNews) GetHeadline() string

GetHeadline returns the Headline field value if set, zero value otherwise.

func (*CompanyNews) GetHeadlineOk

func (o *CompanyNews) GetHeadlineOk() (*string, bool)

GetHeadlineOk returns a tuple with the Headline field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyNews) GetId

func (o *CompanyNews) GetId() int64

GetId returns the Id field value if set, zero value otherwise.

func (*CompanyNews) GetIdOk

func (o *CompanyNews) GetIdOk() (*int64, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyNews) GetImage

func (o *CompanyNews) GetImage() string

GetImage returns the Image field value if set, zero value otherwise.

func (*CompanyNews) GetImageOk

func (o *CompanyNews) GetImageOk() (*string, bool)

GetImageOk returns a tuple with the Image field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyNews) GetRelated

func (o *CompanyNews) GetRelated() string

GetRelated returns the Related field value if set, zero value otherwise.

func (*CompanyNews) GetRelatedOk

func (o *CompanyNews) GetRelatedOk() (*string, bool)

GetRelatedOk returns a tuple with the Related field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyNews) GetSource

func (o *CompanyNews) GetSource() string

GetSource returns the Source field value if set, zero value otherwise.

func (*CompanyNews) GetSourceOk

func (o *CompanyNews) GetSourceOk() (*string, bool)

GetSourceOk returns a tuple with the Source field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyNews) GetSummary

func (o *CompanyNews) GetSummary() string

GetSummary returns the Summary field value if set, zero value otherwise.

func (*CompanyNews) GetSummaryOk

func (o *CompanyNews) GetSummaryOk() (*string, bool)

GetSummaryOk returns a tuple with the Summary field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyNews) GetUrl

func (o *CompanyNews) GetUrl() string

GetUrl returns the Url field value if set, zero value otherwise.

func (*CompanyNews) GetUrlOk

func (o *CompanyNews) GetUrlOk() (*string, bool)

GetUrlOk returns a tuple with the Url field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyNews) HasCategory

func (o *CompanyNews) HasCategory() bool

HasCategory returns a boolean if a field has been set.

func (*CompanyNews) HasDatetime

func (o *CompanyNews) HasDatetime() bool

HasDatetime returns a boolean if a field has been set.

func (*CompanyNews) HasHeadline

func (o *CompanyNews) HasHeadline() bool

HasHeadline returns a boolean if a field has been set.

func (*CompanyNews) HasId

func (o *CompanyNews) HasId() bool

HasId returns a boolean if a field has been set.

func (*CompanyNews) HasImage

func (o *CompanyNews) HasImage() bool

HasImage returns a boolean if a field has been set.

func (*CompanyNews) HasRelated

func (o *CompanyNews) HasRelated() bool

HasRelated returns a boolean if a field has been set.

func (*CompanyNews) HasSource

func (o *CompanyNews) HasSource() bool

HasSource returns a boolean if a field has been set.

func (*CompanyNews) HasSummary

func (o *CompanyNews) HasSummary() bool

HasSummary returns a boolean if a field has been set.

func (*CompanyNews) HasUrl

func (o *CompanyNews) HasUrl() bool

HasUrl returns a boolean if a field has been set.

func (CompanyNews) MarshalJSON

func (o CompanyNews) MarshalJSON() ([]byte, error)

func (*CompanyNews) SetCategory

func (o *CompanyNews) SetCategory(v string)

SetCategory gets a reference to the given string and assigns it to the Category field.

func (*CompanyNews) SetDatetime

func (o *CompanyNews) SetDatetime(v int64)

SetDatetime gets a reference to the given int64 and assigns it to the Datetime field.

func (*CompanyNews) SetHeadline

func (o *CompanyNews) SetHeadline(v string)

SetHeadline gets a reference to the given string and assigns it to the Headline field.

func (*CompanyNews) SetId

func (o *CompanyNews) SetId(v int64)

SetId gets a reference to the given int64 and assigns it to the Id field.

func (*CompanyNews) SetImage

func (o *CompanyNews) SetImage(v string)

SetImage gets a reference to the given string and assigns it to the Image field.

func (*CompanyNews) SetRelated

func (o *CompanyNews) SetRelated(v string)

SetRelated gets a reference to the given string and assigns it to the Related field.

func (*CompanyNews) SetSource

func (o *CompanyNews) SetSource(v string)

SetSource gets a reference to the given string and assigns it to the Source field.

func (*CompanyNews) SetSummary

func (o *CompanyNews) SetSummary(v string)

SetSummary gets a reference to the given string and assigns it to the Summary field.

func (*CompanyNews) SetUrl

func (o *CompanyNews) SetUrl(v string)

SetUrl gets a reference to the given string and assigns it to the Url field.

type CompanyNewsStatistics

type CompanyNewsStatistics struct {
	//
	ArticlesInLastWeek *int64 `json:"articlesInLastWeek,omitempty"`
	//
	Buzz *float32 `json:"buzz,omitempty"`
	//
	WeeklyAverage *float32 `json:"weeklyAverage,omitempty"`
}

CompanyNewsStatistics struct for CompanyNewsStatistics

func NewCompanyNewsStatistics

func NewCompanyNewsStatistics() *CompanyNewsStatistics

NewCompanyNewsStatistics instantiates a new CompanyNewsStatistics object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCompanyNewsStatisticsWithDefaults

func NewCompanyNewsStatisticsWithDefaults() *CompanyNewsStatistics

NewCompanyNewsStatisticsWithDefaults instantiates a new CompanyNewsStatistics object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CompanyNewsStatistics) GetArticlesInLastWeek

func (o *CompanyNewsStatistics) GetArticlesInLastWeek() int64

GetArticlesInLastWeek returns the ArticlesInLastWeek field value if set, zero value otherwise.

func (*CompanyNewsStatistics) GetArticlesInLastWeekOk

func (o *CompanyNewsStatistics) GetArticlesInLastWeekOk() (*int64, bool)

GetArticlesInLastWeekOk returns a tuple with the ArticlesInLastWeek field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyNewsStatistics) GetBuzz

func (o *CompanyNewsStatistics) GetBuzz() float32

GetBuzz returns the Buzz field value if set, zero value otherwise.

func (*CompanyNewsStatistics) GetBuzzOk

func (o *CompanyNewsStatistics) GetBuzzOk() (*float32, bool)

GetBuzzOk returns a tuple with the Buzz field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyNewsStatistics) GetWeeklyAverage

func (o *CompanyNewsStatistics) GetWeeklyAverage() float32

GetWeeklyAverage returns the WeeklyAverage field value if set, zero value otherwise.

func (*CompanyNewsStatistics) GetWeeklyAverageOk

func (o *CompanyNewsStatistics) GetWeeklyAverageOk() (*float32, bool)

GetWeeklyAverageOk returns a tuple with the WeeklyAverage field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyNewsStatistics) HasArticlesInLastWeek

func (o *CompanyNewsStatistics) HasArticlesInLastWeek() bool

HasArticlesInLastWeek returns a boolean if a field has been set.

func (*CompanyNewsStatistics) HasBuzz

func (o *CompanyNewsStatistics) HasBuzz() bool

HasBuzz returns a boolean if a field has been set.

func (*CompanyNewsStatistics) HasWeeklyAverage

func (o *CompanyNewsStatistics) HasWeeklyAverage() bool

HasWeeklyAverage returns a boolean if a field has been set.

func (CompanyNewsStatistics) MarshalJSON

func (o CompanyNewsStatistics) MarshalJSON() ([]byte, error)

func (*CompanyNewsStatistics) SetArticlesInLastWeek

func (o *CompanyNewsStatistics) SetArticlesInLastWeek(v int64)

SetArticlesInLastWeek gets a reference to the given int64 and assigns it to the ArticlesInLastWeek field.

func (*CompanyNewsStatistics) SetBuzz

func (o *CompanyNewsStatistics) SetBuzz(v float32)

SetBuzz gets a reference to the given float32 and assigns it to the Buzz field.

func (*CompanyNewsStatistics) SetWeeklyAverage

func (o *CompanyNewsStatistics) SetWeeklyAverage(v float32)

SetWeeklyAverage gets a reference to the given float32 and assigns it to the WeeklyAverage field.

type CompanyProfile

type CompanyProfile struct {
	// Company name alias.
	Alias *[]string `json:"alias,omitempty"`
	// Address of company's headquarter.
	Address *string `json:"address,omitempty"`
	// City of company's headquarter.
	City *string `json:"city,omitempty"`
	// Country of company's headquarter.
	Country *string `json:"country,omitempty"`
	// Currency used in company filings and financials.
	Currency *string `json:"currency,omitempty"`
	// Currency used in Estimates data.
	EstimateCurrency *string `json:"estimateCurrency,omitempty"`
	// Currency used in market capitalization.
	MarketCapCurrency *string `json:"marketCapCurrency,omitempty"`
	// CUSIP number.
	Cusip *string `json:"cusip,omitempty"`
	// Sedol number.
	Sedol *string `json:"sedol,omitempty"`
	// Company business summary.
	Description *string `json:"description,omitempty"`
	// Listed exchange.
	Exchange *string `json:"exchange,omitempty"`
	// Industry group.
	Ggroup *string `json:"ggroup,omitempty"`
	// Industry.
	Gind *string `json:"gind,omitempty"`
	// Sector.
	Gsector *string `json:"gsector,omitempty"`
	// Sub-industry.
	Gsubind *string `json:"gsubind,omitempty"`
	// ISIN number.
	Isin *string `json:"isin,omitempty"`
	// LEI number.
	Lei *string `json:"lei,omitempty"`
	// NAICS national industry.
	NaicsNationalIndustry *string `json:"naicsNationalIndustry,omitempty"`
	// NAICS industry.
	Naics *string `json:"naics,omitempty"`
	// NAICS sector.
	NaicsSector *string `json:"naicsSector,omitempty"`
	// NAICS subsector.
	NaicsSubsector *string `json:"naicsSubsector,omitempty"`
	// Company name.
	Name *string `json:"name,omitempty"`
	// Company phone number.
	Phone *string `json:"phone,omitempty"`
	// State of company's headquarter.
	State *string `json:"state,omitempty"`
	// Company symbol/ticker as used on the listed exchange.
	Ticker *string `json:"ticker,omitempty"`
	// Company website.
	Weburl *string `json:"weburl,omitempty"`
	// IPO date.
	Ipo *string `json:"ipo,omitempty"`
	// Market Capitalization.
	MarketCapitalization *float32 `json:"marketCapitalization,omitempty"`
	// Number of oustanding shares.
	ShareOutstanding *float32 `json:"shareOutstanding,omitempty"`
	// Number of employee.
	EmployeeTotal *float32 `json:"employeeTotal,omitempty"`
	Logo *string `json:"logo,omitempty"`
	// Finnhub industry classification.
	FinnhubIndustry *string `json:"finnhubIndustry,omitempty"`
}

CompanyProfile struct for CompanyProfile

func NewCompanyProfile

func NewCompanyProfile() *CompanyProfile

NewCompanyProfile instantiates a new CompanyProfile object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCompanyProfileWithDefaults

func NewCompanyProfileWithDefaults() *CompanyProfile

NewCompanyProfileWithDefaults instantiates a new CompanyProfile object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CompanyProfile) GetAddress

func (o *CompanyProfile) GetAddress() string

GetAddress returns the Address field value if set, zero value otherwise.

func (*CompanyProfile) GetAddressOk

func (o *CompanyProfile) GetAddressOk() (*string, bool)

GetAddressOk returns a tuple with the Address field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetAlias added in v2.0.17

func (o *CompanyProfile) GetAlias() []string

GetAlias returns the Alias field value if set, zero value otherwise.

func (*CompanyProfile) GetAliasOk added in v2.0.17

func (o *CompanyProfile) GetAliasOk() (*[]string, bool)

GetAliasOk returns a tuple with the Alias field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetCity

func (o *CompanyProfile) GetCity() string

GetCity returns the City field value if set, zero value otherwise.

func (*CompanyProfile) GetCityOk

func (o *CompanyProfile) GetCityOk() (*string, bool)

GetCityOk returns a tuple with the City field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetCountry

func (o *CompanyProfile) GetCountry() string

GetCountry returns the Country field value if set, zero value otherwise.

func (*CompanyProfile) GetCountryOk

func (o *CompanyProfile) GetCountryOk() (*string, bool)

GetCountryOk returns a tuple with the Country field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetCurrency

func (o *CompanyProfile) GetCurrency() string

GetCurrency returns the Currency field value if set, zero value otherwise.

func (*CompanyProfile) GetCurrencyOk

func (o *CompanyProfile) GetCurrencyOk() (*string, bool)

GetCurrencyOk returns a tuple with the Currency field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetCusip

func (o *CompanyProfile) GetCusip() string

GetCusip returns the Cusip field value if set, zero value otherwise.

func (*CompanyProfile) GetCusipOk

func (o *CompanyProfile) GetCusipOk() (*string, bool)

GetCusipOk returns a tuple with the Cusip field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetDescription

func (o *CompanyProfile) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*CompanyProfile) GetDescriptionOk

func (o *CompanyProfile) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetEmployeeTotal

func (o *CompanyProfile) GetEmployeeTotal() float32

GetEmployeeTotal returns the EmployeeTotal field value if set, zero value otherwise.

func (*CompanyProfile) GetEmployeeTotalOk

func (o *CompanyProfile) GetEmployeeTotalOk() (*float32, bool)

GetEmployeeTotalOk returns a tuple with the EmployeeTotal field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetEstimateCurrency added in v2.0.16

func (o *CompanyProfile) GetEstimateCurrency() string

GetEstimateCurrency returns the EstimateCurrency field value if set, zero value otherwise.

func (*CompanyProfile) GetEstimateCurrencyOk added in v2.0.16

func (o *CompanyProfile) GetEstimateCurrencyOk() (*string, bool)

GetEstimateCurrencyOk returns a tuple with the EstimateCurrency field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetExchange

func (o *CompanyProfile) GetExchange() string

GetExchange returns the Exchange field value if set, zero value otherwise.

func (*CompanyProfile) GetExchangeOk

func (o *CompanyProfile) GetExchangeOk() (*string, bool)

GetExchangeOk returns a tuple with the Exchange field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetFinnhubIndustry

func (o *CompanyProfile) GetFinnhubIndustry() string

GetFinnhubIndustry returns the FinnhubIndustry field value if set, zero value otherwise.

func (*CompanyProfile) GetFinnhubIndustryOk

func (o *CompanyProfile) GetFinnhubIndustryOk() (*string, bool)

GetFinnhubIndustryOk returns a tuple with the FinnhubIndustry field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetGgroup

func (o *CompanyProfile) GetGgroup() string

GetGgroup returns the Ggroup field value if set, zero value otherwise.

func (*CompanyProfile) GetGgroupOk

func (o *CompanyProfile) GetGgroupOk() (*string, bool)

GetGgroupOk returns a tuple with the Ggroup field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetGind

func (o *CompanyProfile) GetGind() string

GetGind returns the Gind field value if set, zero value otherwise.

func (*CompanyProfile) GetGindOk

func (o *CompanyProfile) GetGindOk() (*string, bool)

GetGindOk returns a tuple with the Gind field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetGsector

func (o *CompanyProfile) GetGsector() string

GetGsector returns the Gsector field value if set, zero value otherwise.

func (*CompanyProfile) GetGsectorOk

func (o *CompanyProfile) GetGsectorOk() (*string, bool)

GetGsectorOk returns a tuple with the Gsector field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetGsubind

func (o *CompanyProfile) GetGsubind() string

GetGsubind returns the Gsubind field value if set, zero value otherwise.

func (*CompanyProfile) GetGsubindOk

func (o *CompanyProfile) GetGsubindOk() (*string, bool)

GetGsubindOk returns a tuple with the Gsubind field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetIpo

func (o *CompanyProfile) GetIpo() string

GetIpo returns the Ipo field value if set, zero value otherwise.

func (*CompanyProfile) GetIpoOk

func (o *CompanyProfile) GetIpoOk() (*string, bool)

GetIpoOk returns a tuple with the Ipo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetIsin

func (o *CompanyProfile) GetIsin() string

GetIsin returns the Isin field value if set, zero value otherwise.

func (*CompanyProfile) GetIsinOk

func (o *CompanyProfile) GetIsinOk() (*string, bool)

GetIsinOk returns a tuple with the Isin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetLei added in v2.0.17

func (o *CompanyProfile) GetLei() string

GetLei returns the Lei field value if set, zero value otherwise.

func (*CompanyProfile) GetLeiOk added in v2.0.17

func (o *CompanyProfile) GetLeiOk() (*string, bool)

GetLeiOk returns a tuple with the Lei field value if set, nil otherwise and a boolean to check if the value has been set.

func (o *CompanyProfile) GetLogo() string

GetLogo returns the Logo field value if set, zero value otherwise.

func (*CompanyProfile) GetLogoOk

func (o *CompanyProfile) GetLogoOk() (*string, bool)

GetLogoOk returns a tuple with the Logo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetMarketCapCurrency added in v2.0.16

func (o *CompanyProfile) GetMarketCapCurrency() string

GetMarketCapCurrency returns the MarketCapCurrency field value if set, zero value otherwise.

func (*CompanyProfile) GetMarketCapCurrencyOk added in v2.0.16

func (o *CompanyProfile) GetMarketCapCurrencyOk() (*string, bool)

GetMarketCapCurrencyOk returns a tuple with the MarketCapCurrency field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetMarketCapitalization

func (o *CompanyProfile) GetMarketCapitalization() float32

GetMarketCapitalization returns the MarketCapitalization field value if set, zero value otherwise.

func (*CompanyProfile) GetMarketCapitalizationOk

func (o *CompanyProfile) GetMarketCapitalizationOk() (*float32, bool)

GetMarketCapitalizationOk returns a tuple with the MarketCapitalization field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetNaics

func (o *CompanyProfile) GetNaics() string

GetNaics returns the Naics field value if set, zero value otherwise.

func (*CompanyProfile) GetNaicsNationalIndustry

func (o *CompanyProfile) GetNaicsNationalIndustry() string

GetNaicsNationalIndustry returns the NaicsNationalIndustry field value if set, zero value otherwise.

func (*CompanyProfile) GetNaicsNationalIndustryOk

func (o *CompanyProfile) GetNaicsNationalIndustryOk() (*string, bool)

GetNaicsNationalIndustryOk returns a tuple with the NaicsNationalIndustry field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetNaicsOk

func (o *CompanyProfile) GetNaicsOk() (*string, bool)

GetNaicsOk returns a tuple with the Naics field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetNaicsSector

func (o *CompanyProfile) GetNaicsSector() string

GetNaicsSector returns the NaicsSector field value if set, zero value otherwise.

func (*CompanyProfile) GetNaicsSectorOk

func (o *CompanyProfile) GetNaicsSectorOk() (*string, bool)

GetNaicsSectorOk returns a tuple with the NaicsSector field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetNaicsSubsector

func (o *CompanyProfile) GetNaicsSubsector() string

GetNaicsSubsector returns the NaicsSubsector field value if set, zero value otherwise.

func (*CompanyProfile) GetNaicsSubsectorOk

func (o *CompanyProfile) GetNaicsSubsectorOk() (*string, bool)

GetNaicsSubsectorOk returns a tuple with the NaicsSubsector field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetName

func (o *CompanyProfile) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*CompanyProfile) GetNameOk

func (o *CompanyProfile) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetPhone

func (o *CompanyProfile) GetPhone() string

GetPhone returns the Phone field value if set, zero value otherwise.

func (*CompanyProfile) GetPhoneOk

func (o *CompanyProfile) GetPhoneOk() (*string, bool)

GetPhoneOk returns a tuple with the Phone field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetSedol

func (o *CompanyProfile) GetSedol() string

GetSedol returns the Sedol field value if set, zero value otherwise.

func (*CompanyProfile) GetSedolOk

func (o *CompanyProfile) GetSedolOk() (*string, bool)

GetSedolOk returns a tuple with the Sedol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetShareOutstanding

func (o *CompanyProfile) GetShareOutstanding() float32

GetShareOutstanding returns the ShareOutstanding field value if set, zero value otherwise.

func (*CompanyProfile) GetShareOutstandingOk

func (o *CompanyProfile) GetShareOutstandingOk() (*float32, bool)

GetShareOutstandingOk returns a tuple with the ShareOutstanding field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetState

func (o *CompanyProfile) GetState() string

GetState returns the State field value if set, zero value otherwise.

func (*CompanyProfile) GetStateOk

func (o *CompanyProfile) GetStateOk() (*string, bool)

GetStateOk returns a tuple with the State field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetTicker

func (o *CompanyProfile) GetTicker() string

GetTicker returns the Ticker field value if set, zero value otherwise.

func (*CompanyProfile) GetTickerOk

func (o *CompanyProfile) GetTickerOk() (*string, bool)

GetTickerOk returns a tuple with the Ticker field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) GetWeburl

func (o *CompanyProfile) GetWeburl() string

GetWeburl returns the Weburl field value if set, zero value otherwise.

func (*CompanyProfile) GetWeburlOk

func (o *CompanyProfile) GetWeburlOk() (*string, bool)

GetWeburlOk returns a tuple with the Weburl field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile) HasAddress

func (o *CompanyProfile) HasAddress() bool

HasAddress returns a boolean if a field has been set.

func (*CompanyProfile) HasAlias added in v2.0.17

func (o *CompanyProfile) HasAlias() bool

HasAlias returns a boolean if a field has been set.

func (*CompanyProfile) HasCity

func (o *CompanyProfile) HasCity() bool

HasCity returns a boolean if a field has been set.

func (*CompanyProfile) HasCountry

func (o *CompanyProfile) HasCountry() bool

HasCountry returns a boolean if a field has been set.

func (*CompanyProfile) HasCurrency

func (o *CompanyProfile) HasCurrency() bool

HasCurrency returns a boolean if a field has been set.

func (*CompanyProfile) HasCusip

func (o *CompanyProfile) HasCusip() bool

HasCusip returns a boolean if a field has been set.

func (*CompanyProfile) HasDescription

func (o *CompanyProfile) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*CompanyProfile) HasEmployeeTotal

func (o *CompanyProfile) HasEmployeeTotal() bool

HasEmployeeTotal returns a boolean if a field has been set.

func (*CompanyProfile) HasEstimateCurrency added in v2.0.16

func (o *CompanyProfile) HasEstimateCurrency() bool

HasEstimateCurrency returns a boolean if a field has been set.

func (*CompanyProfile) HasExchange

func (o *CompanyProfile) HasExchange() bool

HasExchange returns a boolean if a field has been set.

func (*CompanyProfile) HasFinnhubIndustry

func (o *CompanyProfile) HasFinnhubIndustry() bool

HasFinnhubIndustry returns a boolean if a field has been set.

func (*CompanyProfile) HasGgroup

func (o *CompanyProfile) HasGgroup() bool

HasGgroup returns a boolean if a field has been set.

func (*CompanyProfile) HasGind

func (o *CompanyProfile) HasGind() bool

HasGind returns a boolean if a field has been set.

func (*CompanyProfile) HasGsector

func (o *CompanyProfile) HasGsector() bool

HasGsector returns a boolean if a field has been set.

func (*CompanyProfile) HasGsubind

func (o *CompanyProfile) HasGsubind() bool

HasGsubind returns a boolean if a field has been set.

func (*CompanyProfile) HasIpo

func (o *CompanyProfile) HasIpo() bool

HasIpo returns a boolean if a field has been set.

func (*CompanyProfile) HasIsin

func (o *CompanyProfile) HasIsin() bool

HasIsin returns a boolean if a field has been set.

func (*CompanyProfile) HasLei added in v2.0.17

func (o *CompanyProfile) HasLei() bool

HasLei returns a boolean if a field has been set.

func (o *CompanyProfile) HasLogo() bool

HasLogo returns a boolean if a field has been set.

func (*CompanyProfile) HasMarketCapCurrency added in v2.0.16

func (o *CompanyProfile) HasMarketCapCurrency() bool

HasMarketCapCurrency returns a boolean if a field has been set.

func (*CompanyProfile) HasMarketCapitalization

func (o *CompanyProfile) HasMarketCapitalization() bool

HasMarketCapitalization returns a boolean if a field has been set.

func (*CompanyProfile) HasNaics

func (o *CompanyProfile) HasNaics() bool

HasNaics returns a boolean if a field has been set.

func (*CompanyProfile) HasNaicsNationalIndustry

func (o *CompanyProfile) HasNaicsNationalIndustry() bool

HasNaicsNationalIndustry returns a boolean if a field has been set.

func (*CompanyProfile) HasNaicsSector

func (o *CompanyProfile) HasNaicsSector() bool

HasNaicsSector returns a boolean if a field has been set.

func (*CompanyProfile) HasNaicsSubsector

func (o *CompanyProfile) HasNaicsSubsector() bool

HasNaicsSubsector returns a boolean if a field has been set.

func (*CompanyProfile) HasName

func (o *CompanyProfile) HasName() bool

HasName returns a boolean if a field has been set.

func (*CompanyProfile) HasPhone

func (o *CompanyProfile) HasPhone() bool

HasPhone returns a boolean if a field has been set.

func (*CompanyProfile) HasSedol

func (o *CompanyProfile) HasSedol() bool

HasSedol returns a boolean if a field has been set.

func (*CompanyProfile) HasShareOutstanding

func (o *CompanyProfile) HasShareOutstanding() bool

HasShareOutstanding returns a boolean if a field has been set.

func (*CompanyProfile) HasState

func (o *CompanyProfile) HasState() bool

HasState returns a boolean if a field has been set.

func (*CompanyProfile) HasTicker

func (o *CompanyProfile) HasTicker() bool

HasTicker returns a boolean if a field has been set.

func (*CompanyProfile) HasWeburl

func (o *CompanyProfile) HasWeburl() bool

HasWeburl returns a boolean if a field has been set.

func (CompanyProfile) MarshalJSON

func (o CompanyProfile) MarshalJSON() ([]byte, error)

func (*CompanyProfile) SetAddress

func (o *CompanyProfile) SetAddress(v string)

SetAddress gets a reference to the given string and assigns it to the Address field.

func (*CompanyProfile) SetAlias added in v2.0.17

func (o *CompanyProfile) SetAlias(v []string)

SetAlias gets a reference to the given []string and assigns it to the Alias field.

func (*CompanyProfile) SetCity

func (o *CompanyProfile) SetCity(v string)

SetCity gets a reference to the given string and assigns it to the City field.

func (*CompanyProfile) SetCountry

func (o *CompanyProfile) SetCountry(v string)

SetCountry gets a reference to the given string and assigns it to the Country field.

func (*CompanyProfile) SetCurrency

func (o *CompanyProfile) SetCurrency(v string)

SetCurrency gets a reference to the given string and assigns it to the Currency field.

func (*CompanyProfile) SetCusip

func (o *CompanyProfile) SetCusip(v string)

SetCusip gets a reference to the given string and assigns it to the Cusip field.

func (*CompanyProfile) SetDescription

func (o *CompanyProfile) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*CompanyProfile) SetEmployeeTotal

func (o *CompanyProfile) SetEmployeeTotal(v float32)

SetEmployeeTotal gets a reference to the given float32 and assigns it to the EmployeeTotal field.

func (*CompanyProfile) SetEstimateCurrency added in v2.0.16

func (o *CompanyProfile) SetEstimateCurrency(v string)

SetEstimateCurrency gets a reference to the given string and assigns it to the EstimateCurrency field.

func (*CompanyProfile) SetExchange

func (o *CompanyProfile) SetExchange(v string)

SetExchange gets a reference to the given string and assigns it to the Exchange field.

func (*CompanyProfile) SetFinnhubIndustry

func (o *CompanyProfile) SetFinnhubIndustry(v string)

SetFinnhubIndustry gets a reference to the given string and assigns it to the FinnhubIndustry field.

func (*CompanyProfile) SetGgroup

func (o *CompanyProfile) SetGgroup(v string)

SetGgroup gets a reference to the given string and assigns it to the Ggroup field.

func (*CompanyProfile) SetGind

func (o *CompanyProfile) SetGind(v string)

SetGind gets a reference to the given string and assigns it to the Gind field.

func (*CompanyProfile) SetGsector

func (o *CompanyProfile) SetGsector(v string)

SetGsector gets a reference to the given string and assigns it to the Gsector field.

func (*CompanyProfile) SetGsubind

func (o *CompanyProfile) SetGsubind(v string)

SetGsubind gets a reference to the given string and assigns it to the Gsubind field.

func (*CompanyProfile) SetIpo

func (o *CompanyProfile) SetIpo(v string)

SetIpo gets a reference to the given string and assigns it to the Ipo field.

func (*CompanyProfile) SetIsin

func (o *CompanyProfile) SetIsin(v string)

SetIsin gets a reference to the given string and assigns it to the Isin field.

func (*CompanyProfile) SetLei added in v2.0.17

func (o *CompanyProfile) SetLei(v string)

SetLei gets a reference to the given string and assigns it to the Lei field.

func (o *CompanyProfile) SetLogo(v string)

SetLogo gets a reference to the given string and assigns it to the Logo field.

func (*CompanyProfile) SetMarketCapCurrency added in v2.0.16

func (o *CompanyProfile) SetMarketCapCurrency(v string)

SetMarketCapCurrency gets a reference to the given string and assigns it to the MarketCapCurrency field.

func (*CompanyProfile) SetMarketCapitalization

func (o *CompanyProfile) SetMarketCapitalization(v float32)

SetMarketCapitalization gets a reference to the given float32 and assigns it to the MarketCapitalization field.

func (*CompanyProfile) SetNaics

func (o *CompanyProfile) SetNaics(v string)

SetNaics gets a reference to the given string and assigns it to the Naics field.

func (*CompanyProfile) SetNaicsNationalIndustry

func (o *CompanyProfile) SetNaicsNationalIndustry(v string)

SetNaicsNationalIndustry gets a reference to the given string and assigns it to the NaicsNationalIndustry field.

func (*CompanyProfile) SetNaicsSector

func (o *CompanyProfile) SetNaicsSector(v string)

SetNaicsSector gets a reference to the given string and assigns it to the NaicsSector field.

func (*CompanyProfile) SetNaicsSubsector

func (o *CompanyProfile) SetNaicsSubsector(v string)

SetNaicsSubsector gets a reference to the given string and assigns it to the NaicsSubsector field.

func (*CompanyProfile) SetName

func (o *CompanyProfile) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*CompanyProfile) SetPhone

func (o *CompanyProfile) SetPhone(v string)

SetPhone gets a reference to the given string and assigns it to the Phone field.

func (*CompanyProfile) SetSedol

func (o *CompanyProfile) SetSedol(v string)

SetSedol gets a reference to the given string and assigns it to the Sedol field.

func (*CompanyProfile) SetShareOutstanding

func (o *CompanyProfile) SetShareOutstanding(v float32)

SetShareOutstanding gets a reference to the given float32 and assigns it to the ShareOutstanding field.

func (*CompanyProfile) SetState

func (o *CompanyProfile) SetState(v string)

SetState gets a reference to the given string and assigns it to the State field.

func (*CompanyProfile) SetTicker

func (o *CompanyProfile) SetTicker(v string)

SetTicker gets a reference to the given string and assigns it to the Ticker field.

func (*CompanyProfile) SetWeburl

func (o *CompanyProfile) SetWeburl(v string)

SetWeburl gets a reference to the given string and assigns it to the Weburl field.

type CompanyProfile2

type CompanyProfile2 struct {
	// Country of company's headquarter.
	Country *string `json:"country,omitempty"`
	// Currency used in company filings.
	Currency *string `json:"currency,omitempty"`
	// Listed exchange.
	Exchange *string `json:"exchange,omitempty"`
	// Company name.
	Name *string `json:"name,omitempty"`
	// Company symbol/ticker as used on the listed exchange.
	Ticker *string `json:"ticker,omitempty"`
	// IPO date.
	Ipo *string `json:"ipo,omitempty"`
	// Market Capitalization.
	MarketCapitalization *float32 `json:"marketCapitalization,omitempty"`
	// Number of oustanding shares.
	ShareOutstanding *float32 `json:"shareOutstanding,omitempty"`
	Logo *string `json:"logo,omitempty"`
	// Company phone number.
	Phone *string `json:"phone,omitempty"`
	// Company website.
	Weburl *string `json:"weburl,omitempty"`
	// Finnhub industry classification.
	FinnhubIndustry *string `json:"finnhubIndustry,omitempty"`
}

CompanyProfile2 struct for CompanyProfile2

func NewCompanyProfile2

func NewCompanyProfile2() *CompanyProfile2

NewCompanyProfile2 instantiates a new CompanyProfile2 object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCompanyProfile2WithDefaults

func NewCompanyProfile2WithDefaults() *CompanyProfile2

NewCompanyProfile2WithDefaults instantiates a new CompanyProfile2 object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CompanyProfile2) GetCountry

func (o *CompanyProfile2) GetCountry() string

GetCountry returns the Country field value if set, zero value otherwise.

func (*CompanyProfile2) GetCountryOk

func (o *CompanyProfile2) GetCountryOk() (*string, bool)

GetCountryOk returns a tuple with the Country field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile2) GetCurrency

func (o *CompanyProfile2) GetCurrency() string

GetCurrency returns the Currency field value if set, zero value otherwise.

func (*CompanyProfile2) GetCurrencyOk

func (o *CompanyProfile2) GetCurrencyOk() (*string, bool)

GetCurrencyOk returns a tuple with the Currency field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile2) GetExchange

func (o *CompanyProfile2) GetExchange() string

GetExchange returns the Exchange field value if set, zero value otherwise.

func (*CompanyProfile2) GetExchangeOk

func (o *CompanyProfile2) GetExchangeOk() (*string, bool)

GetExchangeOk returns a tuple with the Exchange field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile2) GetFinnhubIndustry

func (o *CompanyProfile2) GetFinnhubIndustry() string

GetFinnhubIndustry returns the FinnhubIndustry field value if set, zero value otherwise.

func (*CompanyProfile2) GetFinnhubIndustryOk

func (o *CompanyProfile2) GetFinnhubIndustryOk() (*string, bool)

GetFinnhubIndustryOk returns a tuple with the FinnhubIndustry field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile2) GetIpo

func (o *CompanyProfile2) GetIpo() string

GetIpo returns the Ipo field value if set, zero value otherwise.

func (*CompanyProfile2) GetIpoOk

func (o *CompanyProfile2) GetIpoOk() (*string, bool)

GetIpoOk returns a tuple with the Ipo field value if set, nil otherwise and a boolean to check if the value has been set.

func (o *CompanyProfile2) GetLogo() string

GetLogo returns the Logo field value if set, zero value otherwise.

func (*CompanyProfile2) GetLogoOk

func (o *CompanyProfile2) GetLogoOk() (*string, bool)

GetLogoOk returns a tuple with the Logo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile2) GetMarketCapitalization

func (o *CompanyProfile2) GetMarketCapitalization() float32

GetMarketCapitalization returns the MarketCapitalization field value if set, zero value otherwise.

func (*CompanyProfile2) GetMarketCapitalizationOk

func (o *CompanyProfile2) GetMarketCapitalizationOk() (*float32, bool)

GetMarketCapitalizationOk returns a tuple with the MarketCapitalization field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile2) GetName

func (o *CompanyProfile2) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*CompanyProfile2) GetNameOk

func (o *CompanyProfile2) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile2) GetPhone

func (o *CompanyProfile2) GetPhone() string

GetPhone returns the Phone field value if set, zero value otherwise.

func (*CompanyProfile2) GetPhoneOk

func (o *CompanyProfile2) GetPhoneOk() (*string, bool)

GetPhoneOk returns a tuple with the Phone field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile2) GetShareOutstanding

func (o *CompanyProfile2) GetShareOutstanding() float32

GetShareOutstanding returns the ShareOutstanding field value if set, zero value otherwise.

func (*CompanyProfile2) GetShareOutstandingOk

func (o *CompanyProfile2) GetShareOutstandingOk() (*float32, bool)

GetShareOutstandingOk returns a tuple with the ShareOutstanding field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile2) GetTicker

func (o *CompanyProfile2) GetTicker() string

GetTicker returns the Ticker field value if set, zero value otherwise.

func (*CompanyProfile2) GetTickerOk

func (o *CompanyProfile2) GetTickerOk() (*string, bool)

GetTickerOk returns a tuple with the Ticker field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile2) GetWeburl

func (o *CompanyProfile2) GetWeburl() string

GetWeburl returns the Weburl field value if set, zero value otherwise.

func (*CompanyProfile2) GetWeburlOk

func (o *CompanyProfile2) GetWeburlOk() (*string, bool)

GetWeburlOk returns a tuple with the Weburl field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CompanyProfile2) HasCountry

func (o *CompanyProfile2) HasCountry() bool

HasCountry returns a boolean if a field has been set.

func (*CompanyProfile2) HasCurrency

func (o *CompanyProfile2) HasCurrency() bool

HasCurrency returns a boolean if a field has been set.

func (*CompanyProfile2) HasExchange

func (o *CompanyProfile2) HasExchange() bool

HasExchange returns a boolean if a field has been set.

func (*CompanyProfile2) HasFinnhubIndustry

func (o *CompanyProfile2) HasFinnhubIndustry() bool

HasFinnhubIndustry returns a boolean if a field has been set.

func (*CompanyProfile2) HasIpo

func (o *CompanyProfile2) HasIpo() bool

HasIpo returns a boolean if a field has been set.

func (o *CompanyProfile2) HasLogo() bool

HasLogo returns a boolean if a field has been set.

func (*CompanyProfile2) HasMarketCapitalization

func (o *CompanyProfile2) HasMarketCapitalization() bool

HasMarketCapitalization returns a boolean if a field has been set.

func (*CompanyProfile2) HasName

func (o *CompanyProfile2) HasName() bool

HasName returns a boolean if a field has been set.

func (*CompanyProfile2) HasPhone

func (o *CompanyProfile2) HasPhone() bool

HasPhone returns a boolean if a field has been set.

func (*CompanyProfile2) HasShareOutstanding

func (o *CompanyProfile2) HasShareOutstanding() bool

HasShareOutstanding returns a boolean if a field has been set.

func (*CompanyProfile2) HasTicker

func (o *CompanyProfile2) HasTicker() bool

HasTicker returns a boolean if a field has been set.

func (*CompanyProfile2) HasWeburl

func (o *CompanyProfile2) HasWeburl() bool

HasWeburl returns a boolean if a field has been set.

func (CompanyProfile2) MarshalJSON

func (o CompanyProfile2) MarshalJSON() ([]byte, error)

func (*CompanyProfile2) SetCountry

func (o *CompanyProfile2) SetCountry(v string)

SetCountry gets a reference to the given string and assigns it to the Country field.

func (*CompanyProfile2) SetCurrency

func (o *CompanyProfile2) SetCurrency(v string)

SetCurrency gets a reference to the given string and assigns it to the Currency field.

func (*CompanyProfile2) SetExchange

func (o *CompanyProfile2) SetExchange(v string)

SetExchange gets a reference to the given string and assigns it to the Exchange field.

func (*CompanyProfile2) SetFinnhubIndustry

func (o *CompanyProfile2) SetFinnhubIndustry(v string)

SetFinnhubIndustry gets a reference to the given string and assigns it to the FinnhubIndustry field.

func (*CompanyProfile2) SetIpo

func (o *CompanyProfile2) SetIpo(v string)

SetIpo gets a reference to the given string and assigns it to the Ipo field.

func (o *CompanyProfile2) SetLogo(v string)

SetLogo gets a reference to the given string and assigns it to the Logo field.

func (*CompanyProfile2) SetMarketCapitalization

func (o *CompanyProfile2) SetMarketCapitalization(v float32)

SetMarketCapitalization gets a reference to the given float32 and assigns it to the MarketCapitalization field.

func (*CompanyProfile2) SetName

func (o *CompanyProfile2) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*CompanyProfile2) SetPhone

func (o *CompanyProfile2) SetPhone(v string)

SetPhone gets a reference to the given string and assigns it to the Phone field.

func (*CompanyProfile2) SetShareOutstanding

func (o *CompanyProfile2) SetShareOutstanding(v float32)

SetShareOutstanding gets a reference to the given float32 and assigns it to the ShareOutstanding field.

func (*CompanyProfile2) SetTicker

func (o *CompanyProfile2) SetTicker(v string)

SetTicker gets a reference to the given string and assigns it to the Ticker field.

func (*CompanyProfile2) SetWeburl

func (o *CompanyProfile2) SetWeburl(v string)

SetWeburl gets a reference to the given string and assigns it to the Weburl field.

type Configuration

type Configuration struct {
	Host             string            `json:"host,omitempty"`
	Scheme           string            `json:"scheme,omitempty"`
	DefaultHeader    map[string]string `json:"defaultHeader,omitempty"`
	UserAgent        string            `json:"userAgent,omitempty"`
	Debug            bool              `json:"debug,omitempty"`
	Servers          ServerConfigurations
	OperationServers map[string]ServerConfigurations
	HTTPClient       *http.Client
}

Configuration stores the configuration of the API client

func NewConfiguration

func NewConfiguration() *Configuration

NewConfiguration returns a new Configuration object

func (*Configuration) AddDefaultHeader

func (c *Configuration) AddDefaultHeader(key string, value string)

AddDefaultHeader adds a new HTTP header to the default header in the request

func (*Configuration) ServerURL

func (c *Configuration) ServerURL(index int, variables map[string]string) (string, error)

ServerURL returns URL based on server settings

func (*Configuration) ServerURLWithContext

func (c *Configuration) ServerURLWithContext(ctx context.Context, endpoint string) (string, error)

ServerURLWithContext returns a new server URL given an endpoint

type CongressionalTrading added in v2.0.16

type CongressionalTrading struct {
	// Symbol of the company.
	Symbol *string `json:"symbol,omitempty"`
	// Array of stock trades.
	Data *[]CongressionalTransaction `json:"data,omitempty"`
}

CongressionalTrading struct for CongressionalTrading

func NewCongressionalTrading added in v2.0.16

func NewCongressionalTrading() *CongressionalTrading

NewCongressionalTrading instantiates a new CongressionalTrading object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCongressionalTradingWithDefaults added in v2.0.16

func NewCongressionalTradingWithDefaults() *CongressionalTrading

NewCongressionalTradingWithDefaults instantiates a new CongressionalTrading object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CongressionalTrading) GetData added in v2.0.16

GetData returns the Data field value if set, zero value otherwise.

func (*CongressionalTrading) GetDataOk added in v2.0.16

func (o *CongressionalTrading) GetDataOk() (*[]CongressionalTransaction, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CongressionalTrading) GetSymbol added in v2.0.16

func (o *CongressionalTrading) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*CongressionalTrading) GetSymbolOk added in v2.0.16

func (o *CongressionalTrading) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CongressionalTrading) HasData added in v2.0.16

func (o *CongressionalTrading) HasData() bool

HasData returns a boolean if a field has been set.

func (*CongressionalTrading) HasSymbol added in v2.0.16

func (o *CongressionalTrading) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (CongressionalTrading) MarshalJSON added in v2.0.16

func (o CongressionalTrading) MarshalJSON() ([]byte, error)

func (*CongressionalTrading) SetData added in v2.0.16

SetData gets a reference to the given []CongressionalTransaction and assigns it to the Data field.

func (*CongressionalTrading) SetSymbol added in v2.0.16

func (o *CongressionalTrading) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type CongressionalTransaction added in v2.0.16

type CongressionalTransaction struct {
	// Transaction amount from.
	AmountFrom *float32 `json:"amountFrom,omitempty"`
	// Transaction amount to.
	AmountTo *float32 `json:"amountTo,omitempty"`
	// Asset name.
	AssetName *string `json:"assetName,omitempty"`
	// Filing date.
	FilingDate *string `json:"filingDate,omitempty"`
	// Name of the representative.
	Name *string `json:"name,omitempty"`
	// Owner Type.
	OwnerType *string `json:"ownerType,omitempty"`
	// Position.
	Position *string `json:"position,omitempty"`
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Transaction date.
	TransactionDate *string `json:"transactionDate,omitempty"`
	// Transaction type <code>Sale</code> or <code>Purchase</code>.
	TransactionType *string `json:"transactionType,omitempty"`
}

CongressionalTransaction struct for CongressionalTransaction

func NewCongressionalTransaction added in v2.0.16

func NewCongressionalTransaction() *CongressionalTransaction

NewCongressionalTransaction instantiates a new CongressionalTransaction object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCongressionalTransactionWithDefaults added in v2.0.16

func NewCongressionalTransactionWithDefaults() *CongressionalTransaction

NewCongressionalTransactionWithDefaults instantiates a new CongressionalTransaction object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CongressionalTransaction) GetAmountFrom added in v2.0.16

func (o *CongressionalTransaction) GetAmountFrom() float32

GetAmountFrom returns the AmountFrom field value if set, zero value otherwise.

func (*CongressionalTransaction) GetAmountFromOk added in v2.0.16

func (o *CongressionalTransaction) GetAmountFromOk() (*float32, bool)

GetAmountFromOk returns a tuple with the AmountFrom field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CongressionalTransaction) GetAmountTo added in v2.0.16

func (o *CongressionalTransaction) GetAmountTo() float32

GetAmountTo returns the AmountTo field value if set, zero value otherwise.

func (*CongressionalTransaction) GetAmountToOk added in v2.0.16

func (o *CongressionalTransaction) GetAmountToOk() (*float32, bool)

GetAmountToOk returns a tuple with the AmountTo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CongressionalTransaction) GetAssetName added in v2.0.16

func (o *CongressionalTransaction) GetAssetName() string

GetAssetName returns the AssetName field value if set, zero value otherwise.

func (*CongressionalTransaction) GetAssetNameOk added in v2.0.16

func (o *CongressionalTransaction) GetAssetNameOk() (*string, bool)

GetAssetNameOk returns a tuple with the AssetName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CongressionalTransaction) GetFilingDate added in v2.0.16

func (o *CongressionalTransaction) GetFilingDate() string

GetFilingDate returns the FilingDate field value if set, zero value otherwise.

func (*CongressionalTransaction) GetFilingDateOk added in v2.0.16

func (o *CongressionalTransaction) GetFilingDateOk() (*string, bool)

GetFilingDateOk returns a tuple with the FilingDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CongressionalTransaction) GetName added in v2.0.16

func (o *CongressionalTransaction) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*CongressionalTransaction) GetNameOk added in v2.0.16

func (o *CongressionalTransaction) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CongressionalTransaction) GetOwnerType added in v2.0.16

func (o *CongressionalTransaction) GetOwnerType() string

GetOwnerType returns the OwnerType field value if set, zero value otherwise.

func (*CongressionalTransaction) GetOwnerTypeOk added in v2.0.16

func (o *CongressionalTransaction) GetOwnerTypeOk() (*string, bool)

GetOwnerTypeOk returns a tuple with the OwnerType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CongressionalTransaction) GetPosition added in v2.0.16

func (o *CongressionalTransaction) GetPosition() string

GetPosition returns the Position field value if set, zero value otherwise.

func (*CongressionalTransaction) GetPositionOk added in v2.0.16

func (o *CongressionalTransaction) GetPositionOk() (*string, bool)

GetPositionOk returns a tuple with the Position field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CongressionalTransaction) GetSymbol added in v2.0.16

func (o *CongressionalTransaction) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*CongressionalTransaction) GetSymbolOk added in v2.0.16

func (o *CongressionalTransaction) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CongressionalTransaction) GetTransactionDate added in v2.0.16

func (o *CongressionalTransaction) GetTransactionDate() string

GetTransactionDate returns the TransactionDate field value if set, zero value otherwise.

func (*CongressionalTransaction) GetTransactionDateOk added in v2.0.16

func (o *CongressionalTransaction) GetTransactionDateOk() (*string, bool)

GetTransactionDateOk returns a tuple with the TransactionDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CongressionalTransaction) GetTransactionType added in v2.0.16

func (o *CongressionalTransaction) GetTransactionType() string

GetTransactionType returns the TransactionType field value if set, zero value otherwise.

func (*CongressionalTransaction) GetTransactionTypeOk added in v2.0.16

func (o *CongressionalTransaction) GetTransactionTypeOk() (*string, bool)

GetTransactionTypeOk returns a tuple with the TransactionType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CongressionalTransaction) HasAmountFrom added in v2.0.16

func (o *CongressionalTransaction) HasAmountFrom() bool

HasAmountFrom returns a boolean if a field has been set.

func (*CongressionalTransaction) HasAmountTo added in v2.0.16

func (o *CongressionalTransaction) HasAmountTo() bool

HasAmountTo returns a boolean if a field has been set.

func (*CongressionalTransaction) HasAssetName added in v2.0.16

func (o *CongressionalTransaction) HasAssetName() bool

HasAssetName returns a boolean if a field has been set.

func (*CongressionalTransaction) HasFilingDate added in v2.0.16

func (o *CongressionalTransaction) HasFilingDate() bool

HasFilingDate returns a boolean if a field has been set.

func (*CongressionalTransaction) HasName added in v2.0.16

func (o *CongressionalTransaction) HasName() bool

HasName returns a boolean if a field has been set.

func (*CongressionalTransaction) HasOwnerType added in v2.0.16

func (o *CongressionalTransaction) HasOwnerType() bool

HasOwnerType returns a boolean if a field has been set.

func (*CongressionalTransaction) HasPosition added in v2.0.16

func (o *CongressionalTransaction) HasPosition() bool

HasPosition returns a boolean if a field has been set.

func (*CongressionalTransaction) HasSymbol added in v2.0.16

func (o *CongressionalTransaction) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*CongressionalTransaction) HasTransactionDate added in v2.0.16

func (o *CongressionalTransaction) HasTransactionDate() bool

HasTransactionDate returns a boolean if a field has been set.

func (*CongressionalTransaction) HasTransactionType added in v2.0.16

func (o *CongressionalTransaction) HasTransactionType() bool

HasTransactionType returns a boolean if a field has been set.

func (CongressionalTransaction) MarshalJSON added in v2.0.16

func (o CongressionalTransaction) MarshalJSON() ([]byte, error)

func (*CongressionalTransaction) SetAmountFrom added in v2.0.16

func (o *CongressionalTransaction) SetAmountFrom(v float32)

SetAmountFrom gets a reference to the given float32 and assigns it to the AmountFrom field.

func (*CongressionalTransaction) SetAmountTo added in v2.0.16

func (o *CongressionalTransaction) SetAmountTo(v float32)

SetAmountTo gets a reference to the given float32 and assigns it to the AmountTo field.

func (*CongressionalTransaction) SetAssetName added in v2.0.16

func (o *CongressionalTransaction) SetAssetName(v string)

SetAssetName gets a reference to the given string and assigns it to the AssetName field.

func (*CongressionalTransaction) SetFilingDate added in v2.0.16

func (o *CongressionalTransaction) SetFilingDate(v string)

SetFilingDate gets a reference to the given string and assigns it to the FilingDate field.

func (*CongressionalTransaction) SetName added in v2.0.16

func (o *CongressionalTransaction) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*CongressionalTransaction) SetOwnerType added in v2.0.16

func (o *CongressionalTransaction) SetOwnerType(v string)

SetOwnerType gets a reference to the given string and assigns it to the OwnerType field.

func (*CongressionalTransaction) SetPosition added in v2.0.16

func (o *CongressionalTransaction) SetPosition(v string)

SetPosition gets a reference to the given string and assigns it to the Position field.

func (*CongressionalTransaction) SetSymbol added in v2.0.16

func (o *CongressionalTransaction) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*CongressionalTransaction) SetTransactionDate added in v2.0.16

func (o *CongressionalTransaction) SetTransactionDate(v string)

SetTransactionDate gets a reference to the given string and assigns it to the TransactionDate field.

func (*CongressionalTransaction) SetTransactionType added in v2.0.16

func (o *CongressionalTransaction) SetTransactionType(v string)

SetTransactionType gets a reference to the given string and assigns it to the TransactionType field.

type CountryMetadata

type CountryMetadata struct {
	// Country name
	Country *string `json:"country,omitempty"`
	// Alpha 2 code
	Code2 *string `json:"code2,omitempty"`
	// Alpha 3 code
	Code3 *string `json:"code3,omitempty"`
	// UN code
	CodeNo *string `json:"codeNo,omitempty"`
	// Currency name
	Currency *string `json:"currency,omitempty"`
	// Currency code
	CurrencyCode *string `json:"currencyCode,omitempty"`
	// Region
	Region *string `json:"region,omitempty"`
	// Sub-Region
	SubRegion *string `json:"subRegion,omitempty"`
	// Moody's credit risk rating.
	Rating *string `json:"rating,omitempty"`
	// Default spread
	DefaultSpread *float32 `json:"defaultSpread,omitempty"`
	// Country risk premium
	CountryRiskPremium *float32 `json:"countryRiskPremium,omitempty"`
	// Equity risk premium
	EquityRiskPremium *float32 `json:"equityRiskPremium,omitempty"`
}

CountryMetadata struct for CountryMetadata

func NewCountryMetadata

func NewCountryMetadata() *CountryMetadata

NewCountryMetadata instantiates a new CountryMetadata object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCountryMetadataWithDefaults

func NewCountryMetadataWithDefaults() *CountryMetadata

NewCountryMetadataWithDefaults instantiates a new CountryMetadata object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CountryMetadata) GetCode2

func (o *CountryMetadata) GetCode2() string

GetCode2 returns the Code2 field value if set, zero value otherwise.

func (*CountryMetadata) GetCode2Ok

func (o *CountryMetadata) GetCode2Ok() (*string, bool)

GetCode2Ok returns a tuple with the Code2 field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CountryMetadata) GetCode3

func (o *CountryMetadata) GetCode3() string

GetCode3 returns the Code3 field value if set, zero value otherwise.

func (*CountryMetadata) GetCode3Ok

func (o *CountryMetadata) GetCode3Ok() (*string, bool)

GetCode3Ok returns a tuple with the Code3 field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CountryMetadata) GetCodeNo

func (o *CountryMetadata) GetCodeNo() string

GetCodeNo returns the CodeNo field value if set, zero value otherwise.

func (*CountryMetadata) GetCodeNoOk

func (o *CountryMetadata) GetCodeNoOk() (*string, bool)

GetCodeNoOk returns a tuple with the CodeNo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CountryMetadata) GetCountry

func (o *CountryMetadata) GetCountry() string

GetCountry returns the Country field value if set, zero value otherwise.

func (*CountryMetadata) GetCountryOk

func (o *CountryMetadata) GetCountryOk() (*string, bool)

GetCountryOk returns a tuple with the Country field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CountryMetadata) GetCountryRiskPremium added in v2.0.17

func (o *CountryMetadata) GetCountryRiskPremium() float32

GetCountryRiskPremium returns the CountryRiskPremium field value if set, zero value otherwise.

func (*CountryMetadata) GetCountryRiskPremiumOk added in v2.0.17

func (o *CountryMetadata) GetCountryRiskPremiumOk() (*float32, bool)

GetCountryRiskPremiumOk returns a tuple with the CountryRiskPremium field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CountryMetadata) GetCurrency

func (o *CountryMetadata) GetCurrency() string

GetCurrency returns the Currency field value if set, zero value otherwise.

func (*CountryMetadata) GetCurrencyCode

func (o *CountryMetadata) GetCurrencyCode() string

GetCurrencyCode returns the CurrencyCode field value if set, zero value otherwise.

func (*CountryMetadata) GetCurrencyCodeOk

func (o *CountryMetadata) GetCurrencyCodeOk() (*string, bool)

GetCurrencyCodeOk returns a tuple with the CurrencyCode field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CountryMetadata) GetCurrencyOk

func (o *CountryMetadata) GetCurrencyOk() (*string, bool)

GetCurrencyOk returns a tuple with the Currency field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CountryMetadata) GetDefaultSpread added in v2.0.17

func (o *CountryMetadata) GetDefaultSpread() float32

GetDefaultSpread returns the DefaultSpread field value if set, zero value otherwise.

func (*CountryMetadata) GetDefaultSpreadOk added in v2.0.17

func (o *CountryMetadata) GetDefaultSpreadOk() (*float32, bool)

GetDefaultSpreadOk returns a tuple with the DefaultSpread field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CountryMetadata) GetEquityRiskPremium added in v2.0.17

func (o *CountryMetadata) GetEquityRiskPremium() float32

GetEquityRiskPremium returns the EquityRiskPremium field value if set, zero value otherwise.

func (*CountryMetadata) GetEquityRiskPremiumOk added in v2.0.17

func (o *CountryMetadata) GetEquityRiskPremiumOk() (*float32, bool)

GetEquityRiskPremiumOk returns a tuple with the EquityRiskPremium field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CountryMetadata) GetRating added in v2.0.17

func (o *CountryMetadata) GetRating() string

GetRating returns the Rating field value if set, zero value otherwise.

func (*CountryMetadata) GetRatingOk added in v2.0.17

func (o *CountryMetadata) GetRatingOk() (*string, bool)

GetRatingOk returns a tuple with the Rating field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CountryMetadata) GetRegion added in v2.0.6

func (o *CountryMetadata) GetRegion() string

GetRegion returns the Region field value if set, zero value otherwise.

func (*CountryMetadata) GetRegionOk added in v2.0.6

func (o *CountryMetadata) GetRegionOk() (*string, bool)

GetRegionOk returns a tuple with the Region field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CountryMetadata) GetSubRegion added in v2.0.6

func (o *CountryMetadata) GetSubRegion() string

GetSubRegion returns the SubRegion field value if set, zero value otherwise.

func (*CountryMetadata) GetSubRegionOk added in v2.0.6

func (o *CountryMetadata) GetSubRegionOk() (*string, bool)

GetSubRegionOk returns a tuple with the SubRegion field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CountryMetadata) HasCode2

func (o *CountryMetadata) HasCode2() bool

HasCode2 returns a boolean if a field has been set.

func (*CountryMetadata) HasCode3

func (o *CountryMetadata) HasCode3() bool

HasCode3 returns a boolean if a field has been set.

func (*CountryMetadata) HasCodeNo

func (o *CountryMetadata) HasCodeNo() bool

HasCodeNo returns a boolean if a field has been set.

func (*CountryMetadata) HasCountry

func (o *CountryMetadata) HasCountry() bool

HasCountry returns a boolean if a field has been set.

func (*CountryMetadata) HasCountryRiskPremium added in v2.0.17

func (o *CountryMetadata) HasCountryRiskPremium() bool

HasCountryRiskPremium returns a boolean if a field has been set.

func (*CountryMetadata) HasCurrency

func (o *CountryMetadata) HasCurrency() bool

HasCurrency returns a boolean if a field has been set.

func (*CountryMetadata) HasCurrencyCode

func (o *CountryMetadata) HasCurrencyCode() bool

HasCurrencyCode returns a boolean if a field has been set.

func (*CountryMetadata) HasDefaultSpread added in v2.0.17

func (o *CountryMetadata) HasDefaultSpread() bool

HasDefaultSpread returns a boolean if a field has been set.

func (*CountryMetadata) HasEquityRiskPremium added in v2.0.17

func (o *CountryMetadata) HasEquityRiskPremium() bool

HasEquityRiskPremium returns a boolean if a field has been set.

func (*CountryMetadata) HasRating added in v2.0.17

func (o *CountryMetadata) HasRating() bool

HasRating returns a boolean if a field has been set.

func (*CountryMetadata) HasRegion added in v2.0.6

func (o *CountryMetadata) HasRegion() bool

HasRegion returns a boolean if a field has been set.

func (*CountryMetadata) HasSubRegion added in v2.0.6

func (o *CountryMetadata) HasSubRegion() bool

HasSubRegion returns a boolean if a field has been set.

func (CountryMetadata) MarshalJSON

func (o CountryMetadata) MarshalJSON() ([]byte, error)

func (*CountryMetadata) SetCode2

func (o *CountryMetadata) SetCode2(v string)

SetCode2 gets a reference to the given string and assigns it to the Code2 field.

func (*CountryMetadata) SetCode3

func (o *CountryMetadata) SetCode3(v string)

SetCode3 gets a reference to the given string and assigns it to the Code3 field.

func (*CountryMetadata) SetCodeNo

func (o *CountryMetadata) SetCodeNo(v string)

SetCodeNo gets a reference to the given string and assigns it to the CodeNo field.

func (*CountryMetadata) SetCountry

func (o *CountryMetadata) SetCountry(v string)

SetCountry gets a reference to the given string and assigns it to the Country field.

func (*CountryMetadata) SetCountryRiskPremium added in v2.0.17

func (o *CountryMetadata) SetCountryRiskPremium(v float32)

SetCountryRiskPremium gets a reference to the given float32 and assigns it to the CountryRiskPremium field.

func (*CountryMetadata) SetCurrency

func (o *CountryMetadata) SetCurrency(v string)

SetCurrency gets a reference to the given string and assigns it to the Currency field.

func (*CountryMetadata) SetCurrencyCode

func (o *CountryMetadata) SetCurrencyCode(v string)

SetCurrencyCode gets a reference to the given string and assigns it to the CurrencyCode field.

func (*CountryMetadata) SetDefaultSpread added in v2.0.17

func (o *CountryMetadata) SetDefaultSpread(v float32)

SetDefaultSpread gets a reference to the given float32 and assigns it to the DefaultSpread field.

func (*CountryMetadata) SetEquityRiskPremium added in v2.0.17

func (o *CountryMetadata) SetEquityRiskPremium(v float32)

SetEquityRiskPremium gets a reference to the given float32 and assigns it to the EquityRiskPremium field.

func (*CountryMetadata) SetRating added in v2.0.17

func (o *CountryMetadata) SetRating(v string)

SetRating gets a reference to the given string and assigns it to the Rating field.

func (*CountryMetadata) SetRegion added in v2.0.6

func (o *CountryMetadata) SetRegion(v string)

SetRegion gets a reference to the given string and assigns it to the Region field.

func (*CountryMetadata) SetSubRegion added in v2.0.6

func (o *CountryMetadata) SetSubRegion(v string)

SetSubRegion gets a reference to the given string and assigns it to the SubRegion field.

type CovidInfo

type CovidInfo struct {
	// State.
	State *string `json:"state,omitempty"`
	// Number of confirmed cases.
	Case *float32 `json:"case,omitempty"`
	// Number of confirmed deaths.
	Death *float32 `json:"death,omitempty"`
	// Updated time.
	Updated *string `json:"updated,omitempty"`
}

CovidInfo struct for CovidInfo

func NewCovidInfo

func NewCovidInfo() *CovidInfo

NewCovidInfo instantiates a new CovidInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCovidInfoWithDefaults

func NewCovidInfoWithDefaults() *CovidInfo

NewCovidInfoWithDefaults instantiates a new CovidInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CovidInfo) GetCase

func (o *CovidInfo) GetCase() float32

GetCase returns the Case field value if set, zero value otherwise.

func (*CovidInfo) GetCaseOk

func (o *CovidInfo) GetCaseOk() (*float32, bool)

GetCaseOk returns a tuple with the Case field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CovidInfo) GetDeath

func (o *CovidInfo) GetDeath() float32

GetDeath returns the Death field value if set, zero value otherwise.

func (*CovidInfo) GetDeathOk

func (o *CovidInfo) GetDeathOk() (*float32, bool)

GetDeathOk returns a tuple with the Death field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CovidInfo) GetState

func (o *CovidInfo) GetState() string

GetState returns the State field value if set, zero value otherwise.

func (*CovidInfo) GetStateOk

func (o *CovidInfo) GetStateOk() (*string, bool)

GetStateOk returns a tuple with the State field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CovidInfo) GetUpdated

func (o *CovidInfo) GetUpdated() string

GetUpdated returns the Updated field value if set, zero value otherwise.

func (*CovidInfo) GetUpdatedOk

func (o *CovidInfo) GetUpdatedOk() (*string, bool)

GetUpdatedOk returns a tuple with the Updated field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CovidInfo) HasCase

func (o *CovidInfo) HasCase() bool

HasCase returns a boolean if a field has been set.

func (*CovidInfo) HasDeath

func (o *CovidInfo) HasDeath() bool

HasDeath returns a boolean if a field has been set.

func (*CovidInfo) HasState

func (o *CovidInfo) HasState() bool

HasState returns a boolean if a field has been set.

func (*CovidInfo) HasUpdated

func (o *CovidInfo) HasUpdated() bool

HasUpdated returns a boolean if a field has been set.

func (CovidInfo) MarshalJSON

func (o CovidInfo) MarshalJSON() ([]byte, error)

func (*CovidInfo) SetCase

func (o *CovidInfo) SetCase(v float32)

SetCase gets a reference to the given float32 and assigns it to the Case field.

func (*CovidInfo) SetDeath

func (o *CovidInfo) SetDeath(v float32)

SetDeath gets a reference to the given float32 and assigns it to the Death field.

func (*CovidInfo) SetState

func (o *CovidInfo) SetState(v string)

SetState gets a reference to the given string and assigns it to the State field.

func (*CovidInfo) SetUpdated

func (o *CovidInfo) SetUpdated(v string)

SetUpdated gets a reference to the given string and assigns it to the Updated field.

type CryptoCandles

type CryptoCandles struct {
	// List of open prices for returned candles.
	O *[]float32 `json:"o,omitempty"`
	// List of high prices for returned candles.
	H *[]float32 `json:"h,omitempty"`
	// List of low prices for returned candles.
	L *[]float32 `json:"l,omitempty"`
	// List of close prices for returned candles.
	C *[]float32 `json:"c,omitempty"`
	// List of volume data for returned candles.
	V *[]float32 `json:"v,omitempty"`
	// List of timestamp for returned candles.
	T *[]int64 `json:"t,omitempty"`
	// Status of the response. This field can either be ok or no_data.
	S *string `json:"s,omitempty"`
}

CryptoCandles struct for CryptoCandles

func NewCryptoCandles

func NewCryptoCandles() *CryptoCandles

NewCryptoCandles instantiates a new CryptoCandles object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCryptoCandlesWithDefaults

func NewCryptoCandlesWithDefaults() *CryptoCandles

NewCryptoCandlesWithDefaults instantiates a new CryptoCandles object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CryptoCandles) GetC

func (o *CryptoCandles) GetC() []float32

GetC returns the C field value if set, zero value otherwise.

func (*CryptoCandles) GetCOk

func (o *CryptoCandles) GetCOk() (*[]float32, bool)

GetCOk returns a tuple with the C field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoCandles) GetH

func (o *CryptoCandles) GetH() []float32

GetH returns the H field value if set, zero value otherwise.

func (*CryptoCandles) GetHOk

func (o *CryptoCandles) GetHOk() (*[]float32, bool)

GetHOk returns a tuple with the H field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoCandles) GetL

func (o *CryptoCandles) GetL() []float32

GetL returns the L field value if set, zero value otherwise.

func (*CryptoCandles) GetLOk

func (o *CryptoCandles) GetLOk() (*[]float32, bool)

GetLOk returns a tuple with the L field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoCandles) GetO

func (o *CryptoCandles) GetO() []float32

GetO returns the O field value if set, zero value otherwise.

func (*CryptoCandles) GetOOk

func (o *CryptoCandles) GetOOk() (*[]float32, bool)

GetOOk returns a tuple with the O field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoCandles) GetS

func (o *CryptoCandles) GetS() string

GetS returns the S field value if set, zero value otherwise.

func (*CryptoCandles) GetSOk

func (o *CryptoCandles) GetSOk() (*string, bool)

GetSOk returns a tuple with the S field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoCandles) GetT

func (o *CryptoCandles) GetT() []int64

GetT returns the T field value if set, zero value otherwise.

func (*CryptoCandles) GetTOk

func (o *CryptoCandles) GetTOk() (*[]int64, bool)

GetTOk returns a tuple with the T field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoCandles) GetV

func (o *CryptoCandles) GetV() []float32

GetV returns the V field value if set, zero value otherwise.

func (*CryptoCandles) GetVOk

func (o *CryptoCandles) GetVOk() (*[]float32, bool)

GetVOk returns a tuple with the V field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoCandles) HasC

func (o *CryptoCandles) HasC() bool

HasC returns a boolean if a field has been set.

func (*CryptoCandles) HasH

func (o *CryptoCandles) HasH() bool

HasH returns a boolean if a field has been set.

func (*CryptoCandles) HasL

func (o *CryptoCandles) HasL() bool

HasL returns a boolean if a field has been set.

func (*CryptoCandles) HasO

func (o *CryptoCandles) HasO() bool

HasO returns a boolean if a field has been set.

func (*CryptoCandles) HasS

func (o *CryptoCandles) HasS() bool

HasS returns a boolean if a field has been set.

func (*CryptoCandles) HasT

func (o *CryptoCandles) HasT() bool

HasT returns a boolean if a field has been set.

func (*CryptoCandles) HasV

func (o *CryptoCandles) HasV() bool

HasV returns a boolean if a field has been set.

func (CryptoCandles) MarshalJSON

func (o CryptoCandles) MarshalJSON() ([]byte, error)

func (*CryptoCandles) SetC

func (o *CryptoCandles) SetC(v []float32)

SetC gets a reference to the given []float32 and assigns it to the C field.

func (*CryptoCandles) SetH

func (o *CryptoCandles) SetH(v []float32)

SetH gets a reference to the given []float32 and assigns it to the H field.

func (*CryptoCandles) SetL

func (o *CryptoCandles) SetL(v []float32)

SetL gets a reference to the given []float32 and assigns it to the L field.

func (*CryptoCandles) SetO

func (o *CryptoCandles) SetO(v []float32)

SetO gets a reference to the given []float32 and assigns it to the O field.

func (*CryptoCandles) SetS

func (o *CryptoCandles) SetS(v string)

SetS gets a reference to the given string and assigns it to the S field.

func (*CryptoCandles) SetT

func (o *CryptoCandles) SetT(v []int64)

SetT gets a reference to the given []int64 and assigns it to the T field.

func (*CryptoCandles) SetV

func (o *CryptoCandles) SetV(v []float32)

SetV gets a reference to the given []float32 and assigns it to the V field.

type CryptoProfile added in v2.0.7

type CryptoProfile struct {
	// Long name.
	LongName *string `json:"longName,omitempty"`
	// Name.
	Name *string `json:"name,omitempty"`
	// Description.
	Description *string `json:"description,omitempty"`
	// Project's website.
	Website *string `json:"website,omitempty"`
	// Market capitalization.
	MarketCap *float32 `json:"marketCap,omitempty"`
	// Total supply.
	TotalSupply *float32 `json:"totalSupply,omitempty"`
	// Max supply.
	MaxSupply *float32 `json:"maxSupply,omitempty"`
	// Circulating supply.
	CirculatingSupply *float32 `json:"circulatingSupply,omitempty"`
	Logo *string `json:"logo,omitempty"`
	// Launch date.
	LaunchDate *string `json:"launchDate,omitempty"`
	// Proof type.
	ProofType *string `json:"proofType,omitempty"`
}

CryptoProfile struct for CryptoProfile

func NewCryptoProfile added in v2.0.7

func NewCryptoProfile() *CryptoProfile

NewCryptoProfile instantiates a new CryptoProfile object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCryptoProfileWithDefaults added in v2.0.7

func NewCryptoProfileWithDefaults() *CryptoProfile

NewCryptoProfileWithDefaults instantiates a new CryptoProfile object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CryptoProfile) GetCirculatingSupply added in v2.0.7

func (o *CryptoProfile) GetCirculatingSupply() float32

GetCirculatingSupply returns the CirculatingSupply field value if set, zero value otherwise.

func (*CryptoProfile) GetCirculatingSupplyOk added in v2.0.7

func (o *CryptoProfile) GetCirculatingSupplyOk() (*float32, bool)

GetCirculatingSupplyOk returns a tuple with the CirculatingSupply field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoProfile) GetDescription added in v2.0.7

func (o *CryptoProfile) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*CryptoProfile) GetDescriptionOk added in v2.0.7

func (o *CryptoProfile) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoProfile) GetLaunchDate added in v2.0.7

func (o *CryptoProfile) GetLaunchDate() string

GetLaunchDate returns the LaunchDate field value if set, zero value otherwise.

func (*CryptoProfile) GetLaunchDateOk added in v2.0.7

func (o *CryptoProfile) GetLaunchDateOk() (*string, bool)

GetLaunchDateOk returns a tuple with the LaunchDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (o *CryptoProfile) GetLogo() string

GetLogo returns the Logo field value if set, zero value otherwise.

func (*CryptoProfile) GetLogoOk added in v2.0.7

func (o *CryptoProfile) GetLogoOk() (*string, bool)

GetLogoOk returns a tuple with the Logo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoProfile) GetLongName added in v2.0.7

func (o *CryptoProfile) GetLongName() string

GetLongName returns the LongName field value if set, zero value otherwise.

func (*CryptoProfile) GetLongNameOk added in v2.0.7

func (o *CryptoProfile) GetLongNameOk() (*string, bool)

GetLongNameOk returns a tuple with the LongName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoProfile) GetMarketCap added in v2.0.7

func (o *CryptoProfile) GetMarketCap() float32

GetMarketCap returns the MarketCap field value if set, zero value otherwise.

func (*CryptoProfile) GetMarketCapOk added in v2.0.7

func (o *CryptoProfile) GetMarketCapOk() (*float32, bool)

GetMarketCapOk returns a tuple with the MarketCap field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoProfile) GetMaxSupply added in v2.0.7

func (o *CryptoProfile) GetMaxSupply() float32

GetMaxSupply returns the MaxSupply field value if set, zero value otherwise.

func (*CryptoProfile) GetMaxSupplyOk added in v2.0.7

func (o *CryptoProfile) GetMaxSupplyOk() (*float32, bool)

GetMaxSupplyOk returns a tuple with the MaxSupply field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoProfile) GetName added in v2.0.7

func (o *CryptoProfile) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*CryptoProfile) GetNameOk added in v2.0.7

func (o *CryptoProfile) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoProfile) GetProofType added in v2.0.7

func (o *CryptoProfile) GetProofType() string

GetProofType returns the ProofType field value if set, zero value otherwise.

func (*CryptoProfile) GetProofTypeOk added in v2.0.7

func (o *CryptoProfile) GetProofTypeOk() (*string, bool)

GetProofTypeOk returns a tuple with the ProofType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoProfile) GetTotalSupply added in v2.0.7

func (o *CryptoProfile) GetTotalSupply() float32

GetTotalSupply returns the TotalSupply field value if set, zero value otherwise.

func (*CryptoProfile) GetTotalSupplyOk added in v2.0.7

func (o *CryptoProfile) GetTotalSupplyOk() (*float32, bool)

GetTotalSupplyOk returns a tuple with the TotalSupply field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoProfile) GetWebsite added in v2.0.7

func (o *CryptoProfile) GetWebsite() string

GetWebsite returns the Website field value if set, zero value otherwise.

func (*CryptoProfile) GetWebsiteOk added in v2.0.7

func (o *CryptoProfile) GetWebsiteOk() (*string, bool)

GetWebsiteOk returns a tuple with the Website field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoProfile) HasCirculatingSupply added in v2.0.7

func (o *CryptoProfile) HasCirculatingSupply() bool

HasCirculatingSupply returns a boolean if a field has been set.

func (*CryptoProfile) HasDescription added in v2.0.7

func (o *CryptoProfile) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*CryptoProfile) HasLaunchDate added in v2.0.7

func (o *CryptoProfile) HasLaunchDate() bool

HasLaunchDate returns a boolean if a field has been set.

func (o *CryptoProfile) HasLogo() bool

HasLogo returns a boolean if a field has been set.

func (*CryptoProfile) HasLongName added in v2.0.7

func (o *CryptoProfile) HasLongName() bool

HasLongName returns a boolean if a field has been set.

func (*CryptoProfile) HasMarketCap added in v2.0.7

func (o *CryptoProfile) HasMarketCap() bool

HasMarketCap returns a boolean if a field has been set.

func (*CryptoProfile) HasMaxSupply added in v2.0.7

func (o *CryptoProfile) HasMaxSupply() bool

HasMaxSupply returns a boolean if a field has been set.

func (*CryptoProfile) HasName added in v2.0.7

func (o *CryptoProfile) HasName() bool

HasName returns a boolean if a field has been set.

func (*CryptoProfile) HasProofType added in v2.0.7

func (o *CryptoProfile) HasProofType() bool

HasProofType returns a boolean if a field has been set.

func (*CryptoProfile) HasTotalSupply added in v2.0.7

func (o *CryptoProfile) HasTotalSupply() bool

HasTotalSupply returns a boolean if a field has been set.

func (*CryptoProfile) HasWebsite added in v2.0.7

func (o *CryptoProfile) HasWebsite() bool

HasWebsite returns a boolean if a field has been set.

func (CryptoProfile) MarshalJSON added in v2.0.7

func (o CryptoProfile) MarshalJSON() ([]byte, error)

func (*CryptoProfile) SetCirculatingSupply added in v2.0.7

func (o *CryptoProfile) SetCirculatingSupply(v float32)

SetCirculatingSupply gets a reference to the given float32 and assigns it to the CirculatingSupply field.

func (*CryptoProfile) SetDescription added in v2.0.7

func (o *CryptoProfile) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*CryptoProfile) SetLaunchDate added in v2.0.7

func (o *CryptoProfile) SetLaunchDate(v string)

SetLaunchDate gets a reference to the given string and assigns it to the LaunchDate field.

func (o *CryptoProfile) SetLogo(v string)

SetLogo gets a reference to the given string and assigns it to the Logo field.

func (*CryptoProfile) SetLongName added in v2.0.7

func (o *CryptoProfile) SetLongName(v string)

SetLongName gets a reference to the given string and assigns it to the LongName field.

func (*CryptoProfile) SetMarketCap added in v2.0.7

func (o *CryptoProfile) SetMarketCap(v float32)

SetMarketCap gets a reference to the given float32 and assigns it to the MarketCap field.

func (*CryptoProfile) SetMaxSupply added in v2.0.7

func (o *CryptoProfile) SetMaxSupply(v float32)

SetMaxSupply gets a reference to the given float32 and assigns it to the MaxSupply field.

func (*CryptoProfile) SetName added in v2.0.7

func (o *CryptoProfile) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*CryptoProfile) SetProofType added in v2.0.7

func (o *CryptoProfile) SetProofType(v string)

SetProofType gets a reference to the given string and assigns it to the ProofType field.

func (*CryptoProfile) SetTotalSupply added in v2.0.7

func (o *CryptoProfile) SetTotalSupply(v float32)

SetTotalSupply gets a reference to the given float32 and assigns it to the TotalSupply field.

func (*CryptoProfile) SetWebsite added in v2.0.7

func (o *CryptoProfile) SetWebsite(v string)

SetWebsite gets a reference to the given string and assigns it to the Website field.

type CryptoSymbol

type CryptoSymbol struct {
	// Symbol description
	Description *string `json:"description,omitempty"`
	// Display symbol name.
	DisplaySymbol *string `json:"displaySymbol,omitempty"`
	// Unique symbol used to identify this symbol used in <code>/crypto/candle</code> endpoint.
	Symbol *string `json:"symbol,omitempty"`
}

CryptoSymbol struct for CryptoSymbol

func NewCryptoSymbol

func NewCryptoSymbol() *CryptoSymbol

NewCryptoSymbol instantiates a new CryptoSymbol object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCryptoSymbolWithDefaults

func NewCryptoSymbolWithDefaults() *CryptoSymbol

NewCryptoSymbolWithDefaults instantiates a new CryptoSymbol object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CryptoSymbol) GetDescription

func (o *CryptoSymbol) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*CryptoSymbol) GetDescriptionOk

func (o *CryptoSymbol) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoSymbol) GetDisplaySymbol

func (o *CryptoSymbol) GetDisplaySymbol() string

GetDisplaySymbol returns the DisplaySymbol field value if set, zero value otherwise.

func (*CryptoSymbol) GetDisplaySymbolOk

func (o *CryptoSymbol) GetDisplaySymbolOk() (*string, bool)

GetDisplaySymbolOk returns a tuple with the DisplaySymbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoSymbol) GetSymbol

func (o *CryptoSymbol) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*CryptoSymbol) GetSymbolOk

func (o *CryptoSymbol) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CryptoSymbol) HasDescription

func (o *CryptoSymbol) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*CryptoSymbol) HasDisplaySymbol

func (o *CryptoSymbol) HasDisplaySymbol() bool

HasDisplaySymbol returns a boolean if a field has been set.

func (*CryptoSymbol) HasSymbol

func (o *CryptoSymbol) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (CryptoSymbol) MarshalJSON

func (o CryptoSymbol) MarshalJSON() ([]byte, error)

func (*CryptoSymbol) SetDescription

func (o *CryptoSymbol) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*CryptoSymbol) SetDisplaySymbol

func (o *CryptoSymbol) SetDisplaySymbol(v string)

SetDisplaySymbol gets a reference to the given string and assigns it to the DisplaySymbol field.

func (*CryptoSymbol) SetSymbol

func (o *CryptoSymbol) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type DefaultApiService

type DefaultApiService service

DefaultApiService DefaultApi service

func (*DefaultApiService) AggregateIndicator

AggregateIndicator Aggregate Indicators

Get aggregate signal of multiple technical indicators such as MACD, RSI, Moving Average v.v. A full list of indicators can be found <a href="https://docs.google.com/spreadsheets/d/1MWuy0WuT2yVlxr1KbPdggVygMZtJfunDnhe-C0GEXYM/edit?usp=sharing" target="_blank">here</a>.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiAggregateIndicatorRequest

func (*DefaultApiService) AggregateIndicatorExecute

Execute executes the request

@return AggregateIndicators

func (*DefaultApiService) BondPrice added in v2.0.12

BondPrice Bond price data

<p>Get bond's price data. The following datasets are supported:</p><table class="table table-hover">

<thead>
  <tr>
    <th>Exchange</th>
    <th>Segment</th>
    <th>Delay</th>
  </tr>
</thead>
<tbody>
<tr>
    <td class="text-blue">US Government Bonds</th>
    <td>Government Bonds</td>
    <td>End-of-day</td>
  </tr>
  <tr>
    <td class="text-blue">FINRA Trace</th>
    <td>BTDS: US Corporate Bonds</td>
    <td>Delayed 4h</td>
  </tr>
  <tr>
    <td class="text-blue">FINRA Trace</th>
    <td>144A Bonds</td>
    <td>Delayed 4h</td>
  </tr>
</tbody>

</table>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiBondPriceRequest

func (*DefaultApiService) BondPriceExecute added in v2.0.12

Execute executes the request

@return BondCandles

func (*DefaultApiService) BondProfile added in v2.0.12

BondProfile Bond Profile

Get general information of a bond. You can query by FIGI, ISIN or CUSIP. A list of supported bonds can be found <a href="/api/v1/bond/list?token=" target="_blank">here</a>.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiBondProfileRequest

func (*DefaultApiService) BondProfileExecute added in v2.0.12

Execute executes the request

@return BondProfile

func (*DefaultApiService) BondTick added in v2.0.15

BondTick Bond Tick Data

<p>Get trade-level data for bonds. The following datasets are supported:</p><table class="table table-hover">

<thead>
  <tr>
    <th>Exchange</th>
    <th>Segment</th>
    <th>Delay</th>
  </tr>
</thead>
<tbody>
  <tr>
    <td class="text-blue">FINRA Trace</th>
    <td>BTDS: US Corporate Bonds</td>
    <td>Delayed 4h</td>
  </tr>
  <tr>
    <td class="text-blue">FINRA Trace</th>
    <td>144A Bonds</td>
    <td>Delayed 4h</td>
  </tr>
</tbody>

</table>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiBondTickRequest

func (*DefaultApiService) BondTickExecute added in v2.0.15

Execute executes the request

@return BondTickData

func (*DefaultApiService) BondYieldCurve added in v2.0.16

BondYieldCurve Bond Yield Curve

Get yield curve data for Treasury bonds.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiBondYieldCurveRequest

func (*DefaultApiService) BondYieldCurveExecute added in v2.0.16

Execute executes the request

@return BondYieldCurve

func (*DefaultApiService) CompanyBasicFinancials

func (a *DefaultApiService) CompanyBasicFinancials(ctx _context.Context) ApiCompanyBasicFinancialsRequest

CompanyBasicFinancials Basic Financials

Get company basic financials such as margin, P/E ratio, 52-week high/low etc.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCompanyBasicFinancialsRequest

func (*DefaultApiService) CompanyBasicFinancialsExecute

Execute executes the request

@return BasicFinancials

func (*DefaultApiService) CompanyEarnings

CompanyEarnings Earnings Surprises

Get company historical quarterly earnings surprise going back to 2000.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCompanyEarningsRequest

func (*DefaultApiService) CompanyEarningsExecute

Execute executes the request

@return []EarningResult

func (*DefaultApiService) CompanyEarningsQualityScore added in v2.0.6

func (a *DefaultApiService) CompanyEarningsQualityScore(ctx _context.Context) ApiCompanyEarningsQualityScoreRequest

CompanyEarningsQualityScore Company Earnings Quality Score

<p>This endpoint provides Earnings Quality Score for global companies.</p><p> Earnings quality refers to the extent to which current earnings predict future earnings. "High-quality" earnings are expected to persist, while "low-quality" earnings do not. A higher score means a higher earnings quality</p><p>Finnhub uses a proprietary model which takes into consideration 4 criteria:</p> <ul style="list-style-type: unset; margin-left: 30px;"><li>Profitability</li><li>Growth</li><li>Cash Generation & Capital Allocation</li><li>Leverage</li></ul><br/><p>We then compare the metrics of each company in each category against its peers in the same industry to gauge how quality its earnings is.</p>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCompanyEarningsQualityScoreRequest

func (*DefaultApiService) CompanyEarningsQualityScoreExecute added in v2.0.6

Execute executes the request

@return CompanyEarningsQualityScore

func (*DefaultApiService) CompanyEbitEstimates added in v2.0.8

CompanyEbitEstimates EBIT Estimates

Get company's ebit estimates.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCompanyEbitEstimatesRequest

func (*DefaultApiService) CompanyEbitEstimatesExecute added in v2.0.8

Execute executes the request

@return EbitEstimates

func (*DefaultApiService) CompanyEbitdaEstimates added in v2.0.8

func (a *DefaultApiService) CompanyEbitdaEstimates(ctx _context.Context) ApiCompanyEbitdaEstimatesRequest

CompanyEbitdaEstimates EBITDA Estimates

Get company's ebitda estimates.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCompanyEbitdaEstimatesRequest

func (*DefaultApiService) CompanyEbitdaEstimatesExecute added in v2.0.8

Execute executes the request

@return EbitdaEstimates

func (*DefaultApiService) CompanyEpsEstimates

CompanyEpsEstimates Earnings Estimates

Get company's EPS estimates.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCompanyEpsEstimatesRequest

func (*DefaultApiService) CompanyEpsEstimatesExecute

Execute executes the request

@return EarningsEstimates

func (*DefaultApiService) CompanyEsgScore added in v2.0.5

CompanyEsgScore Company ESG Scores

<p>This endpoint provides ESG scores and important indicators for 7000+ global companies. The data is collected through company's public ESG disclosure and public sources.</p><p>Our ESG scoring models takes into account more than 150 different inputs to calculate the level of ESG risks and how well a company is managing them. A higher score means lower ESG risk or better ESG management. ESG scores are in the the range of 0-100. Some key indicators might contain letter-grade score from C- to A+ with C- is the lowest score and A+ is the highest score.</p><p>Historical ESG data is available for Enterprise users. <a href="mailto:support@finnhub.io">Contact us</a> to learn more.</p>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCompanyEsgScoreRequest

func (*DefaultApiService) CompanyEsgScoreExecute added in v2.0.5

Execute executes the request

@return CompanyESG

func (*DefaultApiService) CompanyExecutive

CompanyExecutive Company Executive

Get a list of company's executives and members of the Board.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCompanyExecutiveRequest

func (*DefaultApiService) CompanyExecutiveExecute

Execute executes the request

@return CompanyExecutive

func (*DefaultApiService) CompanyNews

CompanyNews Company News

List latest company news by symbol. This endpoint is only available for North American companies.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCompanyNewsRequest

func (*DefaultApiService) CompanyNewsExecute

Execute executes the request

@return []CompanyNews

func (*DefaultApiService) CompanyPeers

CompanyPeers Peers

Get company peers. Return a list of peers operating in the same country and sector/industry.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCompanyPeersRequest

func (*DefaultApiService) CompanyPeersExecute

func (a *DefaultApiService) CompanyPeersExecute(r ApiCompanyPeersRequest) ([]string, *_nethttp.Response, error)

Execute executes the request

@return []string

func (*DefaultApiService) CompanyProfile

CompanyProfile Company Profile

Get general information of a company. You can query by symbol, ISIN or CUSIP

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCompanyProfileRequest

func (*DefaultApiService) CompanyProfile2

CompanyProfile2 Company Profile 2

Get general information of a company. You can query by symbol, ISIN or CUSIP. This is the free version of <a href="#company-profile">Company Profile</a>.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCompanyProfile2Request

func (*DefaultApiService) CompanyProfile2Execute

Execute executes the request

@return CompanyProfile2

func (*DefaultApiService) CompanyProfileExecute

Execute executes the request

@return CompanyProfile

func (*DefaultApiService) CompanyRevenueEstimates

func (a *DefaultApiService) CompanyRevenueEstimates(ctx _context.Context) ApiCompanyRevenueEstimatesRequest

CompanyRevenueEstimates Revenue Estimates

Get company's revenue estimates.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCompanyRevenueEstimatesRequest

func (*DefaultApiService) CompanyRevenueEstimatesExecute

Execute executes the request

@return RevenueEstimates

func (*DefaultApiService) CongressionalTrading added in v2.0.16

CongressionalTrading Congressional Trading

Get stock trades data disclosed by members of congress.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCongressionalTradingRequest

func (*DefaultApiService) CongressionalTradingExecute added in v2.0.16

Execute executes the request

@return CongressionalTrading

func (*DefaultApiService) Country

Country Country Metadata

List all countries and metadata.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCountryRequest

func (*DefaultApiService) CountryExecute

Execute executes the request

@return []CountryMetadata

func (*DefaultApiService) Covid19

Covid19 COVID-19

Get real-time updates on the number of COVID-19 (Corona virus) cases in the US with a state-by-state breakdown. Data is sourced from CDC and reputable sources. You can also access this API <a href="https://rapidapi.com/Finnhub/api/finnhub-real-time-covid-19" target="_blank" rel="nofollow">here</a>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCovid19Request

func (*DefaultApiService) Covid19Execute

Execute executes the request

@return []CovidInfo

func (*DefaultApiService) CryptoCandles

CryptoCandles Crypto Candles

Get candlestick data for crypto symbols.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCryptoCandlesRequest

func (*DefaultApiService) CryptoCandlesExecute

Execute executes the request

@return CryptoCandles

func (*DefaultApiService) CryptoExchanges

CryptoExchanges Crypto Exchanges

List supported crypto exchanges

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCryptoExchangesRequest

func (*DefaultApiService) CryptoExchangesExecute

func (a *DefaultApiService) CryptoExchangesExecute(r ApiCryptoExchangesRequest) ([]string, *_nethttp.Response, error)

Execute executes the request

@return []string

func (*DefaultApiService) CryptoProfile added in v2.0.7

CryptoProfile Crypto Profile

Get crypto's profile.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCryptoProfileRequest

func (*DefaultApiService) CryptoProfileExecute added in v2.0.7

Execute executes the request

@return CryptoProfile

func (*DefaultApiService) CryptoSymbols

CryptoSymbols Crypto Symbol

List supported crypto symbols by exchange

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiCryptoSymbolsRequest

func (*DefaultApiService) CryptoSymbolsExecute

Execute executes the request

@return []CryptoSymbol

func (*DefaultApiService) EarningsCalendar

EarningsCalendar Earnings Calendar

Get historical and coming earnings release. EPS and Revenue in this endpoint are non-GAAP, which means they are adjusted to exclude some one-time or unusual items. This is the same data investors usually react to and talked about on the media. Estimates are sourced from both sell-side and buy-side analysts.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiEarningsCalendarRequest

func (*DefaultApiService) EarningsCalendarExecute

Execute executes the request

@return EarningsCalendar

func (*DefaultApiService) EconomicCalendar

EconomicCalendar Economic Calendar

<p>Get recent and upcoming economic releases.</p><p>Historical events and surprises are available for Enterprise clients.</p>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiEconomicCalendarRequest

func (*DefaultApiService) EconomicCalendarExecute

Execute executes the request

@return EconomicCalendar

func (*DefaultApiService) EconomicCode

EconomicCode Economic Code

List codes of supported economic data.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiEconomicCodeRequest

func (*DefaultApiService) EconomicCodeExecute

Execute executes the request

@return []EconomicCode

func (*DefaultApiService) EconomicData

EconomicData Economic Data

Get economic data.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiEconomicDataRequest

func (*DefaultApiService) EconomicDataExecute

Execute executes the request

@return EconomicData

func (*DefaultApiService) EtfsCountryExposure

EtfsCountryExposure ETFs Country Exposure

Get ETF country exposure data.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiEtfsCountryExposureRequest

func (*DefaultApiService) EtfsCountryExposureExecute

Execute executes the request

@return ETFsCountryExposure

func (*DefaultApiService) EtfsHoldings

EtfsHoldings ETFs Holdings

Get full ETF holdings/constituents. This endpoint has global coverage. Widget only shows top 10 holdings. A list of supported ETFs can be found <a href="/api/v1/etf/list?token=" target="_blank">here</a>.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiEtfsHoldingsRequest

func (*DefaultApiService) EtfsHoldingsExecute

Execute executes the request

@return ETFsHoldings

func (*DefaultApiService) EtfsProfile

EtfsProfile ETFs Profile

Get ETF profile information. This endpoint has global coverage. A list of supported ETFs can be found <a href="/api/v1/etf/list?token=" target="_blank">here</a>.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiEtfsProfileRequest

func (*DefaultApiService) EtfsProfileExecute

Execute executes the request

@return ETFsProfile

func (*DefaultApiService) EtfsSectorExposure

EtfsSectorExposure ETFs Sector Exposure

Get ETF sector exposure data.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiEtfsSectorExposureRequest

func (*DefaultApiService) EtfsSectorExposureExecute

Execute executes the request

@return ETFsSectorExposure

func (*DefaultApiService) FdaCommitteeMeetingCalendar

func (a *DefaultApiService) FdaCommitteeMeetingCalendar(ctx _context.Context) ApiFdaCommitteeMeetingCalendarRequest

FdaCommitteeMeetingCalendar FDA Committee Meeting Calendar

FDA's advisory committees are established to provide functions which support the agency's mission of protecting and promoting the public health, while meeting the requirements set forth in the Federal Advisory Committee Act. Committees are either mandated by statute or established at the discretion of the Department of Health and Human Services. Each committee is subject to renewal at two-year intervals unless the committee charter states otherwise.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiFdaCommitteeMeetingCalendarRequest

func (*DefaultApiService) FdaCommitteeMeetingCalendarExecute

func (a *DefaultApiService) FdaCommitteeMeetingCalendarExecute(r ApiFdaCommitteeMeetingCalendarRequest) ([]FDAComitteeMeeting, *_nethttp.Response, error)

Execute executes the request

@return []FDAComitteeMeeting

func (*DefaultApiService) Filings

Filings SEC Filings

List company's filing. Limit to 250 documents at a time. This data is available for bulk download on <a href="https://www.kaggle.com/finnhub/sec-filings" target="_blank">Kaggle SEC Filings database</a>.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiFilingsRequest

func (*DefaultApiService) FilingsExecute

func (a *DefaultApiService) FilingsExecute(r ApiFilingsRequest) ([]Filing, *_nethttp.Response, error)

Execute executes the request

@return []Filing

func (*DefaultApiService) FilingsSentiment

FilingsSentiment SEC Sentiment Analysis

Get sentiment analysis of 10-K and 10-Q filings from SEC. An abnormal increase in the number of positive/negative words in filings can signal a significant change in the company's stock price in the upcoming 4 quarters. We make use of <a href= "https://sraf.nd.edu/textual-analysis/resources/" target="_blank">Loughran and McDonald Sentiment Word Lists</a> to calculate the sentiment for each filing.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiFilingsSentimentRequest

func (*DefaultApiService) FilingsSentimentExecute

Execute executes the request

@return SECSentimentAnalysis

func (*DefaultApiService) Financials

Financials Financial Statements

<p>Get standardized balance sheet, income statement and cash flow for global companies going back 30+ years. Data is sourced from original filings most of which made available through <a href="#filings">SEC Filings</a> and <a href="#international-filings">International Filings</a> endpoints.</p><p><i>Wondering why our standardized data is different from Bloomberg, Reuters, Factset, S&P or Yahoo Finance ? Check out our <a href="/faq">FAQ page</a> to learn more</i></p>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiFinancialsRequest

func (*DefaultApiService) FinancialsExecute

Execute executes the request

@return FinancialStatements

func (*DefaultApiService) FinancialsReported

FinancialsReported Financials As Reported

Get financials as reported. This data is available for bulk download on <a href="https://www.kaggle.com/finnhub/reported-financials" target="_blank">Kaggle SEC Financials database</a>.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiFinancialsReportedRequest

func (*DefaultApiService) FinancialsReportedExecute

Execute executes the request

@return FinancialsAsReported

func (*DefaultApiService) ForexCandles

ForexCandles Forex Candles

Get candlestick data for forex symbols.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiForexCandlesRequest

func (*DefaultApiService) ForexCandlesExecute

Execute executes the request

@return ForexCandles

func (*DefaultApiService) ForexExchanges

ForexExchanges Forex Exchanges

List supported forex exchanges

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiForexExchangesRequest

func (*DefaultApiService) ForexExchangesExecute

func (a *DefaultApiService) ForexExchangesExecute(r ApiForexExchangesRequest) ([]string, *_nethttp.Response, error)

Execute executes the request

@return []string

func (*DefaultApiService) ForexRates

ForexRates Forex rates

Get rates for all forex pairs. Ideal for currency conversion

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiForexRatesRequest

func (*DefaultApiService) ForexRatesExecute

Execute executes the request

@return Forexrates

func (*DefaultApiService) ForexSymbols

ForexSymbols Forex Symbol

List supported forex symbols.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiForexSymbolsRequest

func (*DefaultApiService) ForexSymbolsExecute

Execute executes the request

@return []ForexSymbol

func (*DefaultApiService) FundOwnership

FundOwnership Fund Ownership

Get a full list fund and institutional investors of a company in descending order of the number of shares held. Data is sourced from <code>13F form</code>, <code>Schedule 13D</code> and <code>13G</code> for US market, <code>UK Share Register</code> for UK market, <code>SEDI</code> for Canadian market and equivalent filings for other international markets.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiFundOwnershipRequest

func (*DefaultApiService) FundOwnershipExecute

Execute executes the request

@return FundOwnership

func (*DefaultApiService) IndicesConstituents

IndicesConstituents Indices Constituents

Get a list of index's constituents. A list of supported indices for this endpoint can be found <a href="/api/v1/index/list?token=" target="_blank">here</a>.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiIndicesConstituentsRequest

func (*DefaultApiService) IndicesConstituentsExecute

Execute executes the request

@return IndicesConstituents

func (*DefaultApiService) IndicesHistoricalConstituents

func (a *DefaultApiService) IndicesHistoricalConstituents(ctx _context.Context) ApiIndicesHistoricalConstituentsRequest

IndicesHistoricalConstituents Indices Historical Constituents

Get full history of index's constituents including symbols and dates of joining and leaving the Index. Currently support <code>^GSPC</code>, <code>^NDX</code>, <code>^DJI</code>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiIndicesHistoricalConstituentsRequest

func (*DefaultApiService) IndicesHistoricalConstituentsExecute

Execute executes the request

@return IndicesHistoricalConstituents

func (*DefaultApiService) InsiderSentiment added in v2.0.11

InsiderSentiment Insider Sentiment

Get insider sentiment data for US companies calculated using method discussed <a href="https://medium.com/@stock-api/finnhub-insiders-sentiment-analysis-cc43f9f64b3a" target="_blank">here</a>. The MSPR ranges from -100 for the most negative to 100 for the most positive which can signal price changes in the coming 30-90 days.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiInsiderSentimentRequest

func (*DefaultApiService) InsiderSentimentExecute added in v2.0.11

Execute executes the request

@return InsiderSentiments

func (*DefaultApiService) InsiderTransactions

InsiderTransactions Insider Transactions

Company insider transactions data sourced from <code>Form 3,4,5</code>, SEDI and relevant companies' filings. This endpoint covers US, Canada, Australia, and selected EU companies. Limit to 100 transactions per API call.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiInsiderTransactionsRequest

func (*DefaultApiService) InsiderTransactionsExecute

Execute executes the request

@return InsiderTransactions

func (*DefaultApiService) InstitutionalOwnership added in v2.0.15

func (a *DefaultApiService) InstitutionalOwnership(ctx _context.Context) ApiInstitutionalOwnershipRequest

InstitutionalOwnership Institutional Ownership

Get a list institutional investors' positions for a particular stock overtime. Data from 13-F filings. Limit to 1 year of data at a time.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiInstitutionalOwnershipRequest

func (*DefaultApiService) InstitutionalOwnershipExecute added in v2.0.15

Execute executes the request

@return InstitutionalOwnership

func (*DefaultApiService) InstitutionalPortfolio added in v2.0.15

func (a *DefaultApiService) InstitutionalPortfolio(ctx _context.Context) ApiInstitutionalPortfolioRequest

InstitutionalPortfolio Institutional Portfolio

Get the holdings/portfolio data of institutional investors from 13-F filings. Limit to 1 year of data at a time. You can get a list of supported CIK <a href="/api/v1/institutional/list?token=" target="_blank">here</a>.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiInstitutionalPortfolioRequest

func (*DefaultApiService) InstitutionalPortfolioExecute added in v2.0.15

Execute executes the request

@return InstitutionalPortfolio

func (*DefaultApiService) InstitutionalProfile added in v2.0.15

InstitutionalProfile Institutional Profile

Get a list of well-known institutional investors. Currently support 60+ profiles.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiInstitutionalProfileRequest

func (*DefaultApiService) InstitutionalProfileExecute added in v2.0.15

Execute executes the request

@return InstitutionalProfile

func (*DefaultApiService) InternationalFilings

InternationalFilings International Filings

List filings for international companies. Limit to 250 documents at a time. These are the documents we use to source our fundamental data. Only support SEDAR and UK Companies House for normal usage. Enterprise clients who need access to the full filings for global markets should contact us for the access.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiInternationalFilingsRequest

func (*DefaultApiService) InternationalFilingsExecute

Execute executes the request

@return []InternationalFiling

func (*DefaultApiService) InvestmentThemes

InvestmentThemes Investment Themes (Thematic Investing)

<p>Thematic investing involves creating a portfolio (or portion of a portfolio) by gathering together a collection of companies involved in certain areas that you predict will generate above-market returns over the long term. Themes can be based on a concept such as ageing populations or a sub-sector such as robotics, and drones. Thematic investing focuses on predicted long-term trends rather than specific companies or sectors, enabling investors to access structural, one-off shifts that can change an entire industry.</p><p>This endpoint will help you get portfolios of different investment themes that are changing our life and are the way of the future.</p><p>A full list of themes supported can be found <a target="_blank" href="https://docs.google.com/spreadsheets/d/1ULj9xDh4iPoQj279M084adZ2_S852ttRthKKJ7madYc/edit?usp=sharing">here</a>. The theme coverage and portfolios are updated bi-weekly by our analysts. Our approach excludes penny, super-small cap and illiquid stocks.</p>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiInvestmentThemesRequest

func (*DefaultApiService) InvestmentThemesExecute

Execute executes the request

@return InvestmentThemes

func (*DefaultApiService) IpoCalendar

IpoCalendar IPO Calendar

Get recent and upcoming IPO.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiIpoCalendarRequest

func (*DefaultApiService) IpoCalendarExecute

Execute executes the request

@return IPOCalendar

func (*DefaultApiService) IsinChange added in v2.0.15

IsinChange ISIN Change

Get a list of ISIN changes for EU-listed securities. Limit to 2000 events at a time.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiIsinChangeRequest

func (*DefaultApiService) IsinChangeExecute added in v2.0.15

Execute executes the request

@return IsinChange

func (*DefaultApiService) MarketHoliday added in v2.0.17

MarketHoliday Market Holiday

Get a list of holidays for global exchanges.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiMarketHolidayRequest

func (*DefaultApiService) MarketHolidayExecute added in v2.0.17

Execute executes the request

@return MarketHoliday

func (*DefaultApiService) MarketNews

MarketNews Market News

Get latest market news.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiMarketNewsRequest

func (*DefaultApiService) MarketNewsExecute

Execute executes the request

@return []MarketNews

func (*DefaultApiService) MarketStatus added in v2.0.17

MarketStatus Market Status

Get current market status for global exchanges (whether exchanges are open or close).

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiMarketStatusRequest

func (*DefaultApiService) MarketStatusExecute added in v2.0.17

Execute executes the request

@return MarketStatus

func (*DefaultApiService) MutualFundCountryExposure

func (a *DefaultApiService) MutualFundCountryExposure(ctx _context.Context) ApiMutualFundCountryExposureRequest

MutualFundCountryExposure Mutual Funds Country Exposure

Get Mutual Funds country exposure data.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiMutualFundCountryExposureRequest

func (*DefaultApiService) MutualFundCountryExposureExecute

Execute executes the request

@return MutualFundCountryExposure

func (*DefaultApiService) MutualFundEet added in v2.0.16

MutualFundEet Mutual Funds EET

Get EET data for EU funds. For PAIs data, please see the EET PAI endpoint.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiMutualFundEetRequest

func (*DefaultApiService) MutualFundEetExecute added in v2.0.16

Execute executes the request

@return MutualFundEet

func (*DefaultApiService) MutualFundEetPai added in v2.0.16

MutualFundEetPai Mutual Funds EET PAI

Get EET PAI data for EU funds.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiMutualFundEetPaiRequest

func (*DefaultApiService) MutualFundEetPaiExecute added in v2.0.16

Execute executes the request

@return MutualFundEetPai

func (*DefaultApiService) MutualFundHoldings

MutualFundHoldings Mutual Funds Holdings

Get full Mutual Funds holdings/constituents. This endpoint covers both US and global mutual funds. For international funds, you must query the data using ISIN. A list of supported funds can be found <a href="/api/v1/mutual-fund/list?token=" target="_blank">here</a>.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiMutualFundHoldingsRequest

func (*DefaultApiService) MutualFundHoldingsExecute

Execute executes the request

@return MutualFundHoldings

func (*DefaultApiService) MutualFundProfile

MutualFundProfile Mutual Funds Profile

Get mutual funds profile information. This endpoint covers both US and global mutual funds. For international funds, you must query the data using ISIN. A list of supported funds can be found <a href="/api/v1/mutual-fund/list?token=" target="_blank">here</a>.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiMutualFundProfileRequest

func (*DefaultApiService) MutualFundProfileExecute

Execute executes the request

@return MutualFundProfile

func (*DefaultApiService) MutualFundSectorExposure

func (a *DefaultApiService) MutualFundSectorExposure(ctx _context.Context) ApiMutualFundSectorExposureRequest

MutualFundSectorExposure Mutual Funds Sector Exposure

Get Mutual Funds sector exposure data.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiMutualFundSectorExposureRequest

func (*DefaultApiService) MutualFundSectorExposureExecute

Execute executes the request

@return MutualFundSectorExposure

func (*DefaultApiService) NewsSentiment

NewsSentiment News Sentiment

Get company's news sentiment and statistics. This endpoint is only available for US companies.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiNewsSentimentRequest

func (*DefaultApiService) NewsSentimentExecute

Execute executes the request

@return NewsSentiment

func (*DefaultApiService) Ownership

Ownership Ownership

Get a full list of shareholders of a company in descending order of the number of shares held. Data is sourced from <code>13F form</code>, <code>Schedule 13D</code> and <code>13G</code> for US market, <code>UK Share Register</code> for UK market, <code>SEDI</code> for Canadian market and equivalent filings for other international markets.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiOwnershipRequest

func (*DefaultApiService) OwnershipExecute

Execute executes the request

@return Ownership

func (*DefaultApiService) PatternRecognition

PatternRecognition Pattern Recognition

Run pattern recognition algorithm on a symbol. Support double top/bottom, triple top/bottom, head and shoulders, triangle, wedge, channel, flag, and candlestick patterns.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiPatternRecognitionRequest

func (*DefaultApiService) PatternRecognitionExecute

Execute executes the request

@return PatternRecognition

func (*DefaultApiService) PressReleases

PressReleases Major Press Releases

<p>Get latest major press releases of a company. This data can be used to highlight the most significant events comprised of mostly press releases sourced from the exchanges, BusinessWire, AccessWire, GlobeNewswire, Newsfile, and PRNewswire.</p><p>Full-text press releases data is available for Enterprise clients. <a href="mailto:support@finnhub.io">Contact Us</a> to learn more.</p>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiPressReleasesRequest

func (*DefaultApiService) PressReleasesExecute

Execute executes the request

@return PressRelease

func (*DefaultApiService) PriceMetrics added in v2.0.15

PriceMetrics Price Metrics

Get company price performance statistics such as 52-week high/low, YTD return and much more.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiPriceMetricsRequest

func (*DefaultApiService) PriceMetricsExecute added in v2.0.15

Execute executes the request

@return PriceMetrics

func (*DefaultApiService) PriceTarget

PriceTarget Price Target

Get latest price target consensus.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiPriceTargetRequest

func (*DefaultApiService) PriceTargetExecute

Execute executes the request

@return PriceTarget

func (*DefaultApiService) Quote

Quote Quote

<p>Get real-time quote data for US stocks. Constant polling is not recommended. Use websocket if you need real-time updates.</p><p>Real-time stock prices for international markets are supported for Enterprise clients via our partner's feed. <a href="mailto:support@finnhub.io">Contact Us</a> to learn more.</p>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiQuoteRequest

func (*DefaultApiService) QuoteExecute

Execute executes the request

@return Quote

func (*DefaultApiService) RecommendationTrends

RecommendationTrends Recommendation Trends

Get latest analyst recommendation trends for a company.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiRecommendationTrendsRequest

func (*DefaultApiService) RecommendationTrendsExecute

Execute executes the request

@return []RecommendationTrend

func (*DefaultApiService) RevenueBreakdown

RevenueBreakdown Revenue Breakdown

Get revenue breakdown by product. This dataset is only available for US companies which disclose their revenue breakdown in the annual or quarterly reports.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiRevenueBreakdownRequest

func (*DefaultApiService) RevenueBreakdownExecute

Execute executes the request

@return RevenueBreakdown

func (*DefaultApiService) SectorMetric added in v2.0.14

SectorMetric Sector Metrics

Get ratios for different sectors and regions/indices.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiSectorMetricRequest

func (*DefaultApiService) SectorMetricExecute added in v2.0.14

Execute executes the request

@return SectorMetric

func (*DefaultApiService) SimilarityIndex

SimilarityIndex Similarity Index

<p>Calculate the textual difference between a company's 10-K / 10-Q reports and the same type of report in the previous year using Cosine Similarity. For example, this endpoint compares 2019's 10-K with 2018's 10-K. Companies breaking from its routines in disclosure of financial condition and risk analysis section can signal a significant change in the company's stock price in the upcoming 4 quarters.</p>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiSimilarityIndexRequest

func (*DefaultApiService) SimilarityIndexExecute

Execute executes the request

@return SimilarityIndex

func (*DefaultApiService) SocialSentiment

SocialSentiment Social Sentiment

<p>Get social sentiment for stocks on Reddit and Twitter.</p>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiSocialSentimentRequest

func (*DefaultApiService) SocialSentimentExecute

Execute executes the request

@return SocialSentiment

func (*DefaultApiService) StockBasicDividends

StockBasicDividends Dividends 2 (Basic)

Get global dividends data.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiStockBasicDividendsRequest

func (*DefaultApiService) StockBasicDividendsExecute

func (a *DefaultApiService) StockBasicDividendsExecute(r ApiStockBasicDividendsRequest) (Dividends2, *_nethttp.Response, error)

Execute executes the request

@return Dividends2

func (*DefaultApiService) StockBidask

StockBidask Last Bid-Ask

Get last bid/ask data for US stocks.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiStockBidaskRequest

func (*DefaultApiService) StockBidaskExecute

Execute executes the request

@return LastBidAsk

func (*DefaultApiService) StockCandles

StockCandles Stock Candles

<p>Get candlestick data (OHLCV) for stocks.</p><p>Daily data will be adjusted for Splits. Intraday data will remain unadjusted. Only 1 month of intraday will be returned at a time. If you need more historical intraday data, please use the from and to params iteratively to request more data.</p>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiStockCandlesRequest

func (*DefaultApiService) StockCandlesExecute

Execute executes the request

@return StockCandles

func (*DefaultApiService) StockDividends

StockDividends Dividends

Get dividends data for common stocks going back 30 years.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiStockDividendsRequest

func (*DefaultApiService) StockDividendsExecute

func (a *DefaultApiService) StockDividendsExecute(r ApiStockDividendsRequest) ([]Dividends, *_nethttp.Response, error)

Execute executes the request

@return []Dividends

func (*DefaultApiService) StockLobbying added in v2.0.12

StockLobbying Senate Lobbying

Get a list of reported lobbying activities in the Senate and the House.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiStockLobbyingRequest

func (*DefaultApiService) StockLobbyingExecute added in v2.0.12

Execute executes the request

@return LobbyingResult

func (*DefaultApiService) StockNbbo

StockNbbo Historical NBBO

<p>Get historical best bid and offer for US stocks, LSE, TSX, Euronext and Deutsche Borse.</p><p>For US market, this endpoint only serves historical NBBO from the beginning of 2020. To download more historical data, please visit our bulk download page in the Dashboard <a target="_blank" href="/dashboard/download",>here</a>.</p>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiStockNbboRequest

func (*DefaultApiService) StockNbboExecute

Execute executes the request

@return HistoricalNBBO

func (*DefaultApiService) StockSplits

StockSplits Splits

Get splits data for stocks.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiStockSplitsRequest

func (*DefaultApiService) StockSplitsExecute

func (a *DefaultApiService) StockSplitsExecute(r ApiStockSplitsRequest) ([]Split, *_nethttp.Response, error)

Execute executes the request

@return []Split

func (*DefaultApiService) StockSymbols

StockSymbols Stock Symbol

List supported stocks. We use the following symbology to identify stocks on Finnhub <code>Exchange_Ticker.Exchange_Code</code>. A list of supported exchange codes can be found <a href="https://docs.google.com/spreadsheets/d/1I3pBxjfXB056-g_JYf_6o3Rns3BV2kMGG1nCatb91ls/edit?usp=sharing" target="_blank">here</a>.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiStockSymbolsRequest

func (*DefaultApiService) StockSymbolsExecute

Execute executes the request

@return []StockSymbol

func (*DefaultApiService) StockTick

StockTick Tick Data

<p>Get historical tick data for global exchanges. You can send the request directly to our tick server at <a href="https://tick.finnhub.io/">https://tick.finnhub.io/</a> with the same path and parameters or get redirected there if you call our main server.</p><p>For more historical tick data, you can visit our bulk download page in the Dashboard <a target="_blank" href="/dashboard/download",>here</a> to speed up the download process.</p><table class="table table-hover">

<thead>
  <tr>
    <th>Exchange</th>
    <th>Segment</th>
    <th>Delay</th>
  </tr>
</thead>
<tbody>
  <tr>
    <td class="text-blue">US CTA/UTP</th>
    <td>Full SIP</td>
    <td>End-of-day</td>
  </tr>
  <tr>
    <td class="text-blue">TSX</th>
    <td><ul><li>TSX</li><li>TSX Venture</li><li>Index</li></ul></td>
    <td>End-of-day</td>
  </tr>
  <tr>
    <td class="text-blue">LSE</th>
    <td><ul><li>London Stock Exchange (L)</li><li>LSE International (L)</li><li>LSE European (L)</li></ul></td>
    <td>15 minute</td>
  </tr>
  <tr>
    <td class="text-blue">Euronext</th>
    <td><ul> <li>Euronext Paris (PA)</li> <li>Euronext Amsterdam (AS)</li> <li>Euronext Lisbon (LS)</li> <li>Euronext Brussels (BR)</li> <li>Euronext Oslo (OL)</li> <li>Euronext London (LN)</li> <li>Euronext Dublin (IR)</li> <li>Index</li> <li>Warrant</li></ul></td>
    <td>End-of-day</td>
  </tr>
  <tr>
    <td class="text-blue">Deutsche Börse</th>
    <td><ul> <li>Frankfurt (F)</li> <li>Xetra (DE)</li> <li>Duesseldorf (DU)</li> <li>Hamburg (HM)</li> <li>Berlin (BE)</li> <li>Hanover (HA)</li> <li>Stoxx (SX)</li> <li>TradeGate (TG)</li> <li>Zertifikate (SC)</li> <li>Index</li> <li>Warrant</li></ul></td>
    <td>End-of-day</td>
  </tr>
</tbody>

</table>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiStockTickRequest

func (*DefaultApiService) StockTickExecute

Execute executes the request

@return TickData

func (*DefaultApiService) StockUsaSpending added in v2.0.13

StockUsaSpending USA Spending

Get a list of government's spending activities from USASpending dataset for public companies. This dataset can help you identify companies that win big government contracts which is extremely important for industries such as Defense, Aerospace, and Education.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiStockUsaSpendingRequest

func (*DefaultApiService) StockUsaSpendingExecute added in v2.0.13

Execute executes the request

@return UsaSpendingResult

func (*DefaultApiService) StockUsptoPatent added in v2.0.9

StockUsptoPatent USPTO Patents

List USPTO patents for companies. Limit to 250 records per API call.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiStockUsptoPatentRequest

func (*DefaultApiService) StockUsptoPatentExecute added in v2.0.9

Execute executes the request

@return UsptoPatentResult

func (*DefaultApiService) StockVisaApplication added in v2.0.10

StockVisaApplication H1-B Visa Application

Get a list of H1-B and Permanent visa applications for companies from the DOL. The data is updated quarterly.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiStockVisaApplicationRequest

func (*DefaultApiService) StockVisaApplicationExecute added in v2.0.10

Execute executes the request

@return VisaApplicationResult

func (*DefaultApiService) SupplyChainRelationships

func (a *DefaultApiService) SupplyChainRelationships(ctx _context.Context) ApiSupplyChainRelationshipsRequest

SupplyChainRelationships Supply Chain Relationships

<p>This endpoint provides an overall map of public companies' key customers and suppliers. The data offers a deeper look into a company's supply chain and how products are created. The data will help investors manage risk, limit exposure or generate alpha-generating ideas and trading insights.</p>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiSupplyChainRelationshipsRequest

func (*DefaultApiService) SupplyChainRelationshipsExecute

Execute executes the request

@return SupplyChainRelationships

func (*DefaultApiService) SupportResistance

SupportResistance Support/Resistance

Get support and resistance levels for a symbol.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiSupportResistanceRequest

func (*DefaultApiService) SupportResistanceExecute

Execute executes the request

@return SupportResistance

func (*DefaultApiService) SymbolChange added in v2.0.15

SymbolChange Symbol Change

Get a list of symbol changes for US-listed, EU-listed, NSE and ASX securities. Limit to 2000 events at a time.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiSymbolChangeRequest

func (*DefaultApiService) SymbolChangeExecute added in v2.0.15

Execute executes the request

@return SymbolChange

func (*DefaultApiService) SymbolSearch

SymbolSearch Symbol Lookup

Search for best-matching symbols based on your query. You can input anything from symbol, security's name to ISIN and Cusip.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiSymbolSearchRequest

func (*DefaultApiService) SymbolSearchExecute

Execute executes the request

@return SymbolLookup

func (*DefaultApiService) TechnicalIndicator

TechnicalIndicator Technical Indicators

Return technical indicator with price data. List of supported indicators can be found <a href="https://docs.google.com/spreadsheets/d/1ylUvKHVYN2E87WdwIza8ROaCpd48ggEl1k5i5SgA29k/edit?usp=sharing" target="_blank">here</a>.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiTechnicalIndicatorRequest

func (*DefaultApiService) TechnicalIndicatorExecute

func (a *DefaultApiService) TechnicalIndicatorExecute(r ApiTechnicalIndicatorRequest) (map[string]interface{}, *_nethttp.Response, error)

Execute executes the request

@return map[string]interface{}

func (*DefaultApiService) Transcripts

Transcripts Earnings Call Transcripts

<p>Get earnings call transcripts, audio and participants' list. Data is available for US, UK, European, Australian and Canadian companies.<p>15+ years of data is available with 220,000+ audio which add up to 7TB in size.</p>

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiTranscriptsRequest

func (*DefaultApiService) TranscriptsExecute

Execute executes the request

@return EarningsCallTranscripts

func (*DefaultApiService) TranscriptsList

TranscriptsList Earnings Call Transcripts List

List earnings call transcripts' metadata. This endpoint is available for US, UK, European, Australian and Canadian companies.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiTranscriptsListRequest

func (*DefaultApiService) TranscriptsListExecute

Execute executes the request

@return EarningsCallTranscriptsList

func (*DefaultApiService) UpgradeDowngrade

UpgradeDowngrade Stock Upgrade/Downgrade

Get latest stock upgrade and downgrade.

@param ctx _context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApiUpgradeDowngradeRequest

func (*DefaultApiService) UpgradeDowngradeExecute

Execute executes the request

@return []UpgradeDowngrade

type Development

type Development struct {
	// Company symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Published time in <code>YYYY-MM-DD HH:MM:SS</code> format.
	Datetime *string `json:"datetime,omitempty"`
	// Development headline.
	Headline *string `json:"headline,omitempty"`
	// Development description.
	Description *string `json:"description,omitempty"`
	// URL.
	Url *string `json:"url,omitempty"`
}

Development struct for Development

func NewDevelopment

func NewDevelopment() *Development

NewDevelopment instantiates a new Development object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewDevelopmentWithDefaults

func NewDevelopmentWithDefaults() *Development

NewDevelopmentWithDefaults instantiates a new Development object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Development) GetDatetime

func (o *Development) GetDatetime() string

GetDatetime returns the Datetime field value if set, zero value otherwise.

func (*Development) GetDatetimeOk

func (o *Development) GetDatetimeOk() (*string, bool)

GetDatetimeOk returns a tuple with the Datetime field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Development) GetDescription

func (o *Development) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*Development) GetDescriptionOk

func (o *Development) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Development) GetHeadline

func (o *Development) GetHeadline() string

GetHeadline returns the Headline field value if set, zero value otherwise.

func (*Development) GetHeadlineOk

func (o *Development) GetHeadlineOk() (*string, bool)

GetHeadlineOk returns a tuple with the Headline field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Development) GetSymbol

func (o *Development) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*Development) GetSymbolOk

func (o *Development) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Development) GetUrl

func (o *Development) GetUrl() string

GetUrl returns the Url field value if set, zero value otherwise.

func (*Development) GetUrlOk

func (o *Development) GetUrlOk() (*string, bool)

GetUrlOk returns a tuple with the Url field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Development) HasDatetime

func (o *Development) HasDatetime() bool

HasDatetime returns a boolean if a field has been set.

func (*Development) HasDescription

func (o *Development) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*Development) HasHeadline

func (o *Development) HasHeadline() bool

HasHeadline returns a boolean if a field has been set.

func (*Development) HasSymbol

func (o *Development) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*Development) HasUrl

func (o *Development) HasUrl() bool

HasUrl returns a boolean if a field has been set.

func (Development) MarshalJSON

func (o Development) MarshalJSON() ([]byte, error)

func (*Development) SetDatetime

func (o *Development) SetDatetime(v string)

SetDatetime gets a reference to the given string and assigns it to the Datetime field.

func (*Development) SetDescription

func (o *Development) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*Development) SetHeadline

func (o *Development) SetHeadline(v string)

SetHeadline gets a reference to the given string and assigns it to the Headline field.

func (*Development) SetSymbol

func (o *Development) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*Development) SetUrl

func (o *Development) SetUrl(v string)

SetUrl gets a reference to the given string and assigns it to the Url field.

type Dividends

type Dividends struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Ex-Dividend date.
	Date *string `json:"date,omitempty"`
	// Amount in local currency.
	Amount *float32 `json:"amount,omitempty"`
	// Adjusted dividend.
	AdjustedAmount *float32 `json:"adjustedAmount,omitempty"`
	// Pay date.
	PayDate *string `json:"payDate,omitempty"`
	// Record date.
	RecordDate *string `json:"recordDate,omitempty"`
	// Declaration date.
	DeclarationDate *string `json:"declarationDate,omitempty"`
	// Currency.
	Currency *string `json:"currency,omitempty"`
	// <p>Dividend frequency. Can be 1 of the following values:</p><ul> <li><code>0: Annually</code></li> <li><code>1: Monthly</code></li> <li><code>2: Quarterly</code></li> <li><code>3: Semi-annually</code></li> <li><code>4: Other/Unknown</code></li> <li><code>5: Bimonthly</code></li> <li><code>6: Trimesterly</code></li> <li><code>7: Weekly</code></li> </ul>
	Freq *string `json:"freq,omitempty"`
}

Dividends struct for Dividends

func NewDividends

func NewDividends() *Dividends

NewDividends instantiates a new Dividends object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewDividendsWithDefaults

func NewDividendsWithDefaults() *Dividends

NewDividendsWithDefaults instantiates a new Dividends object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Dividends) GetAdjustedAmount

func (o *Dividends) GetAdjustedAmount() float32

GetAdjustedAmount returns the AdjustedAmount field value if set, zero value otherwise.

func (*Dividends) GetAdjustedAmountOk

func (o *Dividends) GetAdjustedAmountOk() (*float32, bool)

GetAdjustedAmountOk returns a tuple with the AdjustedAmount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Dividends) GetAmount

func (o *Dividends) GetAmount() float32

GetAmount returns the Amount field value if set, zero value otherwise.

func (*Dividends) GetAmountOk

func (o *Dividends) GetAmountOk() (*float32, bool)

GetAmountOk returns a tuple with the Amount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Dividends) GetCurrency

func (o *Dividends) GetCurrency() string

GetCurrency returns the Currency field value if set, zero value otherwise.

func (*Dividends) GetCurrencyOk

func (o *Dividends) GetCurrencyOk() (*string, bool)

GetCurrencyOk returns a tuple with the Currency field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Dividends) GetDate

func (o *Dividends) GetDate() string

GetDate returns the Date field value if set, zero value otherwise.

func (*Dividends) GetDateOk

func (o *Dividends) GetDateOk() (*string, bool)

GetDateOk returns a tuple with the Date field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Dividends) GetDeclarationDate

func (o *Dividends) GetDeclarationDate() string

GetDeclarationDate returns the DeclarationDate field value if set, zero value otherwise.

func (*Dividends) GetDeclarationDateOk

func (o *Dividends) GetDeclarationDateOk() (*string, bool)

GetDeclarationDateOk returns a tuple with the DeclarationDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Dividends) GetFreq added in v2.0.16

func (o *Dividends) GetFreq() string

GetFreq returns the Freq field value if set, zero value otherwise.

func (*Dividends) GetFreqOk added in v2.0.16

func (o *Dividends) GetFreqOk() (*string, bool)

GetFreqOk returns a tuple with the Freq field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Dividends) GetPayDate

func (o *Dividends) GetPayDate() string

GetPayDate returns the PayDate field value if set, zero value otherwise.

func (*Dividends) GetPayDateOk

func (o *Dividends) GetPayDateOk() (*string, bool)

GetPayDateOk returns a tuple with the PayDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Dividends) GetRecordDate

func (o *Dividends) GetRecordDate() string

GetRecordDate returns the RecordDate field value if set, zero value otherwise.

func (*Dividends) GetRecordDateOk

func (o *Dividends) GetRecordDateOk() (*string, bool)

GetRecordDateOk returns a tuple with the RecordDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Dividends) GetSymbol

func (o *Dividends) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*Dividends) GetSymbolOk

func (o *Dividends) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Dividends) HasAdjustedAmount

func (o *Dividends) HasAdjustedAmount() bool

HasAdjustedAmount returns a boolean if a field has been set.

func (*Dividends) HasAmount

func (o *Dividends) HasAmount() bool

HasAmount returns a boolean if a field has been set.

func (*Dividends) HasCurrency

func (o *Dividends) HasCurrency() bool

HasCurrency returns a boolean if a field has been set.

func (*Dividends) HasDate

func (o *Dividends) HasDate() bool

HasDate returns a boolean if a field has been set.

func (*Dividends) HasDeclarationDate

func (o *Dividends) HasDeclarationDate() bool

HasDeclarationDate returns a boolean if a field has been set.

func (*Dividends) HasFreq added in v2.0.16

func (o *Dividends) HasFreq() bool

HasFreq returns a boolean if a field has been set.

func (*Dividends) HasPayDate

func (o *Dividends) HasPayDate() bool

HasPayDate returns a boolean if a field has been set.

func (*Dividends) HasRecordDate

func (o *Dividends) HasRecordDate() bool

HasRecordDate returns a boolean if a field has been set.

func (*Dividends) HasSymbol

func (o *Dividends) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (Dividends) MarshalJSON

func (o Dividends) MarshalJSON() ([]byte, error)

func (*Dividends) SetAdjustedAmount

func (o *Dividends) SetAdjustedAmount(v float32)

SetAdjustedAmount gets a reference to the given float32 and assigns it to the AdjustedAmount field.

func (*Dividends) SetAmount

func (o *Dividends) SetAmount(v float32)

SetAmount gets a reference to the given float32 and assigns it to the Amount field.

func (*Dividends) SetCurrency

func (o *Dividends) SetCurrency(v string)

SetCurrency gets a reference to the given string and assigns it to the Currency field.

func (*Dividends) SetDate

func (o *Dividends) SetDate(v string)

SetDate gets a reference to the given string and assigns it to the Date field.

func (*Dividends) SetDeclarationDate

func (o *Dividends) SetDeclarationDate(v string)

SetDeclarationDate gets a reference to the given string and assigns it to the DeclarationDate field.

func (*Dividends) SetFreq added in v2.0.16

func (o *Dividends) SetFreq(v string)

SetFreq gets a reference to the given string and assigns it to the Freq field.

func (*Dividends) SetPayDate

func (o *Dividends) SetPayDate(v string)

SetPayDate gets a reference to the given string and assigns it to the PayDate field.

func (*Dividends) SetRecordDate

func (o *Dividends) SetRecordDate(v string)

SetRecordDate gets a reference to the given string and assigns it to the RecordDate field.

func (*Dividends) SetSymbol

func (o *Dividends) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type Dividends2

type Dividends2 struct {
	// Symbol
	Symbol *string `json:"symbol,omitempty"`
	//
	Data *[]Dividends2Info `json:"data,omitempty"`
}

Dividends2 struct for Dividends2

func NewDividends2

func NewDividends2() *Dividends2

NewDividends2 instantiates a new Dividends2 object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewDividends2WithDefaults

func NewDividends2WithDefaults() *Dividends2

NewDividends2WithDefaults instantiates a new Dividends2 object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Dividends2) GetData

func (o *Dividends2) GetData() []Dividends2Info

GetData returns the Data field value if set, zero value otherwise.

func (*Dividends2) GetDataOk

func (o *Dividends2) GetDataOk() (*[]Dividends2Info, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Dividends2) GetSymbol

func (o *Dividends2) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*Dividends2) GetSymbolOk

func (o *Dividends2) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Dividends2) HasData

func (o *Dividends2) HasData() bool

HasData returns a boolean if a field has been set.

func (*Dividends2) HasSymbol

func (o *Dividends2) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (Dividends2) MarshalJSON

func (o Dividends2) MarshalJSON() ([]byte, error)

func (*Dividends2) SetData

func (o *Dividends2) SetData(v []Dividends2Info)

SetData gets a reference to the given []Dividends2Info and assigns it to the Data field.

func (*Dividends2) SetSymbol

func (o *Dividends2) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type Dividends2Info

type Dividends2Info struct {
	// Ex-Dividend date.
	ExDate *string `json:"exDate,omitempty"`
	// Amount in local currency.
	Amount *float32 `json:"amount,omitempty"`
}

Dividends2Info struct for Dividends2Info

func NewDividends2Info

func NewDividends2Info() *Dividends2Info

NewDividends2Info instantiates a new Dividends2Info object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewDividends2InfoWithDefaults

func NewDividends2InfoWithDefaults() *Dividends2Info

NewDividends2InfoWithDefaults instantiates a new Dividends2Info object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Dividends2Info) GetAmount

func (o *Dividends2Info) GetAmount() float32

GetAmount returns the Amount field value if set, zero value otherwise.

func (*Dividends2Info) GetAmountOk

func (o *Dividends2Info) GetAmountOk() (*float32, bool)

GetAmountOk returns a tuple with the Amount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Dividends2Info) GetExDate

func (o *Dividends2Info) GetExDate() string

GetExDate returns the ExDate field value if set, zero value otherwise.

func (*Dividends2Info) GetExDateOk

func (o *Dividends2Info) GetExDateOk() (*string, bool)

GetExDateOk returns a tuple with the ExDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Dividends2Info) HasAmount

func (o *Dividends2Info) HasAmount() bool

HasAmount returns a boolean if a field has been set.

func (*Dividends2Info) HasExDate

func (o *Dividends2Info) HasExDate() bool

HasExDate returns a boolean if a field has been set.

func (Dividends2Info) MarshalJSON

func (o Dividends2Info) MarshalJSON() ([]byte, error)

func (*Dividends2Info) SetAmount

func (o *Dividends2Info) SetAmount(v float32)

SetAmount gets a reference to the given float32 and assigns it to the Amount field.

func (*Dividends2Info) SetExDate

func (o *Dividends2Info) SetExDate(v string)

SetExDate gets a reference to the given string and assigns it to the ExDate field.

type DocumentResponse added in v2.0.16

type DocumentResponse struct {
	// AlphaResearch internal document id.
	DocumentId *string `json:"documentId,omitempty"`
	// Title for this document.
	Title *string `json:"title,omitempty"`
	// Number of hit in this document
	Hits *string `json:"hits,omitempty"`
	// Link to render this document
	Url *string `json:"url,omitempty"`
	// Format of this document (can be html or pdf)
	Format *string `json:"format,omitempty"`
	// Highlighted excerpts for this document
	Excerpts *[]ExcerptResponse `json:"excerpts,omitempty"`
}

DocumentResponse struct for DocumentResponse

func NewDocumentResponse added in v2.0.16

func NewDocumentResponse() *DocumentResponse

NewDocumentResponse instantiates a new DocumentResponse object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewDocumentResponseWithDefaults added in v2.0.16

func NewDocumentResponseWithDefaults() *DocumentResponse

NewDocumentResponseWithDefaults instantiates a new DocumentResponse object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*DocumentResponse) GetDocumentId added in v2.0.16

func (o *DocumentResponse) GetDocumentId() string

GetDocumentId returns the DocumentId field value if set, zero value otherwise.

func (*DocumentResponse) GetDocumentIdOk added in v2.0.16

func (o *DocumentResponse) GetDocumentIdOk() (*string, bool)

GetDocumentIdOk returns a tuple with the DocumentId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*DocumentResponse) GetExcerpts added in v2.0.16

func (o *DocumentResponse) GetExcerpts() []ExcerptResponse

GetExcerpts returns the Excerpts field value if set, zero value otherwise.

func (*DocumentResponse) GetExcerptsOk added in v2.0.16

func (o *DocumentResponse) GetExcerptsOk() (*[]ExcerptResponse, bool)

GetExcerptsOk returns a tuple with the Excerpts field value if set, nil otherwise and a boolean to check if the value has been set.

func (*DocumentResponse) GetFormat added in v2.0.16

func (o *DocumentResponse) GetFormat() string

GetFormat returns the Format field value if set, zero value otherwise.

func (*DocumentResponse) GetFormatOk added in v2.0.16

func (o *DocumentResponse) GetFormatOk() (*string, bool)

GetFormatOk returns a tuple with the Format field value if set, nil otherwise and a boolean to check if the value has been set.

func (*DocumentResponse) GetHits added in v2.0.16

func (o *DocumentResponse) GetHits() string

GetHits returns the Hits field value if set, zero value otherwise.

func (*DocumentResponse) GetHitsOk added in v2.0.16

func (o *DocumentResponse) GetHitsOk() (*string, bool)

GetHitsOk returns a tuple with the Hits field value if set, nil otherwise and a boolean to check if the value has been set.

func (*DocumentResponse) GetTitle added in v2.0.16

func (o *DocumentResponse) GetTitle() string

GetTitle returns the Title field value if set, zero value otherwise.

func (*DocumentResponse) GetTitleOk added in v2.0.16

func (o *DocumentResponse) GetTitleOk() (*string, bool)

GetTitleOk returns a tuple with the Title field value if set, nil otherwise and a boolean to check if the value has been set.

func (*DocumentResponse) GetUrl added in v2.0.16

func (o *DocumentResponse) GetUrl() string

GetUrl returns the Url field value if set, zero value otherwise.

func (*DocumentResponse) GetUrlOk added in v2.0.16

func (o *DocumentResponse) GetUrlOk() (*string, bool)

GetUrlOk returns a tuple with the Url field value if set, nil otherwise and a boolean to check if the value has been set.

func (*DocumentResponse) HasDocumentId added in v2.0.16

func (o *DocumentResponse) HasDocumentId() bool

HasDocumentId returns a boolean if a field has been set.

func (*DocumentResponse) HasExcerpts added in v2.0.16

func (o *DocumentResponse) HasExcerpts() bool

HasExcerpts returns a boolean if a field has been set.

func (*DocumentResponse) HasFormat added in v2.0.16

func (o *DocumentResponse) HasFormat() bool

HasFormat returns a boolean if a field has been set.

func (*DocumentResponse) HasHits added in v2.0.16

func (o *DocumentResponse) HasHits() bool

HasHits returns a boolean if a field has been set.

func (*DocumentResponse) HasTitle added in v2.0.16

func (o *DocumentResponse) HasTitle() bool

HasTitle returns a boolean if a field has been set.

func (*DocumentResponse) HasUrl added in v2.0.16

func (o *DocumentResponse) HasUrl() bool

HasUrl returns a boolean if a field has been set.

func (DocumentResponse) MarshalJSON added in v2.0.16

func (o DocumentResponse) MarshalJSON() ([]byte, error)

func (*DocumentResponse) SetDocumentId added in v2.0.16

func (o *DocumentResponse) SetDocumentId(v string)

SetDocumentId gets a reference to the given string and assigns it to the DocumentId field.

func (*DocumentResponse) SetExcerpts added in v2.0.16

func (o *DocumentResponse) SetExcerpts(v []ExcerptResponse)

SetExcerpts gets a reference to the given []ExcerptResponse and assigns it to the Excerpts field.

func (*DocumentResponse) SetFormat added in v2.0.16

func (o *DocumentResponse) SetFormat(v string)

SetFormat gets a reference to the given string and assigns it to the Format field.

func (*DocumentResponse) SetHits added in v2.0.16

func (o *DocumentResponse) SetHits(v string)

SetHits gets a reference to the given string and assigns it to the Hits field.

func (*DocumentResponse) SetTitle added in v2.0.16

func (o *DocumentResponse) SetTitle(v string)

SetTitle gets a reference to the given string and assigns it to the Title field.

func (*DocumentResponse) SetUrl added in v2.0.16

func (o *DocumentResponse) SetUrl(v string)

SetUrl gets a reference to the given string and assigns it to the Url field.

type ETFCountryExposureData

type ETFCountryExposureData struct {
	// Country
	Country *string `json:"country,omitempty"`
	// Percent of exposure.
	Exposure *float32 `json:"exposure,omitempty"`
}

ETFCountryExposureData struct for ETFCountryExposureData

func NewETFCountryExposureData

func NewETFCountryExposureData() *ETFCountryExposureData

NewETFCountryExposureData instantiates a new ETFCountryExposureData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewETFCountryExposureDataWithDefaults

func NewETFCountryExposureDataWithDefaults() *ETFCountryExposureData

NewETFCountryExposureDataWithDefaults instantiates a new ETFCountryExposureData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ETFCountryExposureData) GetCountry

func (o *ETFCountryExposureData) GetCountry() string

GetCountry returns the Country field value if set, zero value otherwise.

func (*ETFCountryExposureData) GetCountryOk

func (o *ETFCountryExposureData) GetCountryOk() (*string, bool)

GetCountryOk returns a tuple with the Country field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFCountryExposureData) GetExposure

func (o *ETFCountryExposureData) GetExposure() float32

GetExposure returns the Exposure field value if set, zero value otherwise.

func (*ETFCountryExposureData) GetExposureOk

func (o *ETFCountryExposureData) GetExposureOk() (*float32, bool)

GetExposureOk returns a tuple with the Exposure field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFCountryExposureData) HasCountry

func (o *ETFCountryExposureData) HasCountry() bool

HasCountry returns a boolean if a field has been set.

func (*ETFCountryExposureData) HasExposure

func (o *ETFCountryExposureData) HasExposure() bool

HasExposure returns a boolean if a field has been set.

func (ETFCountryExposureData) MarshalJSON

func (o ETFCountryExposureData) MarshalJSON() ([]byte, error)

func (*ETFCountryExposureData) SetCountry

func (o *ETFCountryExposureData) SetCountry(v string)

SetCountry gets a reference to the given string and assigns it to the Country field.

func (*ETFCountryExposureData) SetExposure

func (o *ETFCountryExposureData) SetExposure(v float32)

SetExposure gets a reference to the given float32 and assigns it to the Exposure field.

type ETFHoldingsData

type ETFHoldingsData struct {
	// Symbol description
	Symbol *string `json:"symbol,omitempty"`
	// Security name
	Name *string `json:"name,omitempty"`
	// ISIN.
	Isin *string `json:"isin,omitempty"`
	// CUSIP.
	Cusip *string `json:"cusip,omitempty"`
	// Number of shares owned by the ETF.
	Share *float32 `json:"share,omitempty"`
	// Portfolio's percent
	Percent *float32 `json:"percent,omitempty"`
	// Market value
	Value *float32 `json:"value,omitempty"`
	// Asset type. Can be 1 of the following values: <code>Equity</code>, <code>ETP</code>, <code>Fund</code>, <code>Bond</code>, <code>Other</code> or empty.
	AssetType *string `json:"assetType,omitempty"`
}

ETFHoldingsData struct for ETFHoldingsData

func NewETFHoldingsData

func NewETFHoldingsData() *ETFHoldingsData

NewETFHoldingsData instantiates a new ETFHoldingsData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewETFHoldingsDataWithDefaults

func NewETFHoldingsDataWithDefaults() *ETFHoldingsData

NewETFHoldingsDataWithDefaults instantiates a new ETFHoldingsData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ETFHoldingsData) GetAssetType added in v2.0.16

func (o *ETFHoldingsData) GetAssetType() string

GetAssetType returns the AssetType field value if set, zero value otherwise.

func (*ETFHoldingsData) GetAssetTypeOk added in v2.0.16

func (o *ETFHoldingsData) GetAssetTypeOk() (*string, bool)

GetAssetTypeOk returns a tuple with the AssetType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFHoldingsData) GetCusip

func (o *ETFHoldingsData) GetCusip() string

GetCusip returns the Cusip field value if set, zero value otherwise.

func (*ETFHoldingsData) GetCusipOk

func (o *ETFHoldingsData) GetCusipOk() (*string, bool)

GetCusipOk returns a tuple with the Cusip field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFHoldingsData) GetIsin

func (o *ETFHoldingsData) GetIsin() string

GetIsin returns the Isin field value if set, zero value otherwise.

func (*ETFHoldingsData) GetIsinOk

func (o *ETFHoldingsData) GetIsinOk() (*string, bool)

GetIsinOk returns a tuple with the Isin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFHoldingsData) GetName

func (o *ETFHoldingsData) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*ETFHoldingsData) GetNameOk

func (o *ETFHoldingsData) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFHoldingsData) GetPercent

func (o *ETFHoldingsData) GetPercent() float32

GetPercent returns the Percent field value if set, zero value otherwise.

func (*ETFHoldingsData) GetPercentOk

func (o *ETFHoldingsData) GetPercentOk() (*float32, bool)

GetPercentOk returns a tuple with the Percent field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFHoldingsData) GetShare

func (o *ETFHoldingsData) GetShare() float32

GetShare returns the Share field value if set, zero value otherwise.

func (*ETFHoldingsData) GetShareOk

func (o *ETFHoldingsData) GetShareOk() (*float32, bool)

GetShareOk returns a tuple with the Share field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFHoldingsData) GetSymbol

func (o *ETFHoldingsData) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*ETFHoldingsData) GetSymbolOk

func (o *ETFHoldingsData) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFHoldingsData) GetValue

func (o *ETFHoldingsData) GetValue() float32

GetValue returns the Value field value if set, zero value otherwise.

func (*ETFHoldingsData) GetValueOk

func (o *ETFHoldingsData) GetValueOk() (*float32, bool)

GetValueOk returns a tuple with the Value field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFHoldingsData) HasAssetType added in v2.0.16

func (o *ETFHoldingsData) HasAssetType() bool

HasAssetType returns a boolean if a field has been set.

func (*ETFHoldingsData) HasCusip

func (o *ETFHoldingsData) HasCusip() bool

HasCusip returns a boolean if a field has been set.

func (*ETFHoldingsData) HasIsin

func (o *ETFHoldingsData) HasIsin() bool

HasIsin returns a boolean if a field has been set.

func (*ETFHoldingsData) HasName

func (o *ETFHoldingsData) HasName() bool

HasName returns a boolean if a field has been set.

func (*ETFHoldingsData) HasPercent

func (o *ETFHoldingsData) HasPercent() bool

HasPercent returns a boolean if a field has been set.

func (*ETFHoldingsData) HasShare

func (o *ETFHoldingsData) HasShare() bool

HasShare returns a boolean if a field has been set.

func (*ETFHoldingsData) HasSymbol

func (o *ETFHoldingsData) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*ETFHoldingsData) HasValue

func (o *ETFHoldingsData) HasValue() bool

HasValue returns a boolean if a field has been set.

func (ETFHoldingsData) MarshalJSON

func (o ETFHoldingsData) MarshalJSON() ([]byte, error)

func (*ETFHoldingsData) SetAssetType added in v2.0.16

func (o *ETFHoldingsData) SetAssetType(v string)

SetAssetType gets a reference to the given string and assigns it to the AssetType field.

func (*ETFHoldingsData) SetCusip

func (o *ETFHoldingsData) SetCusip(v string)

SetCusip gets a reference to the given string and assigns it to the Cusip field.

func (*ETFHoldingsData) SetIsin

func (o *ETFHoldingsData) SetIsin(v string)

SetIsin gets a reference to the given string and assigns it to the Isin field.

func (*ETFHoldingsData) SetName

func (o *ETFHoldingsData) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*ETFHoldingsData) SetPercent

func (o *ETFHoldingsData) SetPercent(v float32)

SetPercent gets a reference to the given float32 and assigns it to the Percent field.

func (*ETFHoldingsData) SetShare

func (o *ETFHoldingsData) SetShare(v float32)

SetShare gets a reference to the given float32 and assigns it to the Share field.

func (*ETFHoldingsData) SetSymbol

func (o *ETFHoldingsData) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*ETFHoldingsData) SetValue

func (o *ETFHoldingsData) SetValue(v float32)

SetValue gets a reference to the given float32 and assigns it to the Value field.

type ETFProfileData

type ETFProfileData struct {
	// Name
	Name *string `json:"name,omitempty"`
	// Asset Class.
	AssetClass *string `json:"assetClass,omitempty"`
	// Investment Segment.
	InvestmentSegment *string `json:"investmentSegment,omitempty"`
	// AUM.
	Aum *float32 `json:"aum,omitempty"`
	// NAV.
	Nav *float32 `json:"nav,omitempty"`
	// NAV currency.
	NavCurrency *string `json:"navCurrency,omitempty"`
	// Expense ratio. For non-US funds, this is the <a href=\"https://www.esma.europa.eu/sites/default/files/library/2015/11/09_1028_final_kid_ongoing_charges_methodology_for_publication_u_2_.pdf\" target=\"_blank\">KID ongoing charges<a/>.
	ExpenseRatio *float32 `json:"expenseRatio,omitempty"`
	// Tracking Index.
	TrackingIndex *string `json:"trackingIndex,omitempty"`
	// ETF issuer.
	EtfCompany *string `json:"etfCompany,omitempty"`
	// ETF domicile.
	Domicile *string `json:"domicile,omitempty"`
	// Inception date.
	InceptionDate *string `json:"inceptionDate,omitempty"`
	// ETF's website.
	Website *string `json:"website,omitempty"`
	// ISIN.
	Isin *string `json:"isin,omitempty"`
	// CUSIP.
	Cusip *string `json:"cusip,omitempty"`
	// P/E.
	PriceToEarnings *float32 `json:"priceToEarnings,omitempty"`
	// P/B.
	PriceToBook *float32 `json:"priceToBook,omitempty"`
	// 30-day average volume.
	AvgVolume *float32 `json:"avgVolume,omitempty"`
	// ETF's description.
	Description *string `json:"description,omitempty"`
	// Whether the ETF is inverse
	IsInverse *bool `json:"isInverse,omitempty"`
	// Whether the ETF is leveraged
	IsLeveraged *bool `json:"isLeveraged,omitempty"`
	// Leverage factor.
	LeverageFactor *float32 `json:"leverageFactor,omitempty"`
}

ETFProfileData struct for ETFProfileData

func NewETFProfileData

func NewETFProfileData() *ETFProfileData

NewETFProfileData instantiates a new ETFProfileData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewETFProfileDataWithDefaults

func NewETFProfileDataWithDefaults() *ETFProfileData

NewETFProfileDataWithDefaults instantiates a new ETFProfileData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ETFProfileData) GetAssetClass

func (o *ETFProfileData) GetAssetClass() string

GetAssetClass returns the AssetClass field value if set, zero value otherwise.

func (*ETFProfileData) GetAssetClassOk

func (o *ETFProfileData) GetAssetClassOk() (*string, bool)

GetAssetClassOk returns a tuple with the AssetClass field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetAum

func (o *ETFProfileData) GetAum() float32

GetAum returns the Aum field value if set, zero value otherwise.

func (*ETFProfileData) GetAumOk

func (o *ETFProfileData) GetAumOk() (*float32, bool)

GetAumOk returns a tuple with the Aum field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetAvgVolume

func (o *ETFProfileData) GetAvgVolume() float32

GetAvgVolume returns the AvgVolume field value if set, zero value otherwise.

func (*ETFProfileData) GetAvgVolumeOk

func (o *ETFProfileData) GetAvgVolumeOk() (*float32, bool)

GetAvgVolumeOk returns a tuple with the AvgVolume field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetCusip

func (o *ETFProfileData) GetCusip() string

GetCusip returns the Cusip field value if set, zero value otherwise.

func (*ETFProfileData) GetCusipOk

func (o *ETFProfileData) GetCusipOk() (*string, bool)

GetCusipOk returns a tuple with the Cusip field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetDescription

func (o *ETFProfileData) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*ETFProfileData) GetDescriptionOk

func (o *ETFProfileData) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetDomicile

func (o *ETFProfileData) GetDomicile() string

GetDomicile returns the Domicile field value if set, zero value otherwise.

func (*ETFProfileData) GetDomicileOk

func (o *ETFProfileData) GetDomicileOk() (*string, bool)

GetDomicileOk returns a tuple with the Domicile field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetEtfCompany

func (o *ETFProfileData) GetEtfCompany() string

GetEtfCompany returns the EtfCompany field value if set, zero value otherwise.

func (*ETFProfileData) GetEtfCompanyOk

func (o *ETFProfileData) GetEtfCompanyOk() (*string, bool)

GetEtfCompanyOk returns a tuple with the EtfCompany field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetExpenseRatio

func (o *ETFProfileData) GetExpenseRatio() float32

GetExpenseRatio returns the ExpenseRatio field value if set, zero value otherwise.

func (*ETFProfileData) GetExpenseRatioOk

func (o *ETFProfileData) GetExpenseRatioOk() (*float32, bool)

GetExpenseRatioOk returns a tuple with the ExpenseRatio field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetInceptionDate

func (o *ETFProfileData) GetInceptionDate() string

GetInceptionDate returns the InceptionDate field value if set, zero value otherwise.

func (*ETFProfileData) GetInceptionDateOk

func (o *ETFProfileData) GetInceptionDateOk() (*string, bool)

GetInceptionDateOk returns a tuple with the InceptionDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetInvestmentSegment

func (o *ETFProfileData) GetInvestmentSegment() string

GetInvestmentSegment returns the InvestmentSegment field value if set, zero value otherwise.

func (*ETFProfileData) GetInvestmentSegmentOk

func (o *ETFProfileData) GetInvestmentSegmentOk() (*string, bool)

GetInvestmentSegmentOk returns a tuple with the InvestmentSegment field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetIsInverse added in v2.0.15

func (o *ETFProfileData) GetIsInverse() bool

GetIsInverse returns the IsInverse field value if set, zero value otherwise.

func (*ETFProfileData) GetIsInverseOk added in v2.0.15

func (o *ETFProfileData) GetIsInverseOk() (*bool, bool)

GetIsInverseOk returns a tuple with the IsInverse field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetIsLeveraged added in v2.0.15

func (o *ETFProfileData) GetIsLeveraged() bool

GetIsLeveraged returns the IsLeveraged field value if set, zero value otherwise.

func (*ETFProfileData) GetIsLeveragedOk added in v2.0.15

func (o *ETFProfileData) GetIsLeveragedOk() (*bool, bool)

GetIsLeveragedOk returns a tuple with the IsLeveraged field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetIsin

func (o *ETFProfileData) GetIsin() string

GetIsin returns the Isin field value if set, zero value otherwise.

func (*ETFProfileData) GetIsinOk

func (o *ETFProfileData) GetIsinOk() (*string, bool)

GetIsinOk returns a tuple with the Isin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetLeverageFactor added in v2.0.15

func (o *ETFProfileData) GetLeverageFactor() float32

GetLeverageFactor returns the LeverageFactor field value if set, zero value otherwise.

func (*ETFProfileData) GetLeverageFactorOk added in v2.0.15

func (o *ETFProfileData) GetLeverageFactorOk() (*float32, bool)

GetLeverageFactorOk returns a tuple with the LeverageFactor field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetName

func (o *ETFProfileData) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*ETFProfileData) GetNameOk

func (o *ETFProfileData) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetNav

func (o *ETFProfileData) GetNav() float32

GetNav returns the Nav field value if set, zero value otherwise.

func (*ETFProfileData) GetNavCurrency

func (o *ETFProfileData) GetNavCurrency() string

GetNavCurrency returns the NavCurrency field value if set, zero value otherwise.

func (*ETFProfileData) GetNavCurrencyOk

func (o *ETFProfileData) GetNavCurrencyOk() (*string, bool)

GetNavCurrencyOk returns a tuple with the NavCurrency field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetNavOk

func (o *ETFProfileData) GetNavOk() (*float32, bool)

GetNavOk returns a tuple with the Nav field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetPriceToBook

func (o *ETFProfileData) GetPriceToBook() float32

GetPriceToBook returns the PriceToBook field value if set, zero value otherwise.

func (*ETFProfileData) GetPriceToBookOk

func (o *ETFProfileData) GetPriceToBookOk() (*float32, bool)

GetPriceToBookOk returns a tuple with the PriceToBook field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetPriceToEarnings

func (o *ETFProfileData) GetPriceToEarnings() float32

GetPriceToEarnings returns the PriceToEarnings field value if set, zero value otherwise.

func (*ETFProfileData) GetPriceToEarningsOk

func (o *ETFProfileData) GetPriceToEarningsOk() (*float32, bool)

GetPriceToEarningsOk returns a tuple with the PriceToEarnings field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetTrackingIndex

func (o *ETFProfileData) GetTrackingIndex() string

GetTrackingIndex returns the TrackingIndex field value if set, zero value otherwise.

func (*ETFProfileData) GetTrackingIndexOk

func (o *ETFProfileData) GetTrackingIndexOk() (*string, bool)

GetTrackingIndexOk returns a tuple with the TrackingIndex field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) GetWebsite

func (o *ETFProfileData) GetWebsite() string

GetWebsite returns the Website field value if set, zero value otherwise.

func (*ETFProfileData) GetWebsiteOk

func (o *ETFProfileData) GetWebsiteOk() (*string, bool)

GetWebsiteOk returns a tuple with the Website field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFProfileData) HasAssetClass

func (o *ETFProfileData) HasAssetClass() bool

HasAssetClass returns a boolean if a field has been set.

func (*ETFProfileData) HasAum

func (o *ETFProfileData) HasAum() bool

HasAum returns a boolean if a field has been set.

func (*ETFProfileData) HasAvgVolume

func (o *ETFProfileData) HasAvgVolume() bool

HasAvgVolume returns a boolean if a field has been set.

func (*ETFProfileData) HasCusip

func (o *ETFProfileData) HasCusip() bool

HasCusip returns a boolean if a field has been set.

func (*ETFProfileData) HasDescription

func (o *ETFProfileData) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*ETFProfileData) HasDomicile

func (o *ETFProfileData) HasDomicile() bool

HasDomicile returns a boolean if a field has been set.

func (*ETFProfileData) HasEtfCompany

func (o *ETFProfileData) HasEtfCompany() bool

HasEtfCompany returns a boolean if a field has been set.

func (*ETFProfileData) HasExpenseRatio

func (o *ETFProfileData) HasExpenseRatio() bool

HasExpenseRatio returns a boolean if a field has been set.

func (*ETFProfileData) HasInceptionDate

func (o *ETFProfileData) HasInceptionDate() bool

HasInceptionDate returns a boolean if a field has been set.

func (*ETFProfileData) HasInvestmentSegment

func (o *ETFProfileData) HasInvestmentSegment() bool

HasInvestmentSegment returns a boolean if a field has been set.

func (*ETFProfileData) HasIsInverse added in v2.0.15

func (o *ETFProfileData) HasIsInverse() bool

HasIsInverse returns a boolean if a field has been set.

func (*ETFProfileData) HasIsLeveraged added in v2.0.15

func (o *ETFProfileData) HasIsLeveraged() bool

HasIsLeveraged returns a boolean if a field has been set.

func (*ETFProfileData) HasIsin

func (o *ETFProfileData) HasIsin() bool

HasIsin returns a boolean if a field has been set.

func (*ETFProfileData) HasLeverageFactor added in v2.0.15

func (o *ETFProfileData) HasLeverageFactor() bool

HasLeverageFactor returns a boolean if a field has been set.

func (*ETFProfileData) HasName

func (o *ETFProfileData) HasName() bool

HasName returns a boolean if a field has been set.

func (*ETFProfileData) HasNav

func (o *ETFProfileData) HasNav() bool

HasNav returns a boolean if a field has been set.

func (*ETFProfileData) HasNavCurrency

func (o *ETFProfileData) HasNavCurrency() bool

HasNavCurrency returns a boolean if a field has been set.

func (*ETFProfileData) HasPriceToBook

func (o *ETFProfileData) HasPriceToBook() bool

HasPriceToBook returns a boolean if a field has been set.

func (*ETFProfileData) HasPriceToEarnings

func (o *ETFProfileData) HasPriceToEarnings() bool

HasPriceToEarnings returns a boolean if a field has been set.

func (*ETFProfileData) HasTrackingIndex

func (o *ETFProfileData) HasTrackingIndex() bool

HasTrackingIndex returns a boolean if a field has been set.

func (*ETFProfileData) HasWebsite

func (o *ETFProfileData) HasWebsite() bool

HasWebsite returns a boolean if a field has been set.

func (ETFProfileData) MarshalJSON

func (o ETFProfileData) MarshalJSON() ([]byte, error)

func (*ETFProfileData) SetAssetClass

func (o *ETFProfileData) SetAssetClass(v string)

SetAssetClass gets a reference to the given string and assigns it to the AssetClass field.

func (*ETFProfileData) SetAum

func (o *ETFProfileData) SetAum(v float32)

SetAum gets a reference to the given float32 and assigns it to the Aum field.

func (*ETFProfileData) SetAvgVolume

func (o *ETFProfileData) SetAvgVolume(v float32)

SetAvgVolume gets a reference to the given float32 and assigns it to the AvgVolume field.

func (*ETFProfileData) SetCusip

func (o *ETFProfileData) SetCusip(v string)

SetCusip gets a reference to the given string and assigns it to the Cusip field.

func (*ETFProfileData) SetDescription

func (o *ETFProfileData) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*ETFProfileData) SetDomicile

func (o *ETFProfileData) SetDomicile(v string)

SetDomicile gets a reference to the given string and assigns it to the Domicile field.

func (*ETFProfileData) SetEtfCompany

func (o *ETFProfileData) SetEtfCompany(v string)

SetEtfCompany gets a reference to the given string and assigns it to the EtfCompany field.

func (*ETFProfileData) SetExpenseRatio

func (o *ETFProfileData) SetExpenseRatio(v float32)

SetExpenseRatio gets a reference to the given float32 and assigns it to the ExpenseRatio field.

func (*ETFProfileData) SetInceptionDate

func (o *ETFProfileData) SetInceptionDate(v string)

SetInceptionDate gets a reference to the given string and assigns it to the InceptionDate field.

func (*ETFProfileData) SetInvestmentSegment

func (o *ETFProfileData) SetInvestmentSegment(v string)

SetInvestmentSegment gets a reference to the given string and assigns it to the InvestmentSegment field.

func (*ETFProfileData) SetIsInverse added in v2.0.15

func (o *ETFProfileData) SetIsInverse(v bool)

SetIsInverse gets a reference to the given bool and assigns it to the IsInverse field.

func (*ETFProfileData) SetIsLeveraged added in v2.0.15

func (o *ETFProfileData) SetIsLeveraged(v bool)

SetIsLeveraged gets a reference to the given bool and assigns it to the IsLeveraged field.

func (*ETFProfileData) SetIsin

func (o *ETFProfileData) SetIsin(v string)

SetIsin gets a reference to the given string and assigns it to the Isin field.

func (*ETFProfileData) SetLeverageFactor added in v2.0.15

func (o *ETFProfileData) SetLeverageFactor(v float32)

SetLeverageFactor gets a reference to the given float32 and assigns it to the LeverageFactor field.

func (*ETFProfileData) SetName

func (o *ETFProfileData) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*ETFProfileData) SetNav

func (o *ETFProfileData) SetNav(v float32)

SetNav gets a reference to the given float32 and assigns it to the Nav field.

func (*ETFProfileData) SetNavCurrency

func (o *ETFProfileData) SetNavCurrency(v string)

SetNavCurrency gets a reference to the given string and assigns it to the NavCurrency field.

func (*ETFProfileData) SetPriceToBook

func (o *ETFProfileData) SetPriceToBook(v float32)

SetPriceToBook gets a reference to the given float32 and assigns it to the PriceToBook field.

func (*ETFProfileData) SetPriceToEarnings

func (o *ETFProfileData) SetPriceToEarnings(v float32)

SetPriceToEarnings gets a reference to the given float32 and assigns it to the PriceToEarnings field.

func (*ETFProfileData) SetTrackingIndex

func (o *ETFProfileData) SetTrackingIndex(v string)

SetTrackingIndex gets a reference to the given string and assigns it to the TrackingIndex field.

func (*ETFProfileData) SetWebsite

func (o *ETFProfileData) SetWebsite(v string)

SetWebsite gets a reference to the given string and assigns it to the Website field.

type ETFSectorExposureData

type ETFSectorExposureData struct {
	// Industry
	Industry *string `json:"industry,omitempty"`
	// Percent of exposure.
	Exposure *float32 `json:"exposure,omitempty"`
}

ETFSectorExposureData struct for ETFSectorExposureData

func NewETFSectorExposureData

func NewETFSectorExposureData() *ETFSectorExposureData

NewETFSectorExposureData instantiates a new ETFSectorExposureData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewETFSectorExposureDataWithDefaults

func NewETFSectorExposureDataWithDefaults() *ETFSectorExposureData

NewETFSectorExposureDataWithDefaults instantiates a new ETFSectorExposureData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ETFSectorExposureData) GetExposure

func (o *ETFSectorExposureData) GetExposure() float32

GetExposure returns the Exposure field value if set, zero value otherwise.

func (*ETFSectorExposureData) GetExposureOk

func (o *ETFSectorExposureData) GetExposureOk() (*float32, bool)

GetExposureOk returns a tuple with the Exposure field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFSectorExposureData) GetIndustry

func (o *ETFSectorExposureData) GetIndustry() string

GetIndustry returns the Industry field value if set, zero value otherwise.

func (*ETFSectorExposureData) GetIndustryOk

func (o *ETFSectorExposureData) GetIndustryOk() (*string, bool)

GetIndustryOk returns a tuple with the Industry field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFSectorExposureData) HasExposure

func (o *ETFSectorExposureData) HasExposure() bool

HasExposure returns a boolean if a field has been set.

func (*ETFSectorExposureData) HasIndustry

func (o *ETFSectorExposureData) HasIndustry() bool

HasIndustry returns a boolean if a field has been set.

func (ETFSectorExposureData) MarshalJSON

func (o ETFSectorExposureData) MarshalJSON() ([]byte, error)

func (*ETFSectorExposureData) SetExposure

func (o *ETFSectorExposureData) SetExposure(v float32)

SetExposure gets a reference to the given float32 and assigns it to the Exposure field.

func (*ETFSectorExposureData) SetIndustry

func (o *ETFSectorExposureData) SetIndustry(v string)

SetIndustry gets a reference to the given string and assigns it to the Industry field.

type ETFsCountryExposure

type ETFsCountryExposure struct {
	// ETF symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Array of countries and and exposure levels.
	CountryExposure *[]ETFCountryExposureData `json:"countryExposure,omitempty"`
}

ETFsCountryExposure struct for ETFsCountryExposure

func NewETFsCountryExposure

func NewETFsCountryExposure() *ETFsCountryExposure

NewETFsCountryExposure instantiates a new ETFsCountryExposure object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewETFsCountryExposureWithDefaults

func NewETFsCountryExposureWithDefaults() *ETFsCountryExposure

NewETFsCountryExposureWithDefaults instantiates a new ETFsCountryExposure object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ETFsCountryExposure) GetCountryExposure

func (o *ETFsCountryExposure) GetCountryExposure() []ETFCountryExposureData

GetCountryExposure returns the CountryExposure field value if set, zero value otherwise.

func (*ETFsCountryExposure) GetCountryExposureOk

func (o *ETFsCountryExposure) GetCountryExposureOk() (*[]ETFCountryExposureData, bool)

GetCountryExposureOk returns a tuple with the CountryExposure field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFsCountryExposure) GetSymbol

func (o *ETFsCountryExposure) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*ETFsCountryExposure) GetSymbolOk

func (o *ETFsCountryExposure) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFsCountryExposure) HasCountryExposure

func (o *ETFsCountryExposure) HasCountryExposure() bool

HasCountryExposure returns a boolean if a field has been set.

func (*ETFsCountryExposure) HasSymbol

func (o *ETFsCountryExposure) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (ETFsCountryExposure) MarshalJSON

func (o ETFsCountryExposure) MarshalJSON() ([]byte, error)

func (*ETFsCountryExposure) SetCountryExposure

func (o *ETFsCountryExposure) SetCountryExposure(v []ETFCountryExposureData)

SetCountryExposure gets a reference to the given []ETFCountryExposureData and assigns it to the CountryExposure field.

func (*ETFsCountryExposure) SetSymbol

func (o *ETFsCountryExposure) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type ETFsHoldings

type ETFsHoldings struct {
	// ETF symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Holdings update date.
	AtDate *string `json:"atDate,omitempty"`
	// Number of holdings.
	NumberOfHoldings *int64 `json:"numberOfHoldings,omitempty"`
	// Array of holdings.
	Holdings *[]ETFHoldingsData `json:"holdings,omitempty"`
}

ETFsHoldings struct for ETFsHoldings

func NewETFsHoldings

func NewETFsHoldings() *ETFsHoldings

NewETFsHoldings instantiates a new ETFsHoldings object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewETFsHoldingsWithDefaults

func NewETFsHoldingsWithDefaults() *ETFsHoldings

NewETFsHoldingsWithDefaults instantiates a new ETFsHoldings object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ETFsHoldings) GetAtDate

func (o *ETFsHoldings) GetAtDate() string

GetAtDate returns the AtDate field value if set, zero value otherwise.

func (*ETFsHoldings) GetAtDateOk

func (o *ETFsHoldings) GetAtDateOk() (*string, bool)

GetAtDateOk returns a tuple with the AtDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFsHoldings) GetHoldings

func (o *ETFsHoldings) GetHoldings() []ETFHoldingsData

GetHoldings returns the Holdings field value if set, zero value otherwise.

func (*ETFsHoldings) GetHoldingsOk

func (o *ETFsHoldings) GetHoldingsOk() (*[]ETFHoldingsData, bool)

GetHoldingsOk returns a tuple with the Holdings field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFsHoldings) GetNumberOfHoldings

func (o *ETFsHoldings) GetNumberOfHoldings() int64

GetNumberOfHoldings returns the NumberOfHoldings field value if set, zero value otherwise.

func (*ETFsHoldings) GetNumberOfHoldingsOk

func (o *ETFsHoldings) GetNumberOfHoldingsOk() (*int64, bool)

GetNumberOfHoldingsOk returns a tuple with the NumberOfHoldings field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFsHoldings) GetSymbol

func (o *ETFsHoldings) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*ETFsHoldings) GetSymbolOk

func (o *ETFsHoldings) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFsHoldings) HasAtDate

func (o *ETFsHoldings) HasAtDate() bool

HasAtDate returns a boolean if a field has been set.

func (*ETFsHoldings) HasHoldings

func (o *ETFsHoldings) HasHoldings() bool

HasHoldings returns a boolean if a field has been set.

func (*ETFsHoldings) HasNumberOfHoldings

func (o *ETFsHoldings) HasNumberOfHoldings() bool

HasNumberOfHoldings returns a boolean if a field has been set.

func (*ETFsHoldings) HasSymbol

func (o *ETFsHoldings) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (ETFsHoldings) MarshalJSON

func (o ETFsHoldings) MarshalJSON() ([]byte, error)

func (*ETFsHoldings) SetAtDate

func (o *ETFsHoldings) SetAtDate(v string)

SetAtDate gets a reference to the given string and assigns it to the AtDate field.

func (*ETFsHoldings) SetHoldings

func (o *ETFsHoldings) SetHoldings(v []ETFHoldingsData)

SetHoldings gets a reference to the given []ETFHoldingsData and assigns it to the Holdings field.

func (*ETFsHoldings) SetNumberOfHoldings

func (o *ETFsHoldings) SetNumberOfHoldings(v int64)

SetNumberOfHoldings gets a reference to the given int64 and assigns it to the NumberOfHoldings field.

func (*ETFsHoldings) SetSymbol

func (o *ETFsHoldings) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type ETFsProfile

type ETFsProfile struct {
	// Symbol.
	Symbol  *string         `json:"symbol,omitempty"`
	Profile *ETFProfileData `json:"profile,omitempty"`
}

ETFsProfile struct for ETFsProfile

func NewETFsProfile

func NewETFsProfile() *ETFsProfile

NewETFsProfile instantiates a new ETFsProfile object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewETFsProfileWithDefaults

func NewETFsProfileWithDefaults() *ETFsProfile

NewETFsProfileWithDefaults instantiates a new ETFsProfile object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ETFsProfile) GetProfile

func (o *ETFsProfile) GetProfile() ETFProfileData

GetProfile returns the Profile field value if set, zero value otherwise.

func (*ETFsProfile) GetProfileOk

func (o *ETFsProfile) GetProfileOk() (*ETFProfileData, bool)

GetProfileOk returns a tuple with the Profile field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFsProfile) GetSymbol

func (o *ETFsProfile) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*ETFsProfile) GetSymbolOk

func (o *ETFsProfile) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFsProfile) HasProfile

func (o *ETFsProfile) HasProfile() bool

HasProfile returns a boolean if a field has been set.

func (*ETFsProfile) HasSymbol

func (o *ETFsProfile) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (ETFsProfile) MarshalJSON

func (o ETFsProfile) MarshalJSON() ([]byte, error)

func (*ETFsProfile) SetProfile

func (o *ETFsProfile) SetProfile(v ETFProfileData)

SetProfile gets a reference to the given ETFProfileData and assigns it to the Profile field.

func (*ETFsProfile) SetSymbol

func (o *ETFsProfile) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type ETFsSectorExposure

type ETFsSectorExposure struct {
	// ETF symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Array of industries and exposure levels.
	SectorExposure *[]ETFSectorExposureData `json:"sectorExposure,omitempty"`
}

ETFsSectorExposure struct for ETFsSectorExposure

func NewETFsSectorExposure

func NewETFsSectorExposure() *ETFsSectorExposure

NewETFsSectorExposure instantiates a new ETFsSectorExposure object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewETFsSectorExposureWithDefaults

func NewETFsSectorExposureWithDefaults() *ETFsSectorExposure

NewETFsSectorExposureWithDefaults instantiates a new ETFsSectorExposure object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ETFsSectorExposure) GetSectorExposure

func (o *ETFsSectorExposure) GetSectorExposure() []ETFSectorExposureData

GetSectorExposure returns the SectorExposure field value if set, zero value otherwise.

func (*ETFsSectorExposure) GetSectorExposureOk

func (o *ETFsSectorExposure) GetSectorExposureOk() (*[]ETFSectorExposureData, bool)

GetSectorExposureOk returns a tuple with the SectorExposure field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFsSectorExposure) GetSymbol

func (o *ETFsSectorExposure) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*ETFsSectorExposure) GetSymbolOk

func (o *ETFsSectorExposure) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ETFsSectorExposure) HasSectorExposure

func (o *ETFsSectorExposure) HasSectorExposure() bool

HasSectorExposure returns a boolean if a field has been set.

func (*ETFsSectorExposure) HasSymbol

func (o *ETFsSectorExposure) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (ETFsSectorExposure) MarshalJSON

func (o ETFsSectorExposure) MarshalJSON() ([]byte, error)

func (*ETFsSectorExposure) SetSectorExposure

func (o *ETFsSectorExposure) SetSectorExposure(v []ETFSectorExposureData)

SetSectorExposure gets a reference to the given []ETFSectorExposureData and assigns it to the SectorExposure field.

func (*ETFsSectorExposure) SetSymbol

func (o *ETFsSectorExposure) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type EarningRelease

type EarningRelease struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Date.
	Date *string `json:"date,omitempty"`
	// Indicates whether the earnings is announced before market open(<code>bmo</code>), after market close(<code>amc</code>), or during market hour(<code>dmh</code>).
	Hour *string `json:"hour,omitempty"`
	// Earnings year.
	Year *int64 `json:"year,omitempty"`
	// Earnings quarter.
	Quarter *int64 `json:"quarter,omitempty"`
	// EPS estimate.
	EpsEstimate *float32 `json:"epsEstimate,omitempty"`
	// EPS actual.
	EpsActual *float32 `json:"epsActual,omitempty"`
	// Revenue estimate including Finnhub's proprietary estimates.
	RevenueEstimate *float32 `json:"revenueEstimate,omitempty"`
	// Revenue actual.
	RevenueActual *float32 `json:"revenueActual,omitempty"`
}

EarningRelease struct for EarningRelease

func NewEarningRelease

func NewEarningRelease() *EarningRelease

NewEarningRelease instantiates a new EarningRelease object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewEarningReleaseWithDefaults

func NewEarningReleaseWithDefaults() *EarningRelease

NewEarningReleaseWithDefaults instantiates a new EarningRelease object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*EarningRelease) GetDate

func (o *EarningRelease) GetDate() string

GetDate returns the Date field value if set, zero value otherwise.

func (*EarningRelease) GetDateOk

func (o *EarningRelease) GetDateOk() (*string, bool)

GetDateOk returns a tuple with the Date field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningRelease) GetEpsActual

func (o *EarningRelease) GetEpsActual() float32

GetEpsActual returns the EpsActual field value if set, zero value otherwise.

func (*EarningRelease) GetEpsActualOk

func (o *EarningRelease) GetEpsActualOk() (*float32, bool)

GetEpsActualOk returns a tuple with the EpsActual field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningRelease) GetEpsEstimate

func (o *EarningRelease) GetEpsEstimate() float32

GetEpsEstimate returns the EpsEstimate field value if set, zero value otherwise.

func (*EarningRelease) GetEpsEstimateOk

func (o *EarningRelease) GetEpsEstimateOk() (*float32, bool)

GetEpsEstimateOk returns a tuple with the EpsEstimate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningRelease) GetHour

func (o *EarningRelease) GetHour() string

GetHour returns the Hour field value if set, zero value otherwise.

func (*EarningRelease) GetHourOk

func (o *EarningRelease) GetHourOk() (*string, bool)

GetHourOk returns a tuple with the Hour field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningRelease) GetQuarter

func (o *EarningRelease) GetQuarter() int64

GetQuarter returns the Quarter field value if set, zero value otherwise.

func (*EarningRelease) GetQuarterOk

func (o *EarningRelease) GetQuarterOk() (*int64, bool)

GetQuarterOk returns a tuple with the Quarter field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningRelease) GetRevenueActual

func (o *EarningRelease) GetRevenueActual() float32

GetRevenueActual returns the RevenueActual field value if set, zero value otherwise.

func (*EarningRelease) GetRevenueActualOk

func (o *EarningRelease) GetRevenueActualOk() (*float32, bool)

GetRevenueActualOk returns a tuple with the RevenueActual field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningRelease) GetRevenueEstimate

func (o *EarningRelease) GetRevenueEstimate() float32

GetRevenueEstimate returns the RevenueEstimate field value if set, zero value otherwise.

func (*EarningRelease) GetRevenueEstimateOk

func (o *EarningRelease) GetRevenueEstimateOk() (*float32, bool)

GetRevenueEstimateOk returns a tuple with the RevenueEstimate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningRelease) GetSymbol

func (o *EarningRelease) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*EarningRelease) GetSymbolOk

func (o *EarningRelease) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningRelease) GetYear

func (o *EarningRelease) GetYear() int64

GetYear returns the Year field value if set, zero value otherwise.

func (*EarningRelease) GetYearOk

func (o *EarningRelease) GetYearOk() (*int64, bool)

GetYearOk returns a tuple with the Year field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningRelease) HasDate

func (o *EarningRelease) HasDate() bool

HasDate returns a boolean if a field has been set.

func (*EarningRelease) HasEpsActual

func (o *EarningRelease) HasEpsActual() bool

HasEpsActual returns a boolean if a field has been set.

func (*EarningRelease) HasEpsEstimate

func (o *EarningRelease) HasEpsEstimate() bool

HasEpsEstimate returns a boolean if a field has been set.

func (*EarningRelease) HasHour

func (o *EarningRelease) HasHour() bool

HasHour returns a boolean if a field has been set.

func (*EarningRelease) HasQuarter

func (o *EarningRelease) HasQuarter() bool

HasQuarter returns a boolean if a field has been set.

func (*EarningRelease) HasRevenueActual

func (o *EarningRelease) HasRevenueActual() bool

HasRevenueActual returns a boolean if a field has been set.

func (*EarningRelease) HasRevenueEstimate

func (o *EarningRelease) HasRevenueEstimate() bool

HasRevenueEstimate returns a boolean if a field has been set.

func (*EarningRelease) HasSymbol

func (o *EarningRelease) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*EarningRelease) HasYear

func (o *EarningRelease) HasYear() bool

HasYear returns a boolean if a field has been set.

func (EarningRelease) MarshalJSON

func (o EarningRelease) MarshalJSON() ([]byte, error)

func (*EarningRelease) SetDate

func (o *EarningRelease) SetDate(v string)

SetDate gets a reference to the given string and assigns it to the Date field.

func (*EarningRelease) SetEpsActual

func (o *EarningRelease) SetEpsActual(v float32)

SetEpsActual gets a reference to the given float32 and assigns it to the EpsActual field.

func (*EarningRelease) SetEpsEstimate

func (o *EarningRelease) SetEpsEstimate(v float32)

SetEpsEstimate gets a reference to the given float32 and assigns it to the EpsEstimate field.

func (*EarningRelease) SetHour

func (o *EarningRelease) SetHour(v string)

SetHour gets a reference to the given string and assigns it to the Hour field.

func (*EarningRelease) SetQuarter

func (o *EarningRelease) SetQuarter(v int64)

SetQuarter gets a reference to the given int64 and assigns it to the Quarter field.

func (*EarningRelease) SetRevenueActual

func (o *EarningRelease) SetRevenueActual(v float32)

SetRevenueActual gets a reference to the given float32 and assigns it to the RevenueActual field.

func (*EarningRelease) SetRevenueEstimate

func (o *EarningRelease) SetRevenueEstimate(v float32)

SetRevenueEstimate gets a reference to the given float32 and assigns it to the RevenueEstimate field.

func (*EarningRelease) SetSymbol

func (o *EarningRelease) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*EarningRelease) SetYear

func (o *EarningRelease) SetYear(v int64)

SetYear gets a reference to the given int64 and assigns it to the Year field.

type EarningResult

type EarningResult struct {
	// Actual earning result.
	Actual *float32 `json:"actual,omitempty"`
	// Estimated earning.
	Estimate *float32 `json:"estimate,omitempty"`
	// Surprise - The difference between actual and estimate.
	Surprise *float32 `json:"surprise,omitempty"`
	// Surprise percent.
	SurprisePercent *float32 `json:"surprisePercent,omitempty"`
	// Reported period.
	Period *string `json:"period,omitempty"`
	// Company symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Fiscal year.
	Year *int64 `json:"year,omitempty"`
	// Fiscal quarter.
	Quarter *int64 `json:"quarter,omitempty"`
}

EarningResult struct for EarningResult

func NewEarningResult

func NewEarningResult() *EarningResult

NewEarningResult instantiates a new EarningResult object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewEarningResultWithDefaults

func NewEarningResultWithDefaults() *EarningResult

NewEarningResultWithDefaults instantiates a new EarningResult object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*EarningResult) GetActual

func (o *EarningResult) GetActual() float32

GetActual returns the Actual field value if set, zero value otherwise.

func (*EarningResult) GetActualOk

func (o *EarningResult) GetActualOk() (*float32, bool)

GetActualOk returns a tuple with the Actual field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningResult) GetEstimate

func (o *EarningResult) GetEstimate() float32

GetEstimate returns the Estimate field value if set, zero value otherwise.

func (*EarningResult) GetEstimateOk

func (o *EarningResult) GetEstimateOk() (*float32, bool)

GetEstimateOk returns a tuple with the Estimate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningResult) GetPeriod

func (o *EarningResult) GetPeriod() string

GetPeriod returns the Period field value if set, zero value otherwise.

func (*EarningResult) GetPeriodOk

func (o *EarningResult) GetPeriodOk() (*string, bool)

GetPeriodOk returns a tuple with the Period field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningResult) GetQuarter added in v2.0.16

func (o *EarningResult) GetQuarter() int64

GetQuarter returns the Quarter field value if set, zero value otherwise.

func (*EarningResult) GetQuarterOk added in v2.0.16

func (o *EarningResult) GetQuarterOk() (*int64, bool)

GetQuarterOk returns a tuple with the Quarter field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningResult) GetSurprise

func (o *EarningResult) GetSurprise() float32

GetSurprise returns the Surprise field value if set, zero value otherwise.

func (*EarningResult) GetSurpriseOk

func (o *EarningResult) GetSurpriseOk() (*float32, bool)

GetSurpriseOk returns a tuple with the Surprise field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningResult) GetSurprisePercent

func (o *EarningResult) GetSurprisePercent() float32

GetSurprisePercent returns the SurprisePercent field value if set, zero value otherwise.

func (*EarningResult) GetSurprisePercentOk

func (o *EarningResult) GetSurprisePercentOk() (*float32, bool)

GetSurprisePercentOk returns a tuple with the SurprisePercent field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningResult) GetSymbol

func (o *EarningResult) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*EarningResult) GetSymbolOk

func (o *EarningResult) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningResult) GetYear added in v2.0.16

func (o *EarningResult) GetYear() int64

GetYear returns the Year field value if set, zero value otherwise.

func (*EarningResult) GetYearOk added in v2.0.16

func (o *EarningResult) GetYearOk() (*int64, bool)

GetYearOk returns a tuple with the Year field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningResult) HasActual

func (o *EarningResult) HasActual() bool

HasActual returns a boolean if a field has been set.

func (*EarningResult) HasEstimate

func (o *EarningResult) HasEstimate() bool

HasEstimate returns a boolean if a field has been set.

func (*EarningResult) HasPeriod

func (o *EarningResult) HasPeriod() bool

HasPeriod returns a boolean if a field has been set.

func (*EarningResult) HasQuarter added in v2.0.16

func (o *EarningResult) HasQuarter() bool

HasQuarter returns a boolean if a field has been set.

func (*EarningResult) HasSurprise

func (o *EarningResult) HasSurprise() bool

HasSurprise returns a boolean if a field has been set.

func (*EarningResult) HasSurprisePercent

func (o *EarningResult) HasSurprisePercent() bool

HasSurprisePercent returns a boolean if a field has been set.

func (*EarningResult) HasSymbol

func (o *EarningResult) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*EarningResult) HasYear added in v2.0.16

func (o *EarningResult) HasYear() bool

HasYear returns a boolean if a field has been set.

func (EarningResult) MarshalJSON

func (o EarningResult) MarshalJSON() ([]byte, error)

func (*EarningResult) SetActual

func (o *EarningResult) SetActual(v float32)

SetActual gets a reference to the given float32 and assigns it to the Actual field.

func (*EarningResult) SetEstimate

func (o *EarningResult) SetEstimate(v float32)

SetEstimate gets a reference to the given float32 and assigns it to the Estimate field.

func (*EarningResult) SetPeriod

func (o *EarningResult) SetPeriod(v string)

SetPeriod gets a reference to the given string and assigns it to the Period field.

func (*EarningResult) SetQuarter added in v2.0.16

func (o *EarningResult) SetQuarter(v int64)

SetQuarter gets a reference to the given int64 and assigns it to the Quarter field.

func (*EarningResult) SetSurprise

func (o *EarningResult) SetSurprise(v float32)

SetSurprise gets a reference to the given float32 and assigns it to the Surprise field.

func (*EarningResult) SetSurprisePercent

func (o *EarningResult) SetSurprisePercent(v float32)

SetSurprisePercent gets a reference to the given float32 and assigns it to the SurprisePercent field.

func (*EarningResult) SetSymbol

func (o *EarningResult) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*EarningResult) SetYear added in v2.0.16

func (o *EarningResult) SetYear(v int64)

SetYear gets a reference to the given int64 and assigns it to the Year field.

type EarningsCalendar

type EarningsCalendar struct {
	// Array of earnings release.
	EarningsCalendar *[]EarningRelease `json:"earningsCalendar,omitempty"`
}

EarningsCalendar struct for EarningsCalendar

func NewEarningsCalendar

func NewEarningsCalendar() *EarningsCalendar

NewEarningsCalendar instantiates a new EarningsCalendar object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewEarningsCalendarWithDefaults

func NewEarningsCalendarWithDefaults() *EarningsCalendar

NewEarningsCalendarWithDefaults instantiates a new EarningsCalendar object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*EarningsCalendar) GetEarningsCalendar

func (o *EarningsCalendar) GetEarningsCalendar() []EarningRelease

GetEarningsCalendar returns the EarningsCalendar field value if set, zero value otherwise.

func (*EarningsCalendar) GetEarningsCalendarOk

func (o *EarningsCalendar) GetEarningsCalendarOk() (*[]EarningRelease, bool)

GetEarningsCalendarOk returns a tuple with the EarningsCalendar field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsCalendar) HasEarningsCalendar

func (o *EarningsCalendar) HasEarningsCalendar() bool

HasEarningsCalendar returns a boolean if a field has been set.

func (EarningsCalendar) MarshalJSON

func (o EarningsCalendar) MarshalJSON() ([]byte, error)

func (*EarningsCalendar) SetEarningsCalendar

func (o *EarningsCalendar) SetEarningsCalendar(v []EarningRelease)

SetEarningsCalendar gets a reference to the given []EarningRelease and assigns it to the EarningsCalendar field.

type EarningsCallTranscripts

type EarningsCallTranscripts struct {
	// Company symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Transcript content.
	Transcript *[]TranscriptContent `json:"transcript,omitempty"`
	// Participant list
	Participant *[]TranscriptParticipant `json:"participant,omitempty"`
	// Audio link.
	Audio *string `json:"audio,omitempty"`
	// Transcript's ID.
	Id *string `json:"id,omitempty"`
	// Title.
	Title *string `json:"title,omitempty"`
	// Time of the event.
	Time *string `json:"time,omitempty"`
	// Year of earnings result in the case of earnings call transcript.
	Year *int64 `json:"year,omitempty"`
	// Quarter of earnings result in the case of earnings call transcript.
	Quarter *int64 `json:"quarter,omitempty"`
}

EarningsCallTranscripts struct for EarningsCallTranscripts

func NewEarningsCallTranscripts

func NewEarningsCallTranscripts() *EarningsCallTranscripts

NewEarningsCallTranscripts instantiates a new EarningsCallTranscripts object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewEarningsCallTranscriptsWithDefaults

func NewEarningsCallTranscriptsWithDefaults() *EarningsCallTranscripts

NewEarningsCallTranscriptsWithDefaults instantiates a new EarningsCallTranscripts object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*EarningsCallTranscripts) GetAudio

func (o *EarningsCallTranscripts) GetAudio() string

GetAudio returns the Audio field value if set, zero value otherwise.

func (*EarningsCallTranscripts) GetAudioOk

func (o *EarningsCallTranscripts) GetAudioOk() (*string, bool)

GetAudioOk returns a tuple with the Audio field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsCallTranscripts) GetId

func (o *EarningsCallTranscripts) GetId() string

GetId returns the Id field value if set, zero value otherwise.

func (*EarningsCallTranscripts) GetIdOk

func (o *EarningsCallTranscripts) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsCallTranscripts) GetParticipant

func (o *EarningsCallTranscripts) GetParticipant() []TranscriptParticipant

GetParticipant returns the Participant field value if set, zero value otherwise.

func (*EarningsCallTranscripts) GetParticipantOk

func (o *EarningsCallTranscripts) GetParticipantOk() (*[]TranscriptParticipant, bool)

GetParticipantOk returns a tuple with the Participant field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsCallTranscripts) GetQuarter

func (o *EarningsCallTranscripts) GetQuarter() int64

GetQuarter returns the Quarter field value if set, zero value otherwise.

func (*EarningsCallTranscripts) GetQuarterOk

func (o *EarningsCallTranscripts) GetQuarterOk() (*int64, bool)

GetQuarterOk returns a tuple with the Quarter field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsCallTranscripts) GetSymbol

func (o *EarningsCallTranscripts) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*EarningsCallTranscripts) GetSymbolOk

func (o *EarningsCallTranscripts) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsCallTranscripts) GetTime

func (o *EarningsCallTranscripts) GetTime() string

GetTime returns the Time field value if set, zero value otherwise.

func (*EarningsCallTranscripts) GetTimeOk

func (o *EarningsCallTranscripts) GetTimeOk() (*string, bool)

GetTimeOk returns a tuple with the Time field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsCallTranscripts) GetTitle

func (o *EarningsCallTranscripts) GetTitle() string

GetTitle returns the Title field value if set, zero value otherwise.

func (*EarningsCallTranscripts) GetTitleOk

func (o *EarningsCallTranscripts) GetTitleOk() (*string, bool)

GetTitleOk returns a tuple with the Title field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsCallTranscripts) GetTranscript

func (o *EarningsCallTranscripts) GetTranscript() []TranscriptContent

GetTranscript returns the Transcript field value if set, zero value otherwise.

func (*EarningsCallTranscripts) GetTranscriptOk

func (o *EarningsCallTranscripts) GetTranscriptOk() (*[]TranscriptContent, bool)

GetTranscriptOk returns a tuple with the Transcript field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsCallTranscripts) GetYear

func (o *EarningsCallTranscripts) GetYear() int64

GetYear returns the Year field value if set, zero value otherwise.

func (*EarningsCallTranscripts) GetYearOk

func (o *EarningsCallTranscripts) GetYearOk() (*int64, bool)

GetYearOk returns a tuple with the Year field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsCallTranscripts) HasAudio

func (o *EarningsCallTranscripts) HasAudio() bool

HasAudio returns a boolean if a field has been set.

func (*EarningsCallTranscripts) HasId

func (o *EarningsCallTranscripts) HasId() bool

HasId returns a boolean if a field has been set.

func (*EarningsCallTranscripts) HasParticipant

func (o *EarningsCallTranscripts) HasParticipant() bool

HasParticipant returns a boolean if a field has been set.

func (*EarningsCallTranscripts) HasQuarter

func (o *EarningsCallTranscripts) HasQuarter() bool

HasQuarter returns a boolean if a field has been set.

func (*EarningsCallTranscripts) HasSymbol

func (o *EarningsCallTranscripts) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*EarningsCallTranscripts) HasTime

func (o *EarningsCallTranscripts) HasTime() bool

HasTime returns a boolean if a field has been set.

func (*EarningsCallTranscripts) HasTitle

func (o *EarningsCallTranscripts) HasTitle() bool

HasTitle returns a boolean if a field has been set.

func (*EarningsCallTranscripts) HasTranscript

func (o *EarningsCallTranscripts) HasTranscript() bool

HasTranscript returns a boolean if a field has been set.

func (*EarningsCallTranscripts) HasYear

func (o *EarningsCallTranscripts) HasYear() bool

HasYear returns a boolean if a field has been set.

func (EarningsCallTranscripts) MarshalJSON

func (o EarningsCallTranscripts) MarshalJSON() ([]byte, error)

func (*EarningsCallTranscripts) SetAudio

func (o *EarningsCallTranscripts) SetAudio(v string)

SetAudio gets a reference to the given string and assigns it to the Audio field.

func (*EarningsCallTranscripts) SetId

func (o *EarningsCallTranscripts) SetId(v string)

SetId gets a reference to the given string and assigns it to the Id field.

func (*EarningsCallTranscripts) SetParticipant

func (o *EarningsCallTranscripts) SetParticipant(v []TranscriptParticipant)

SetParticipant gets a reference to the given []TranscriptParticipant and assigns it to the Participant field.

func (*EarningsCallTranscripts) SetQuarter

func (o *EarningsCallTranscripts) SetQuarter(v int64)

SetQuarter gets a reference to the given int64 and assigns it to the Quarter field.

func (*EarningsCallTranscripts) SetSymbol

func (o *EarningsCallTranscripts) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*EarningsCallTranscripts) SetTime

func (o *EarningsCallTranscripts) SetTime(v string)

SetTime gets a reference to the given string and assigns it to the Time field.

func (*EarningsCallTranscripts) SetTitle

func (o *EarningsCallTranscripts) SetTitle(v string)

SetTitle gets a reference to the given string and assigns it to the Title field.

func (*EarningsCallTranscripts) SetTranscript

func (o *EarningsCallTranscripts) SetTranscript(v []TranscriptContent)

SetTranscript gets a reference to the given []TranscriptContent and assigns it to the Transcript field.

func (*EarningsCallTranscripts) SetYear

func (o *EarningsCallTranscripts) SetYear(v int64)

SetYear gets a reference to the given int64 and assigns it to the Year field.

type EarningsCallTranscriptsList

type EarningsCallTranscriptsList struct {
	// Company symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Array of transcripts' metadata
	Transcripts *[]StockTranscripts `json:"transcripts,omitempty"`
}

EarningsCallTranscriptsList struct for EarningsCallTranscriptsList

func NewEarningsCallTranscriptsList

func NewEarningsCallTranscriptsList() *EarningsCallTranscriptsList

NewEarningsCallTranscriptsList instantiates a new EarningsCallTranscriptsList object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewEarningsCallTranscriptsListWithDefaults

func NewEarningsCallTranscriptsListWithDefaults() *EarningsCallTranscriptsList

NewEarningsCallTranscriptsListWithDefaults instantiates a new EarningsCallTranscriptsList object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*EarningsCallTranscriptsList) GetSymbol

func (o *EarningsCallTranscriptsList) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*EarningsCallTranscriptsList) GetSymbolOk

func (o *EarningsCallTranscriptsList) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsCallTranscriptsList) GetTranscripts

func (o *EarningsCallTranscriptsList) GetTranscripts() []StockTranscripts

GetTranscripts returns the Transcripts field value if set, zero value otherwise.

func (*EarningsCallTranscriptsList) GetTranscriptsOk

func (o *EarningsCallTranscriptsList) GetTranscriptsOk() (*[]StockTranscripts, bool)

GetTranscriptsOk returns a tuple with the Transcripts field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsCallTranscriptsList) HasSymbol

func (o *EarningsCallTranscriptsList) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*EarningsCallTranscriptsList) HasTranscripts

func (o *EarningsCallTranscriptsList) HasTranscripts() bool

HasTranscripts returns a boolean if a field has been set.

func (EarningsCallTranscriptsList) MarshalJSON

func (o EarningsCallTranscriptsList) MarshalJSON() ([]byte, error)

func (*EarningsCallTranscriptsList) SetSymbol

func (o *EarningsCallTranscriptsList) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*EarningsCallTranscriptsList) SetTranscripts

func (o *EarningsCallTranscriptsList) SetTranscripts(v []StockTranscripts)

SetTranscripts gets a reference to the given []StockTranscripts and assigns it to the Transcripts field.

type EarningsEstimates

type EarningsEstimates struct {
	// List of estimates
	Data *[]EarningsEstimatesInfo `json:"data,omitempty"`
	// Frequency: annual or quarterly.
	Freq *string `json:"freq,omitempty"`
	// Company symbol.
	Symbol *string `json:"symbol,omitempty"`
}

EarningsEstimates struct for EarningsEstimates

func NewEarningsEstimates

func NewEarningsEstimates() *EarningsEstimates

NewEarningsEstimates instantiates a new EarningsEstimates object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewEarningsEstimatesWithDefaults

func NewEarningsEstimatesWithDefaults() *EarningsEstimates

NewEarningsEstimatesWithDefaults instantiates a new EarningsEstimates object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*EarningsEstimates) GetData

GetData returns the Data field value if set, zero value otherwise.

func (*EarningsEstimates) GetDataOk

func (o *EarningsEstimates) GetDataOk() (*[]EarningsEstimatesInfo, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsEstimates) GetFreq

func (o *EarningsEstimates) GetFreq() string

GetFreq returns the Freq field value if set, zero value otherwise.

func (*EarningsEstimates) GetFreqOk

func (o *EarningsEstimates) GetFreqOk() (*string, bool)

GetFreqOk returns a tuple with the Freq field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsEstimates) GetSymbol

func (o *EarningsEstimates) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*EarningsEstimates) GetSymbolOk

func (o *EarningsEstimates) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsEstimates) HasData

func (o *EarningsEstimates) HasData() bool

HasData returns a boolean if a field has been set.

func (*EarningsEstimates) HasFreq

func (o *EarningsEstimates) HasFreq() bool

HasFreq returns a boolean if a field has been set.

func (*EarningsEstimates) HasSymbol

func (o *EarningsEstimates) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (EarningsEstimates) MarshalJSON

func (o EarningsEstimates) MarshalJSON() ([]byte, error)

func (*EarningsEstimates) SetData

func (o *EarningsEstimates) SetData(v []EarningsEstimatesInfo)

SetData gets a reference to the given []EarningsEstimatesInfo and assigns it to the Data field.

func (*EarningsEstimates) SetFreq

func (o *EarningsEstimates) SetFreq(v string)

SetFreq gets a reference to the given string and assigns it to the Freq field.

func (*EarningsEstimates) SetSymbol

func (o *EarningsEstimates) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type EarningsEstimatesInfo

type EarningsEstimatesInfo struct {
	// Average EPS estimates including Finnhub's proprietary estimates.
	EpsAvg *float32 `json:"epsAvg,omitempty"`
	// Highest estimate.
	EpsHigh *float32 `json:"epsHigh,omitempty"`
	// Lowest estimate.
	EpsLow *float32 `json:"epsLow,omitempty"`
	// Number of Analysts.
	NumberAnalysts *int64 `json:"numberAnalysts,omitempty"`
	// Period.
	Period *string `json:"period,omitempty"`
	// Fiscal year.
	Year *int64 `json:"year,omitempty"`
	// Fiscal quarter.
	Quarter *int64 `json:"quarter,omitempty"`
}

EarningsEstimatesInfo struct for EarningsEstimatesInfo

func NewEarningsEstimatesInfo

func NewEarningsEstimatesInfo() *EarningsEstimatesInfo

NewEarningsEstimatesInfo instantiates a new EarningsEstimatesInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewEarningsEstimatesInfoWithDefaults

func NewEarningsEstimatesInfoWithDefaults() *EarningsEstimatesInfo

NewEarningsEstimatesInfoWithDefaults instantiates a new EarningsEstimatesInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*EarningsEstimatesInfo) GetEpsAvg

func (o *EarningsEstimatesInfo) GetEpsAvg() float32

GetEpsAvg returns the EpsAvg field value if set, zero value otherwise.

func (*EarningsEstimatesInfo) GetEpsAvgOk

func (o *EarningsEstimatesInfo) GetEpsAvgOk() (*float32, bool)

GetEpsAvgOk returns a tuple with the EpsAvg field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsEstimatesInfo) GetEpsHigh

func (o *EarningsEstimatesInfo) GetEpsHigh() float32

GetEpsHigh returns the EpsHigh field value if set, zero value otherwise.

func (*EarningsEstimatesInfo) GetEpsHighOk

func (o *EarningsEstimatesInfo) GetEpsHighOk() (*float32, bool)

GetEpsHighOk returns a tuple with the EpsHigh field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsEstimatesInfo) GetEpsLow

func (o *EarningsEstimatesInfo) GetEpsLow() float32

GetEpsLow returns the EpsLow field value if set, zero value otherwise.

func (*EarningsEstimatesInfo) GetEpsLowOk

func (o *EarningsEstimatesInfo) GetEpsLowOk() (*float32, bool)

GetEpsLowOk returns a tuple with the EpsLow field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsEstimatesInfo) GetNumberAnalysts

func (o *EarningsEstimatesInfo) GetNumberAnalysts() int64

GetNumberAnalysts returns the NumberAnalysts field value if set, zero value otherwise.

func (*EarningsEstimatesInfo) GetNumberAnalystsOk

func (o *EarningsEstimatesInfo) GetNumberAnalystsOk() (*int64, bool)

GetNumberAnalystsOk returns a tuple with the NumberAnalysts field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsEstimatesInfo) GetPeriod

func (o *EarningsEstimatesInfo) GetPeriod() string

GetPeriod returns the Period field value if set, zero value otherwise.

func (*EarningsEstimatesInfo) GetPeriodOk

func (o *EarningsEstimatesInfo) GetPeriodOk() (*string, bool)

GetPeriodOk returns a tuple with the Period field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsEstimatesInfo) GetQuarter added in v2.0.17

func (o *EarningsEstimatesInfo) GetQuarter() int64

GetQuarter returns the Quarter field value if set, zero value otherwise.

func (*EarningsEstimatesInfo) GetQuarterOk added in v2.0.17

func (o *EarningsEstimatesInfo) GetQuarterOk() (*int64, bool)

GetQuarterOk returns a tuple with the Quarter field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsEstimatesInfo) GetYear added in v2.0.17

func (o *EarningsEstimatesInfo) GetYear() int64

GetYear returns the Year field value if set, zero value otherwise.

func (*EarningsEstimatesInfo) GetYearOk added in v2.0.17

func (o *EarningsEstimatesInfo) GetYearOk() (*int64, bool)

GetYearOk returns a tuple with the Year field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EarningsEstimatesInfo) HasEpsAvg

func (o *EarningsEstimatesInfo) HasEpsAvg() bool

HasEpsAvg returns a boolean if a field has been set.

func (*EarningsEstimatesInfo) HasEpsHigh

func (o *EarningsEstimatesInfo) HasEpsHigh() bool

HasEpsHigh returns a boolean if a field has been set.

func (*EarningsEstimatesInfo) HasEpsLow

func (o *EarningsEstimatesInfo) HasEpsLow() bool

HasEpsLow returns a boolean if a field has been set.

func (*EarningsEstimatesInfo) HasNumberAnalysts

func (o *EarningsEstimatesInfo) HasNumberAnalysts() bool

HasNumberAnalysts returns a boolean if a field has been set.

func (*EarningsEstimatesInfo) HasPeriod

func (o *EarningsEstimatesInfo) HasPeriod() bool

HasPeriod returns a boolean if a field has been set.

func (*EarningsEstimatesInfo) HasQuarter added in v2.0.17

func (o *EarningsEstimatesInfo) HasQuarter() bool

HasQuarter returns a boolean if a field has been set.

func (*EarningsEstimatesInfo) HasYear added in v2.0.17

func (o *EarningsEstimatesInfo) HasYear() bool

HasYear returns a boolean if a field has been set.

func (EarningsEstimatesInfo) MarshalJSON

func (o EarningsEstimatesInfo) MarshalJSON() ([]byte, error)

func (*EarningsEstimatesInfo) SetEpsAvg

func (o *EarningsEstimatesInfo) SetEpsAvg(v float32)

SetEpsAvg gets a reference to the given float32 and assigns it to the EpsAvg field.

func (*EarningsEstimatesInfo) SetEpsHigh

func (o *EarningsEstimatesInfo) SetEpsHigh(v float32)

SetEpsHigh gets a reference to the given float32 and assigns it to the EpsHigh field.

func (*EarningsEstimatesInfo) SetEpsLow

func (o *EarningsEstimatesInfo) SetEpsLow(v float32)

SetEpsLow gets a reference to the given float32 and assigns it to the EpsLow field.

func (*EarningsEstimatesInfo) SetNumberAnalysts

func (o *EarningsEstimatesInfo) SetNumberAnalysts(v int64)

SetNumberAnalysts gets a reference to the given int64 and assigns it to the NumberAnalysts field.

func (*EarningsEstimatesInfo) SetPeriod

func (o *EarningsEstimatesInfo) SetPeriod(v string)

SetPeriod gets a reference to the given string and assigns it to the Period field.

func (*EarningsEstimatesInfo) SetQuarter added in v2.0.17

func (o *EarningsEstimatesInfo) SetQuarter(v int64)

SetQuarter gets a reference to the given int64 and assigns it to the Quarter field.

func (*EarningsEstimatesInfo) SetYear added in v2.0.17

func (o *EarningsEstimatesInfo) SetYear(v int64)

SetYear gets a reference to the given int64 and assigns it to the Year field.

type EbitEstimates added in v2.0.8

type EbitEstimates struct {
	// List of estimates
	Data *[]EbitEstimatesInfo `json:"data,omitempty"`
	// Frequency: annual or quarterly.
	Freq *string `json:"freq,omitempty"`
	// Company symbol.
	Symbol *string `json:"symbol,omitempty"`
}

EbitEstimates struct for EbitEstimates

func NewEbitEstimates added in v2.0.8

func NewEbitEstimates() *EbitEstimates

NewEbitEstimates instantiates a new EbitEstimates object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewEbitEstimatesWithDefaults added in v2.0.8

func NewEbitEstimatesWithDefaults() *EbitEstimates

NewEbitEstimatesWithDefaults instantiates a new EbitEstimates object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*EbitEstimates) GetData added in v2.0.8

func (o *EbitEstimates) GetData() []EbitEstimatesInfo

GetData returns the Data field value if set, zero value otherwise.

func (*EbitEstimates) GetDataOk added in v2.0.8

func (o *EbitEstimates) GetDataOk() (*[]EbitEstimatesInfo, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitEstimates) GetFreq added in v2.0.8

func (o *EbitEstimates) GetFreq() string

GetFreq returns the Freq field value if set, zero value otherwise.

func (*EbitEstimates) GetFreqOk added in v2.0.8

func (o *EbitEstimates) GetFreqOk() (*string, bool)

GetFreqOk returns a tuple with the Freq field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitEstimates) GetSymbol added in v2.0.8

func (o *EbitEstimates) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*EbitEstimates) GetSymbolOk added in v2.0.8

func (o *EbitEstimates) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitEstimates) HasData added in v2.0.8

func (o *EbitEstimates) HasData() bool

HasData returns a boolean if a field has been set.

func (*EbitEstimates) HasFreq added in v2.0.8

func (o *EbitEstimates) HasFreq() bool

HasFreq returns a boolean if a field has been set.

func (*EbitEstimates) HasSymbol added in v2.0.8

func (o *EbitEstimates) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (EbitEstimates) MarshalJSON added in v2.0.8

func (o EbitEstimates) MarshalJSON() ([]byte, error)

func (*EbitEstimates) SetData added in v2.0.8

func (o *EbitEstimates) SetData(v []EbitEstimatesInfo)

SetData gets a reference to the given []EbitEstimatesInfo and assigns it to the Data field.

func (*EbitEstimates) SetFreq added in v2.0.8

func (o *EbitEstimates) SetFreq(v string)

SetFreq gets a reference to the given string and assigns it to the Freq field.

func (*EbitEstimates) SetSymbol added in v2.0.8

func (o *EbitEstimates) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type EbitEstimatesInfo added in v2.0.8

type EbitEstimatesInfo struct {
	// Average EBIT estimates including Finnhub's proprietary estimates.
	EbitAvg *float32 `json:"ebitAvg,omitempty"`
	// Highest estimate.
	EbitHigh *float32 `json:"ebitHigh,omitempty"`
	// Lowest estimate.
	EbitLow *float32 `json:"ebitLow,omitempty"`
	// Number of Analysts.
	NumberAnalysts *int64 `json:"numberAnalysts,omitempty"`
	// Period.
	Period *string `json:"period,omitempty"`
	// Fiscal year.
	Year *int64 `json:"year,omitempty"`
	// Fiscal quarter.
	Quarter *int64 `json:"quarter,omitempty"`
}

EbitEstimatesInfo struct for EbitEstimatesInfo

func NewEbitEstimatesInfo added in v2.0.8

func NewEbitEstimatesInfo() *EbitEstimatesInfo

NewEbitEstimatesInfo instantiates a new EbitEstimatesInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewEbitEstimatesInfoWithDefaults added in v2.0.8

func NewEbitEstimatesInfoWithDefaults() *EbitEstimatesInfo

NewEbitEstimatesInfoWithDefaults instantiates a new EbitEstimatesInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*EbitEstimatesInfo) GetEbitAvg added in v2.0.8

func (o *EbitEstimatesInfo) GetEbitAvg() float32

GetEbitAvg returns the EbitAvg field value if set, zero value otherwise.

func (*EbitEstimatesInfo) GetEbitAvgOk added in v2.0.8

func (o *EbitEstimatesInfo) GetEbitAvgOk() (*float32, bool)

GetEbitAvgOk returns a tuple with the EbitAvg field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitEstimatesInfo) GetEbitHigh added in v2.0.8

func (o *EbitEstimatesInfo) GetEbitHigh() float32

GetEbitHigh returns the EbitHigh field value if set, zero value otherwise.

func (*EbitEstimatesInfo) GetEbitHighOk added in v2.0.8

func (o *EbitEstimatesInfo) GetEbitHighOk() (*float32, bool)

GetEbitHighOk returns a tuple with the EbitHigh field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitEstimatesInfo) GetEbitLow added in v2.0.8

func (o *EbitEstimatesInfo) GetEbitLow() float32

GetEbitLow returns the EbitLow field value if set, zero value otherwise.

func (*EbitEstimatesInfo) GetEbitLowOk added in v2.0.8

func (o *EbitEstimatesInfo) GetEbitLowOk() (*float32, bool)

GetEbitLowOk returns a tuple with the EbitLow field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitEstimatesInfo) GetNumberAnalysts added in v2.0.8

func (o *EbitEstimatesInfo) GetNumberAnalysts() int64

GetNumberAnalysts returns the NumberAnalysts field value if set, zero value otherwise.

func (*EbitEstimatesInfo) GetNumberAnalystsOk added in v2.0.8

func (o *EbitEstimatesInfo) GetNumberAnalystsOk() (*int64, bool)

GetNumberAnalystsOk returns a tuple with the NumberAnalysts field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitEstimatesInfo) GetPeriod added in v2.0.8

func (o *EbitEstimatesInfo) GetPeriod() string

GetPeriod returns the Period field value if set, zero value otherwise.

func (*EbitEstimatesInfo) GetPeriodOk added in v2.0.8

func (o *EbitEstimatesInfo) GetPeriodOk() (*string, bool)

GetPeriodOk returns a tuple with the Period field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitEstimatesInfo) GetQuarter added in v2.0.17

func (o *EbitEstimatesInfo) GetQuarter() int64

GetQuarter returns the Quarter field value if set, zero value otherwise.

func (*EbitEstimatesInfo) GetQuarterOk added in v2.0.17

func (o *EbitEstimatesInfo) GetQuarterOk() (*int64, bool)

GetQuarterOk returns a tuple with the Quarter field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitEstimatesInfo) GetYear added in v2.0.17

func (o *EbitEstimatesInfo) GetYear() int64

GetYear returns the Year field value if set, zero value otherwise.

func (*EbitEstimatesInfo) GetYearOk added in v2.0.17

func (o *EbitEstimatesInfo) GetYearOk() (*int64, bool)

GetYearOk returns a tuple with the Year field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitEstimatesInfo) HasEbitAvg added in v2.0.8

func (o *EbitEstimatesInfo) HasEbitAvg() bool

HasEbitAvg returns a boolean if a field has been set.

func (*EbitEstimatesInfo) HasEbitHigh added in v2.0.8

func (o *EbitEstimatesInfo) HasEbitHigh() bool

HasEbitHigh returns a boolean if a field has been set.

func (*EbitEstimatesInfo) HasEbitLow added in v2.0.8

func (o *EbitEstimatesInfo) HasEbitLow() bool

HasEbitLow returns a boolean if a field has been set.

func (*EbitEstimatesInfo) HasNumberAnalysts added in v2.0.8

func (o *EbitEstimatesInfo) HasNumberAnalysts() bool

HasNumberAnalysts returns a boolean if a field has been set.

func (*EbitEstimatesInfo) HasPeriod added in v2.0.8

func (o *EbitEstimatesInfo) HasPeriod() bool

HasPeriod returns a boolean if a field has been set.

func (*EbitEstimatesInfo) HasQuarter added in v2.0.17

func (o *EbitEstimatesInfo) HasQuarter() bool

HasQuarter returns a boolean if a field has been set.

func (*EbitEstimatesInfo) HasYear added in v2.0.17

func (o *EbitEstimatesInfo) HasYear() bool

HasYear returns a boolean if a field has been set.

func (EbitEstimatesInfo) MarshalJSON added in v2.0.8

func (o EbitEstimatesInfo) MarshalJSON() ([]byte, error)

func (*EbitEstimatesInfo) SetEbitAvg added in v2.0.8

func (o *EbitEstimatesInfo) SetEbitAvg(v float32)

SetEbitAvg gets a reference to the given float32 and assigns it to the EbitAvg field.

func (*EbitEstimatesInfo) SetEbitHigh added in v2.0.8

func (o *EbitEstimatesInfo) SetEbitHigh(v float32)

SetEbitHigh gets a reference to the given float32 and assigns it to the EbitHigh field.

func (*EbitEstimatesInfo) SetEbitLow added in v2.0.8

func (o *EbitEstimatesInfo) SetEbitLow(v float32)

SetEbitLow gets a reference to the given float32 and assigns it to the EbitLow field.

func (*EbitEstimatesInfo) SetNumberAnalysts added in v2.0.8

func (o *EbitEstimatesInfo) SetNumberAnalysts(v int64)

SetNumberAnalysts gets a reference to the given int64 and assigns it to the NumberAnalysts field.

func (*EbitEstimatesInfo) SetPeriod added in v2.0.8

func (o *EbitEstimatesInfo) SetPeriod(v string)

SetPeriod gets a reference to the given string and assigns it to the Period field.

func (*EbitEstimatesInfo) SetQuarter added in v2.0.17

func (o *EbitEstimatesInfo) SetQuarter(v int64)

SetQuarter gets a reference to the given int64 and assigns it to the Quarter field.

func (*EbitEstimatesInfo) SetYear added in v2.0.17

func (o *EbitEstimatesInfo) SetYear(v int64)

SetYear gets a reference to the given int64 and assigns it to the Year field.

type EbitdaEstimates added in v2.0.8

type EbitdaEstimates struct {
	// List of estimates
	Data *[]EbitdaEstimatesInfo `json:"data,omitempty"`
	// Frequency: annual or quarterly.
	Freq *string `json:"freq,omitempty"`
	// Company symbol.
	Symbol *string `json:"symbol,omitempty"`
}

EbitdaEstimates struct for EbitdaEstimates

func NewEbitdaEstimates added in v2.0.8

func NewEbitdaEstimates() *EbitdaEstimates

NewEbitdaEstimates instantiates a new EbitdaEstimates object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewEbitdaEstimatesWithDefaults added in v2.0.8

func NewEbitdaEstimatesWithDefaults() *EbitdaEstimates

NewEbitdaEstimatesWithDefaults instantiates a new EbitdaEstimates object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*EbitdaEstimates) GetData added in v2.0.8

func (o *EbitdaEstimates) GetData() []EbitdaEstimatesInfo

GetData returns the Data field value if set, zero value otherwise.

func (*EbitdaEstimates) GetDataOk added in v2.0.8

func (o *EbitdaEstimates) GetDataOk() (*[]EbitdaEstimatesInfo, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitdaEstimates) GetFreq added in v2.0.8

func (o *EbitdaEstimates) GetFreq() string

GetFreq returns the Freq field value if set, zero value otherwise.

func (*EbitdaEstimates) GetFreqOk added in v2.0.8

func (o *EbitdaEstimates) GetFreqOk() (*string, bool)

GetFreqOk returns a tuple with the Freq field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitdaEstimates) GetSymbol added in v2.0.8

func (o *EbitdaEstimates) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*EbitdaEstimates) GetSymbolOk added in v2.0.8

func (o *EbitdaEstimates) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitdaEstimates) HasData added in v2.0.8

func (o *EbitdaEstimates) HasData() bool

HasData returns a boolean if a field has been set.

func (*EbitdaEstimates) HasFreq added in v2.0.8

func (o *EbitdaEstimates) HasFreq() bool

HasFreq returns a boolean if a field has been set.

func (*EbitdaEstimates) HasSymbol added in v2.0.8

func (o *EbitdaEstimates) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (EbitdaEstimates) MarshalJSON added in v2.0.8

func (o EbitdaEstimates) MarshalJSON() ([]byte, error)

func (*EbitdaEstimates) SetData added in v2.0.8

func (o *EbitdaEstimates) SetData(v []EbitdaEstimatesInfo)

SetData gets a reference to the given []EbitdaEstimatesInfo and assigns it to the Data field.

func (*EbitdaEstimates) SetFreq added in v2.0.8

func (o *EbitdaEstimates) SetFreq(v string)

SetFreq gets a reference to the given string and assigns it to the Freq field.

func (*EbitdaEstimates) SetSymbol added in v2.0.8

func (o *EbitdaEstimates) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type EbitdaEstimatesInfo added in v2.0.8

type EbitdaEstimatesInfo struct {
	// Average EBITDA estimates including Finnhub's proprietary estimates.
	EbitdaAvg *float32 `json:"ebitdaAvg,omitempty"`
	// Highest estimate.
	EbitdaHigh *float32 `json:"ebitdaHigh,omitempty"`
	// Lowest estimate.
	EbitdaLow *float32 `json:"ebitdaLow,omitempty"`
	// Number of Analysts.
	NumberAnalysts *int64 `json:"numberAnalysts,omitempty"`
	// Period.
	Period *string `json:"period,omitempty"`
	// Fiscal year.
	Year *int64 `json:"year,omitempty"`
	// Fiscal quarter.
	Quarter *int64 `json:"quarter,omitempty"`
}

EbitdaEstimatesInfo struct for EbitdaEstimatesInfo

func NewEbitdaEstimatesInfo added in v2.0.8

func NewEbitdaEstimatesInfo() *EbitdaEstimatesInfo

NewEbitdaEstimatesInfo instantiates a new EbitdaEstimatesInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewEbitdaEstimatesInfoWithDefaults added in v2.0.8

func NewEbitdaEstimatesInfoWithDefaults() *EbitdaEstimatesInfo

NewEbitdaEstimatesInfoWithDefaults instantiates a new EbitdaEstimatesInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*EbitdaEstimatesInfo) GetEbitdaAvg added in v2.0.8

func (o *EbitdaEstimatesInfo) GetEbitdaAvg() float32

GetEbitdaAvg returns the EbitdaAvg field value if set, zero value otherwise.

func (*EbitdaEstimatesInfo) GetEbitdaAvgOk added in v2.0.8

func (o *EbitdaEstimatesInfo) GetEbitdaAvgOk() (*float32, bool)

GetEbitdaAvgOk returns a tuple with the EbitdaAvg field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitdaEstimatesInfo) GetEbitdaHigh added in v2.0.8

func (o *EbitdaEstimatesInfo) GetEbitdaHigh() float32

GetEbitdaHigh returns the EbitdaHigh field value if set, zero value otherwise.

func (*EbitdaEstimatesInfo) GetEbitdaHighOk added in v2.0.8

func (o *EbitdaEstimatesInfo) GetEbitdaHighOk() (*float32, bool)

GetEbitdaHighOk returns a tuple with the EbitdaHigh field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitdaEstimatesInfo) GetEbitdaLow added in v2.0.8

func (o *EbitdaEstimatesInfo) GetEbitdaLow() float32

GetEbitdaLow returns the EbitdaLow field value if set, zero value otherwise.

func (*EbitdaEstimatesInfo) GetEbitdaLowOk added in v2.0.8

func (o *EbitdaEstimatesInfo) GetEbitdaLowOk() (*float32, bool)

GetEbitdaLowOk returns a tuple with the EbitdaLow field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitdaEstimatesInfo) GetNumberAnalysts added in v2.0.8

func (o *EbitdaEstimatesInfo) GetNumberAnalysts() int64

GetNumberAnalysts returns the NumberAnalysts field value if set, zero value otherwise.

func (*EbitdaEstimatesInfo) GetNumberAnalystsOk added in v2.0.8

func (o *EbitdaEstimatesInfo) GetNumberAnalystsOk() (*int64, bool)

GetNumberAnalystsOk returns a tuple with the NumberAnalysts field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitdaEstimatesInfo) GetPeriod added in v2.0.8

func (o *EbitdaEstimatesInfo) GetPeriod() string

GetPeriod returns the Period field value if set, zero value otherwise.

func (*EbitdaEstimatesInfo) GetPeriodOk added in v2.0.8

func (o *EbitdaEstimatesInfo) GetPeriodOk() (*string, bool)

GetPeriodOk returns a tuple with the Period field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitdaEstimatesInfo) GetQuarter added in v2.0.17

func (o *EbitdaEstimatesInfo) GetQuarter() int64

GetQuarter returns the Quarter field value if set, zero value otherwise.

func (*EbitdaEstimatesInfo) GetQuarterOk added in v2.0.17

func (o *EbitdaEstimatesInfo) GetQuarterOk() (*int64, bool)

GetQuarterOk returns a tuple with the Quarter field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitdaEstimatesInfo) GetYear added in v2.0.17

func (o *EbitdaEstimatesInfo) GetYear() int64

GetYear returns the Year field value if set, zero value otherwise.

func (*EbitdaEstimatesInfo) GetYearOk added in v2.0.17

func (o *EbitdaEstimatesInfo) GetYearOk() (*int64, bool)

GetYearOk returns a tuple with the Year field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EbitdaEstimatesInfo) HasEbitdaAvg added in v2.0.8

func (o *EbitdaEstimatesInfo) HasEbitdaAvg() bool

HasEbitdaAvg returns a boolean if a field has been set.

func (*EbitdaEstimatesInfo) HasEbitdaHigh added in v2.0.8

func (o *EbitdaEstimatesInfo) HasEbitdaHigh() bool

HasEbitdaHigh returns a boolean if a field has been set.

func (*EbitdaEstimatesInfo) HasEbitdaLow added in v2.0.8

func (o *EbitdaEstimatesInfo) HasEbitdaLow() bool

HasEbitdaLow returns a boolean if a field has been set.

func (*EbitdaEstimatesInfo) HasNumberAnalysts added in v2.0.8

func (o *EbitdaEstimatesInfo) HasNumberAnalysts() bool

HasNumberAnalysts returns a boolean if a field has been set.

func (*EbitdaEstimatesInfo) HasPeriod added in v2.0.8

func (o *EbitdaEstimatesInfo) HasPeriod() bool

HasPeriod returns a boolean if a field has been set.

func (*EbitdaEstimatesInfo) HasQuarter added in v2.0.17

func (o *EbitdaEstimatesInfo) HasQuarter() bool

HasQuarter returns a boolean if a field has been set.

func (*EbitdaEstimatesInfo) HasYear added in v2.0.17

func (o *EbitdaEstimatesInfo) HasYear() bool

HasYear returns a boolean if a field has been set.

func (EbitdaEstimatesInfo) MarshalJSON added in v2.0.8

func (o EbitdaEstimatesInfo) MarshalJSON() ([]byte, error)

func (*EbitdaEstimatesInfo) SetEbitdaAvg added in v2.0.8

func (o *EbitdaEstimatesInfo) SetEbitdaAvg(v float32)

SetEbitdaAvg gets a reference to the given float32 and assigns it to the EbitdaAvg field.

func (*EbitdaEstimatesInfo) SetEbitdaHigh added in v2.0.8

func (o *EbitdaEstimatesInfo) SetEbitdaHigh(v float32)

SetEbitdaHigh gets a reference to the given float32 and assigns it to the EbitdaHigh field.

func (*EbitdaEstimatesInfo) SetEbitdaLow added in v2.0.8

func (o *EbitdaEstimatesInfo) SetEbitdaLow(v float32)

SetEbitdaLow gets a reference to the given float32 and assigns it to the EbitdaLow field.

func (*EbitdaEstimatesInfo) SetNumberAnalysts added in v2.0.8

func (o *EbitdaEstimatesInfo) SetNumberAnalysts(v int64)

SetNumberAnalysts gets a reference to the given int64 and assigns it to the NumberAnalysts field.

func (*EbitdaEstimatesInfo) SetPeriod added in v2.0.8

func (o *EbitdaEstimatesInfo) SetPeriod(v string)

SetPeriod gets a reference to the given string and assigns it to the Period field.

func (*EbitdaEstimatesInfo) SetQuarter added in v2.0.17

func (o *EbitdaEstimatesInfo) SetQuarter(v int64)

SetQuarter gets a reference to the given int64 and assigns it to the Quarter field.

func (*EbitdaEstimatesInfo) SetYear added in v2.0.17

func (o *EbitdaEstimatesInfo) SetYear(v int64)

SetYear gets a reference to the given int64 and assigns it to the Year field.

type EconomicCalendar

type EconomicCalendar struct {
	// Array of economic events.
	EconomicCalendar *[]EconomicEvent `json:"economicCalendar,omitempty"`
}

EconomicCalendar struct for EconomicCalendar

func NewEconomicCalendar

func NewEconomicCalendar() *EconomicCalendar

NewEconomicCalendar instantiates a new EconomicCalendar object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewEconomicCalendarWithDefaults

func NewEconomicCalendarWithDefaults() *EconomicCalendar

NewEconomicCalendarWithDefaults instantiates a new EconomicCalendar object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*EconomicCalendar) GetEconomicCalendar

func (o *EconomicCalendar) GetEconomicCalendar() []EconomicEvent

GetEconomicCalendar returns the EconomicCalendar field value if set, zero value otherwise.

func (*EconomicCalendar) GetEconomicCalendarOk

func (o *EconomicCalendar) GetEconomicCalendarOk() (*[]EconomicEvent, bool)

GetEconomicCalendarOk returns a tuple with the EconomicCalendar field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicCalendar) HasEconomicCalendar

func (o *EconomicCalendar) HasEconomicCalendar() bool

HasEconomicCalendar returns a boolean if a field has been set.

func (EconomicCalendar) MarshalJSON

func (o EconomicCalendar) MarshalJSON() ([]byte, error)

func (*EconomicCalendar) SetEconomicCalendar

func (o *EconomicCalendar) SetEconomicCalendar(v []EconomicEvent)

SetEconomicCalendar gets a reference to the given []EconomicEvent and assigns it to the EconomicCalendar field.

type EconomicCode

type EconomicCode struct {
	// Finnhub economic code used to get historical data
	Code *string `json:"code,omitempty"`
	// Country
	Country *string `json:"country,omitempty"`
	// Indicator name
	Name *string `json:"name,omitempty"`
	// Unit
	Unit *string `json:"unit,omitempty"`
}

EconomicCode struct for EconomicCode

func NewEconomicCode

func NewEconomicCode() *EconomicCode

NewEconomicCode instantiates a new EconomicCode object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewEconomicCodeWithDefaults

func NewEconomicCodeWithDefaults() *EconomicCode

NewEconomicCodeWithDefaults instantiates a new EconomicCode object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*EconomicCode) GetCode

func (o *EconomicCode) GetCode() string

GetCode returns the Code field value if set, zero value otherwise.

func (*EconomicCode) GetCodeOk

func (o *EconomicCode) GetCodeOk() (*string, bool)

GetCodeOk returns a tuple with the Code field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicCode) GetCountry

func (o *EconomicCode) GetCountry() string

GetCountry returns the Country field value if set, zero value otherwise.

func (*EconomicCode) GetCountryOk

func (o *EconomicCode) GetCountryOk() (*string, bool)

GetCountryOk returns a tuple with the Country field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicCode) GetName

func (o *EconomicCode) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*EconomicCode) GetNameOk

func (o *EconomicCode) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicCode) GetUnit

func (o *EconomicCode) GetUnit() string

GetUnit returns the Unit field value if set, zero value otherwise.

func (*EconomicCode) GetUnitOk

func (o *EconomicCode) GetUnitOk() (*string, bool)

GetUnitOk returns a tuple with the Unit field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicCode) HasCode

func (o *EconomicCode) HasCode() bool

HasCode returns a boolean if a field has been set.

func (*EconomicCode) HasCountry

func (o *EconomicCode) HasCountry() bool

HasCountry returns a boolean if a field has been set.

func (*EconomicCode) HasName

func (o *EconomicCode) HasName() bool

HasName returns a boolean if a field has been set.

func (*EconomicCode) HasUnit

func (o *EconomicCode) HasUnit() bool

HasUnit returns a boolean if a field has been set.

func (EconomicCode) MarshalJSON

func (o EconomicCode) MarshalJSON() ([]byte, error)

func (*EconomicCode) SetCode

func (o *EconomicCode) SetCode(v string)

SetCode gets a reference to the given string and assigns it to the Code field.

func (*EconomicCode) SetCountry

func (o *EconomicCode) SetCountry(v string)

SetCountry gets a reference to the given string and assigns it to the Country field.

func (*EconomicCode) SetName

func (o *EconomicCode) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*EconomicCode) SetUnit

func (o *EconomicCode) SetUnit(v string)

SetUnit gets a reference to the given string and assigns it to the Unit field.

type EconomicData

type EconomicData struct {
	// Array of economic data for requested code.
	Data *[]EconomicDataInfo `json:"data,omitempty"`
	// Finnhub economic code
	Code *string `json:"code,omitempty"`
}

EconomicData struct for EconomicData

func NewEconomicData

func NewEconomicData() *EconomicData

NewEconomicData instantiates a new EconomicData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewEconomicDataWithDefaults

func NewEconomicDataWithDefaults() *EconomicData

NewEconomicDataWithDefaults instantiates a new EconomicData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*EconomicData) GetCode

func (o *EconomicData) GetCode() string

GetCode returns the Code field value if set, zero value otherwise.

func (*EconomicData) GetCodeOk

func (o *EconomicData) GetCodeOk() (*string, bool)

GetCodeOk returns a tuple with the Code field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicData) GetData

func (o *EconomicData) GetData() []EconomicDataInfo

GetData returns the Data field value if set, zero value otherwise.

func (*EconomicData) GetDataOk

func (o *EconomicData) GetDataOk() (*[]EconomicDataInfo, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicData) HasCode

func (o *EconomicData) HasCode() bool

HasCode returns a boolean if a field has been set.

func (*EconomicData) HasData

func (o *EconomicData) HasData() bool

HasData returns a boolean if a field has been set.

func (EconomicData) MarshalJSON

func (o EconomicData) MarshalJSON() ([]byte, error)

func (*EconomicData) SetCode

func (o *EconomicData) SetCode(v string)

SetCode gets a reference to the given string and assigns it to the Code field.

func (*EconomicData) SetData

func (o *EconomicData) SetData(v []EconomicDataInfo)

SetData gets a reference to the given []EconomicDataInfo and assigns it to the Data field.

type EconomicDataInfo

type EconomicDataInfo struct {
	// Date of the reading
	Date *string `json:"date,omitempty"`
	// Value
	Value *float32 `json:"value,omitempty"`
}

EconomicDataInfo struct for EconomicDataInfo

func NewEconomicDataInfo

func NewEconomicDataInfo() *EconomicDataInfo

NewEconomicDataInfo instantiates a new EconomicDataInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewEconomicDataInfoWithDefaults

func NewEconomicDataInfoWithDefaults() *EconomicDataInfo

NewEconomicDataInfoWithDefaults instantiates a new EconomicDataInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*EconomicDataInfo) GetDate

func (o *EconomicDataInfo) GetDate() string

GetDate returns the Date field value if set, zero value otherwise.

func (*EconomicDataInfo) GetDateOk

func (o *EconomicDataInfo) GetDateOk() (*string, bool)

GetDateOk returns a tuple with the Date field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicDataInfo) GetValue

func (o *EconomicDataInfo) GetValue() float32

GetValue returns the Value field value if set, zero value otherwise.

func (*EconomicDataInfo) GetValueOk

func (o *EconomicDataInfo) GetValueOk() (*float32, bool)

GetValueOk returns a tuple with the Value field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicDataInfo) HasDate

func (o *EconomicDataInfo) HasDate() bool

HasDate returns a boolean if a field has been set.

func (*EconomicDataInfo) HasValue

func (o *EconomicDataInfo) HasValue() bool

HasValue returns a boolean if a field has been set.

func (EconomicDataInfo) MarshalJSON

func (o EconomicDataInfo) MarshalJSON() ([]byte, error)

func (*EconomicDataInfo) SetDate

func (o *EconomicDataInfo) SetDate(v string)

SetDate gets a reference to the given string and assigns it to the Date field.

func (*EconomicDataInfo) SetValue

func (o *EconomicDataInfo) SetValue(v float32)

SetValue gets a reference to the given float32 and assigns it to the Value field.

type EconomicEvent

type EconomicEvent struct {
	// Actual release
	Actual *float32 `json:"actual,omitempty"`
	// Previous release
	Prev *float32 `json:"prev,omitempty"`
	// Country
	Country *string `json:"country,omitempty"`
	// Unit
	Unit *string `json:"unit,omitempty"`
	// Estimate
	Estimate *float32 `json:"estimate,omitempty"`
	// Event
	Event *string `json:"event,omitempty"`
	// Impact level
	Impact *string `json:"impact,omitempty"`
	// Release time
	Time *string `json:"time,omitempty"`
}

EconomicEvent struct for EconomicEvent

func NewEconomicEvent

func NewEconomicEvent() *EconomicEvent

NewEconomicEvent instantiates a new EconomicEvent object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewEconomicEventWithDefaults

func NewEconomicEventWithDefaults() *EconomicEvent

NewEconomicEventWithDefaults instantiates a new EconomicEvent object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*EconomicEvent) GetActual

func (o *EconomicEvent) GetActual() float32

GetActual returns the Actual field value if set, zero value otherwise.

func (*EconomicEvent) GetActualOk

func (o *EconomicEvent) GetActualOk() (*float32, bool)

GetActualOk returns a tuple with the Actual field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicEvent) GetCountry

func (o *EconomicEvent) GetCountry() string

GetCountry returns the Country field value if set, zero value otherwise.

func (*EconomicEvent) GetCountryOk

func (o *EconomicEvent) GetCountryOk() (*string, bool)

GetCountryOk returns a tuple with the Country field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicEvent) GetEstimate

func (o *EconomicEvent) GetEstimate() float32

GetEstimate returns the Estimate field value if set, zero value otherwise.

func (*EconomicEvent) GetEstimateOk

func (o *EconomicEvent) GetEstimateOk() (*float32, bool)

GetEstimateOk returns a tuple with the Estimate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicEvent) GetEvent

func (o *EconomicEvent) GetEvent() string

GetEvent returns the Event field value if set, zero value otherwise.

func (*EconomicEvent) GetEventOk

func (o *EconomicEvent) GetEventOk() (*string, bool)

GetEventOk returns a tuple with the Event field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicEvent) GetImpact

func (o *EconomicEvent) GetImpact() string

GetImpact returns the Impact field value if set, zero value otherwise.

func (*EconomicEvent) GetImpactOk

func (o *EconomicEvent) GetImpactOk() (*string, bool)

GetImpactOk returns a tuple with the Impact field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicEvent) GetPrev

func (o *EconomicEvent) GetPrev() float32

GetPrev returns the Prev field value if set, zero value otherwise.

func (*EconomicEvent) GetPrevOk

func (o *EconomicEvent) GetPrevOk() (*float32, bool)

GetPrevOk returns a tuple with the Prev field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicEvent) GetTime

func (o *EconomicEvent) GetTime() string

GetTime returns the Time field value if set, zero value otherwise.

func (*EconomicEvent) GetTimeOk

func (o *EconomicEvent) GetTimeOk() (*string, bool)

GetTimeOk returns a tuple with the Time field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicEvent) GetUnit

func (o *EconomicEvent) GetUnit() string

GetUnit returns the Unit field value if set, zero value otherwise.

func (*EconomicEvent) GetUnitOk

func (o *EconomicEvent) GetUnitOk() (*string, bool)

GetUnitOk returns a tuple with the Unit field value if set, nil otherwise and a boolean to check if the value has been set.

func (*EconomicEvent) HasActual

func (o *EconomicEvent) HasActual() bool

HasActual returns a boolean if a field has been set.

func (*EconomicEvent) HasCountry

func (o *EconomicEvent) HasCountry() bool

HasCountry returns a boolean if a field has been set.

func (*EconomicEvent) HasEstimate

func (o *EconomicEvent) HasEstimate() bool

HasEstimate returns a boolean if a field has been set.

func (*EconomicEvent) HasEvent

func (o *EconomicEvent) HasEvent() bool

HasEvent returns a boolean if a field has been set.

func (*EconomicEvent) HasImpact

func (o *EconomicEvent) HasImpact() bool

HasImpact returns a boolean if a field has been set.

func (*EconomicEvent) HasPrev

func (o *EconomicEvent) HasPrev() bool

HasPrev returns a boolean if a field has been set.

func (*EconomicEvent) HasTime

func (o *EconomicEvent) HasTime() bool

HasTime returns a boolean if a field has been set.

func (*EconomicEvent) HasUnit

func (o *EconomicEvent) HasUnit() bool

HasUnit returns a boolean if a field has been set.

func (EconomicEvent) MarshalJSON

func (o EconomicEvent) MarshalJSON() ([]byte, error)

func (*EconomicEvent) SetActual

func (o *EconomicEvent) SetActual(v float32)

SetActual gets a reference to the given float32 and assigns it to the Actual field.

func (*EconomicEvent) SetCountry

func (o *EconomicEvent) SetCountry(v string)

SetCountry gets a reference to the given string and assigns it to the Country field.

func (*EconomicEvent) SetEstimate

func (o *EconomicEvent) SetEstimate(v float32)

SetEstimate gets a reference to the given float32 and assigns it to the Estimate field.

func (*EconomicEvent) SetEvent

func (o *EconomicEvent) SetEvent(v string)

SetEvent gets a reference to the given string and assigns it to the Event field.

func (*EconomicEvent) SetImpact

func (o *EconomicEvent) SetImpact(v string)

SetImpact gets a reference to the given string and assigns it to the Impact field.

func (*EconomicEvent) SetPrev

func (o *EconomicEvent) SetPrev(v float32)

SetPrev gets a reference to the given float32 and assigns it to the Prev field.

func (*EconomicEvent) SetTime

func (o *EconomicEvent) SetTime(v string)

SetTime gets a reference to the given string and assigns it to the Time field.

func (*EconomicEvent) SetUnit

func (o *EconomicEvent) SetUnit(v string)

SetUnit gets a reference to the given string and assigns it to the Unit field.

type ExcerptResponse added in v2.0.16

type ExcerptResponse struct {
	// Highlighted content
	Content *string `json:"content,omitempty"`
	// Location of the content in the rendered document
	SnippetId *string `json:"snippetId,omitempty"`
	// Start offset of highlighted content
	StartOffset *string `json:"startOffset,omitempty"`
	// End offset of highlighted content
	EndOffset *string `json:"endOffset,omitempty"`
}

ExcerptResponse struct for ExcerptResponse

func NewExcerptResponse added in v2.0.16

func NewExcerptResponse() *ExcerptResponse

NewExcerptResponse instantiates a new ExcerptResponse object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewExcerptResponseWithDefaults added in v2.0.16

func NewExcerptResponseWithDefaults() *ExcerptResponse

NewExcerptResponseWithDefaults instantiates a new ExcerptResponse object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ExcerptResponse) GetContent added in v2.0.16

func (o *ExcerptResponse) GetContent() string

GetContent returns the Content field value if set, zero value otherwise.

func (*ExcerptResponse) GetContentOk added in v2.0.16

func (o *ExcerptResponse) GetContentOk() (*string, bool)

GetContentOk returns a tuple with the Content field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ExcerptResponse) GetEndOffset added in v2.0.16

func (o *ExcerptResponse) GetEndOffset() string

GetEndOffset returns the EndOffset field value if set, zero value otherwise.

func (*ExcerptResponse) GetEndOffsetOk added in v2.0.16

func (o *ExcerptResponse) GetEndOffsetOk() (*string, bool)

GetEndOffsetOk returns a tuple with the EndOffset field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ExcerptResponse) GetSnippetId added in v2.0.16

func (o *ExcerptResponse) GetSnippetId() string

GetSnippetId returns the SnippetId field value if set, zero value otherwise.

func (*ExcerptResponse) GetSnippetIdOk added in v2.0.16

func (o *ExcerptResponse) GetSnippetIdOk() (*string, bool)

GetSnippetIdOk returns a tuple with the SnippetId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ExcerptResponse) GetStartOffset added in v2.0.16

func (o *ExcerptResponse) GetStartOffset() string

GetStartOffset returns the StartOffset field value if set, zero value otherwise.

func (*ExcerptResponse) GetStartOffsetOk added in v2.0.16

func (o *ExcerptResponse) GetStartOffsetOk() (*string, bool)

GetStartOffsetOk returns a tuple with the StartOffset field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ExcerptResponse) HasContent added in v2.0.16

func (o *ExcerptResponse) HasContent() bool

HasContent returns a boolean if a field has been set.

func (*ExcerptResponse) HasEndOffset added in v2.0.16

func (o *ExcerptResponse) HasEndOffset() bool

HasEndOffset returns a boolean if a field has been set.

func (*ExcerptResponse) HasSnippetId added in v2.0.16

func (o *ExcerptResponse) HasSnippetId() bool

HasSnippetId returns a boolean if a field has been set.

func (*ExcerptResponse) HasStartOffset added in v2.0.16

func (o *ExcerptResponse) HasStartOffset() bool

HasStartOffset returns a boolean if a field has been set.

func (ExcerptResponse) MarshalJSON added in v2.0.16

func (o ExcerptResponse) MarshalJSON() ([]byte, error)

func (*ExcerptResponse) SetContent added in v2.0.16

func (o *ExcerptResponse) SetContent(v string)

SetContent gets a reference to the given string and assigns it to the Content field.

func (*ExcerptResponse) SetEndOffset added in v2.0.16

func (o *ExcerptResponse) SetEndOffset(v string)

SetEndOffset gets a reference to the given string and assigns it to the EndOffset field.

func (*ExcerptResponse) SetSnippetId added in v2.0.16

func (o *ExcerptResponse) SetSnippetId(v string)

SetSnippetId gets a reference to the given string and assigns it to the SnippetId field.

func (*ExcerptResponse) SetStartOffset added in v2.0.16

func (o *ExcerptResponse) SetStartOffset(v string)

SetStartOffset gets a reference to the given string and assigns it to the StartOffset field.

type FDAComitteeMeeting

type FDAComitteeMeeting struct {
	// Start time of the event in EST.
	FromDate *string `json:"fromDate,omitempty"`
	// End time of the event in EST.
	ToDate *string `json:"toDate,omitempty"`
	// Event's description.
	EventDescription *string `json:"eventDescription,omitempty"`
	// URL.
	Url *string `json:"url,omitempty"`
}

FDAComitteeMeeting struct for FDAComitteeMeeting

func NewFDAComitteeMeeting

func NewFDAComitteeMeeting() *FDAComitteeMeeting

NewFDAComitteeMeeting instantiates a new FDAComitteeMeeting object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewFDAComitteeMeetingWithDefaults

func NewFDAComitteeMeetingWithDefaults() *FDAComitteeMeeting

NewFDAComitteeMeetingWithDefaults instantiates a new FDAComitteeMeeting object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*FDAComitteeMeeting) GetEventDescription

func (o *FDAComitteeMeeting) GetEventDescription() string

GetEventDescription returns the EventDescription field value if set, zero value otherwise.

func (*FDAComitteeMeeting) GetEventDescriptionOk

func (o *FDAComitteeMeeting) GetEventDescriptionOk() (*string, bool)

GetEventDescriptionOk returns a tuple with the EventDescription field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FDAComitteeMeeting) GetFromDate

func (o *FDAComitteeMeeting) GetFromDate() string

GetFromDate returns the FromDate field value if set, zero value otherwise.

func (*FDAComitteeMeeting) GetFromDateOk

func (o *FDAComitteeMeeting) GetFromDateOk() (*string, bool)

GetFromDateOk returns a tuple with the FromDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FDAComitteeMeeting) GetToDate

func (o *FDAComitteeMeeting) GetToDate() string

GetToDate returns the ToDate field value if set, zero value otherwise.

func (*FDAComitteeMeeting) GetToDateOk

func (o *FDAComitteeMeeting) GetToDateOk() (*string, bool)

GetToDateOk returns a tuple with the ToDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FDAComitteeMeeting) GetUrl

func (o *FDAComitteeMeeting) GetUrl() string

GetUrl returns the Url field value if set, zero value otherwise.

func (*FDAComitteeMeeting) GetUrlOk

func (o *FDAComitteeMeeting) GetUrlOk() (*string, bool)

GetUrlOk returns a tuple with the Url field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FDAComitteeMeeting) HasEventDescription

func (o *FDAComitteeMeeting) HasEventDescription() bool

HasEventDescription returns a boolean if a field has been set.

func (*FDAComitteeMeeting) HasFromDate

func (o *FDAComitteeMeeting) HasFromDate() bool

HasFromDate returns a boolean if a field has been set.

func (*FDAComitteeMeeting) HasToDate

func (o *FDAComitteeMeeting) HasToDate() bool

HasToDate returns a boolean if a field has been set.

func (*FDAComitteeMeeting) HasUrl

func (o *FDAComitteeMeeting) HasUrl() bool

HasUrl returns a boolean if a field has been set.

func (FDAComitteeMeeting) MarshalJSON

func (o FDAComitteeMeeting) MarshalJSON() ([]byte, error)

func (*FDAComitteeMeeting) SetEventDescription

func (o *FDAComitteeMeeting) SetEventDescription(v string)

SetEventDescription gets a reference to the given string and assigns it to the EventDescription field.

func (*FDAComitteeMeeting) SetFromDate

func (o *FDAComitteeMeeting) SetFromDate(v string)

SetFromDate gets a reference to the given string and assigns it to the FromDate field.

func (*FDAComitteeMeeting) SetToDate

func (o *FDAComitteeMeeting) SetToDate(v string)

SetToDate gets a reference to the given string and assigns it to the ToDate field.

func (*FDAComitteeMeeting) SetUrl

func (o *FDAComitteeMeeting) SetUrl(v string)

SetUrl gets a reference to the given string and assigns it to the Url field.

type Filing

type Filing struct {
	// Access number.
	AccessNumber *string `json:"accessNumber,omitempty"`
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// CIK.
	Cik *string `json:"cik,omitempty"`
	// Form type.
	Form *string `json:"form,omitempty"`
	// Filed date <code>%Y-%m-%d %H:%M:%S</code>.
	FiledDate *string `json:"filedDate,omitempty"`
	// Accepted date <code>%Y-%m-%d %H:%M:%S</code>.
	AcceptedDate *string `json:"acceptedDate,omitempty"`
	// Report's URL.
	ReportUrl *string `json:"reportUrl,omitempty"`
	// Filing's URL.
	FilingUrl *string `json:"filingUrl,omitempty"`
}

Filing struct for Filing

func NewFiling

func NewFiling() *Filing

NewFiling instantiates a new Filing object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewFilingWithDefaults

func NewFilingWithDefaults() *Filing

NewFilingWithDefaults instantiates a new Filing object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Filing) GetAcceptedDate

func (o *Filing) GetAcceptedDate() string

GetAcceptedDate returns the AcceptedDate field value if set, zero value otherwise.

func (*Filing) GetAcceptedDateOk

func (o *Filing) GetAcceptedDateOk() (*string, bool)

GetAcceptedDateOk returns a tuple with the AcceptedDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Filing) GetAccessNumber

func (o *Filing) GetAccessNumber() string

GetAccessNumber returns the AccessNumber field value if set, zero value otherwise.

func (*Filing) GetAccessNumberOk

func (o *Filing) GetAccessNumberOk() (*string, bool)

GetAccessNumberOk returns a tuple with the AccessNumber field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Filing) GetCik

func (o *Filing) GetCik() string

GetCik returns the Cik field value if set, zero value otherwise.

func (*Filing) GetCikOk

func (o *Filing) GetCikOk() (*string, bool)

GetCikOk returns a tuple with the Cik field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Filing) GetFiledDate

func (o *Filing) GetFiledDate() string

GetFiledDate returns the FiledDate field value if set, zero value otherwise.

func (*Filing) GetFiledDateOk

func (o *Filing) GetFiledDateOk() (*string, bool)

GetFiledDateOk returns a tuple with the FiledDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Filing) GetFilingUrl

func (o *Filing) GetFilingUrl() string

GetFilingUrl returns the FilingUrl field value if set, zero value otherwise.

func (*Filing) GetFilingUrlOk

func (o *Filing) GetFilingUrlOk() (*string, bool)

GetFilingUrlOk returns a tuple with the FilingUrl field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Filing) GetForm

func (o *Filing) GetForm() string

GetForm returns the Form field value if set, zero value otherwise.

func (*Filing) GetFormOk

func (o *Filing) GetFormOk() (*string, bool)

GetFormOk returns a tuple with the Form field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Filing) GetReportUrl

func (o *Filing) GetReportUrl() string

GetReportUrl returns the ReportUrl field value if set, zero value otherwise.

func (*Filing) GetReportUrlOk

func (o *Filing) GetReportUrlOk() (*string, bool)

GetReportUrlOk returns a tuple with the ReportUrl field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Filing) GetSymbol

func (o *Filing) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*Filing) GetSymbolOk

func (o *Filing) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Filing) HasAcceptedDate

func (o *Filing) HasAcceptedDate() bool

HasAcceptedDate returns a boolean if a field has been set.

func (*Filing) HasAccessNumber

func (o *Filing) HasAccessNumber() bool

HasAccessNumber returns a boolean if a field has been set.

func (*Filing) HasCik

func (o *Filing) HasCik() bool

HasCik returns a boolean if a field has been set.

func (*Filing) HasFiledDate

func (o *Filing) HasFiledDate() bool

HasFiledDate returns a boolean if a field has been set.

func (*Filing) HasFilingUrl

func (o *Filing) HasFilingUrl() bool

HasFilingUrl returns a boolean if a field has been set.

func (*Filing) HasForm

func (o *Filing) HasForm() bool

HasForm returns a boolean if a field has been set.

func (*Filing) HasReportUrl

func (o *Filing) HasReportUrl() bool

HasReportUrl returns a boolean if a field has been set.

func (*Filing) HasSymbol

func (o *Filing) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (Filing) MarshalJSON

func (o Filing) MarshalJSON() ([]byte, error)

func (*Filing) SetAcceptedDate

func (o *Filing) SetAcceptedDate(v string)

SetAcceptedDate gets a reference to the given string and assigns it to the AcceptedDate field.

func (*Filing) SetAccessNumber

func (o *Filing) SetAccessNumber(v string)

SetAccessNumber gets a reference to the given string and assigns it to the AccessNumber field.

func (*Filing) SetCik

func (o *Filing) SetCik(v string)

SetCik gets a reference to the given string and assigns it to the Cik field.

func (*Filing) SetFiledDate

func (o *Filing) SetFiledDate(v string)

SetFiledDate gets a reference to the given string and assigns it to the FiledDate field.

func (*Filing) SetFilingUrl

func (o *Filing) SetFilingUrl(v string)

SetFilingUrl gets a reference to the given string and assigns it to the FilingUrl field.

func (*Filing) SetForm

func (o *Filing) SetForm(v string)

SetForm gets a reference to the given string and assigns it to the Form field.

func (*Filing) SetReportUrl

func (o *Filing) SetReportUrl(v string)

SetReportUrl gets a reference to the given string and assigns it to the ReportUrl field.

func (*Filing) SetSymbol

func (o *Filing) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type FilingResponse added in v2.0.16

type FilingResponse struct {
	// Filing Id in Alpharesearch platform
	FilingId *string `json:"filingId,omitempty"`
	// Filing title
	Title *string `json:"title,omitempty"`
	// Id of the entity submitted the filing
	FilerId *string `json:"filerId,omitempty"`
	// List of symbol associate with this filing
	Symbol *map[string]interface{} `json:"symbol,omitempty"`
	// Filer name
	Name *string `json:"name,omitempty"`
	// Date the filing is submitted.
	AcceptanceDate *string `json:"acceptanceDate,omitempty"`
	// Date the filing is make available to the public
	FiledDate *string `json:"filedDate,omitempty"`
	// Date as which the filing is reported
	ReportDate *string `json:"reportDate,omitempty"`
	// Filing Form
	Form *string `json:"form,omitempty"`
	// Amendment
	Amend *bool `json:"amend,omitempty"`
	// Filing Source
	Source *string `json:"source,omitempty"`
	// Estimate number of page when printing
	PageCount *int32 `json:"pageCount,omitempty"`
	// Number of document in this filing
	DocumentCount *int32 `json:"documentCount,omitempty"`
}

FilingResponse struct for FilingResponse

func NewFilingResponse added in v2.0.16

func NewFilingResponse() *FilingResponse

NewFilingResponse instantiates a new FilingResponse object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewFilingResponseWithDefaults added in v2.0.16

func NewFilingResponseWithDefaults() *FilingResponse

NewFilingResponseWithDefaults instantiates a new FilingResponse object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*FilingResponse) GetAcceptanceDate added in v2.0.16

func (o *FilingResponse) GetAcceptanceDate() string

GetAcceptanceDate returns the AcceptanceDate field value if set, zero value otherwise.

func (*FilingResponse) GetAcceptanceDateOk added in v2.0.16

func (o *FilingResponse) GetAcceptanceDateOk() (*string, bool)

GetAcceptanceDateOk returns a tuple with the AcceptanceDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingResponse) GetAmend added in v2.0.16

func (o *FilingResponse) GetAmend() bool

GetAmend returns the Amend field value if set, zero value otherwise.

func (*FilingResponse) GetAmendOk added in v2.0.16

func (o *FilingResponse) GetAmendOk() (*bool, bool)

GetAmendOk returns a tuple with the Amend field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingResponse) GetDocumentCount added in v2.0.16

func (o *FilingResponse) GetDocumentCount() int32

GetDocumentCount returns the DocumentCount field value if set, zero value otherwise.

func (*FilingResponse) GetDocumentCountOk added in v2.0.16

func (o *FilingResponse) GetDocumentCountOk() (*int32, bool)

GetDocumentCountOk returns a tuple with the DocumentCount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingResponse) GetFiledDate added in v2.0.16

func (o *FilingResponse) GetFiledDate() string

GetFiledDate returns the FiledDate field value if set, zero value otherwise.

func (*FilingResponse) GetFiledDateOk added in v2.0.16

func (o *FilingResponse) GetFiledDateOk() (*string, bool)

GetFiledDateOk returns a tuple with the FiledDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingResponse) GetFilerId added in v2.0.16

func (o *FilingResponse) GetFilerId() string

GetFilerId returns the FilerId field value if set, zero value otherwise.

func (*FilingResponse) GetFilerIdOk added in v2.0.16

func (o *FilingResponse) GetFilerIdOk() (*string, bool)

GetFilerIdOk returns a tuple with the FilerId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingResponse) GetFilingId added in v2.0.16

func (o *FilingResponse) GetFilingId() string

GetFilingId returns the FilingId field value if set, zero value otherwise.

func (*FilingResponse) GetFilingIdOk added in v2.0.16

func (o *FilingResponse) GetFilingIdOk() (*string, bool)

GetFilingIdOk returns a tuple with the FilingId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingResponse) GetForm added in v2.0.16

func (o *FilingResponse) GetForm() string

GetForm returns the Form field value if set, zero value otherwise.

func (*FilingResponse) GetFormOk added in v2.0.16

func (o *FilingResponse) GetFormOk() (*string, bool)

GetFormOk returns a tuple with the Form field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingResponse) GetName added in v2.0.16

func (o *FilingResponse) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*FilingResponse) GetNameOk added in v2.0.16

func (o *FilingResponse) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingResponse) GetPageCount added in v2.0.16

func (o *FilingResponse) GetPageCount() int32

GetPageCount returns the PageCount field value if set, zero value otherwise.

func (*FilingResponse) GetPageCountOk added in v2.0.16

func (o *FilingResponse) GetPageCountOk() (*int32, bool)

GetPageCountOk returns a tuple with the PageCount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingResponse) GetReportDate added in v2.0.16

func (o *FilingResponse) GetReportDate() string

GetReportDate returns the ReportDate field value if set, zero value otherwise.

func (*FilingResponse) GetReportDateOk added in v2.0.16

func (o *FilingResponse) GetReportDateOk() (*string, bool)

GetReportDateOk returns a tuple with the ReportDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingResponse) GetSource added in v2.0.16

func (o *FilingResponse) GetSource() string

GetSource returns the Source field value if set, zero value otherwise.

func (*FilingResponse) GetSourceOk added in v2.0.16

func (o *FilingResponse) GetSourceOk() (*string, bool)

GetSourceOk returns a tuple with the Source field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingResponse) GetSymbol added in v2.0.16

func (o *FilingResponse) GetSymbol() map[string]interface{}

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*FilingResponse) GetSymbolOk added in v2.0.16

func (o *FilingResponse) GetSymbolOk() (*map[string]interface{}, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingResponse) GetTitle added in v2.0.16

func (o *FilingResponse) GetTitle() string

GetTitle returns the Title field value if set, zero value otherwise.

func (*FilingResponse) GetTitleOk added in v2.0.16

func (o *FilingResponse) GetTitleOk() (*string, bool)

GetTitleOk returns a tuple with the Title field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingResponse) HasAcceptanceDate added in v2.0.16

func (o *FilingResponse) HasAcceptanceDate() bool

HasAcceptanceDate returns a boolean if a field has been set.

func (*FilingResponse) HasAmend added in v2.0.16

func (o *FilingResponse) HasAmend() bool

HasAmend returns a boolean if a field has been set.

func (*FilingResponse) HasDocumentCount added in v2.0.16

func (o *FilingResponse) HasDocumentCount() bool

HasDocumentCount returns a boolean if a field has been set.

func (*FilingResponse) HasFiledDate added in v2.0.16

func (o *FilingResponse) HasFiledDate() bool

HasFiledDate returns a boolean if a field has been set.

func (*FilingResponse) HasFilerId added in v2.0.16

func (o *FilingResponse) HasFilerId() bool

HasFilerId returns a boolean if a field has been set.

func (*FilingResponse) HasFilingId added in v2.0.16

func (o *FilingResponse) HasFilingId() bool

HasFilingId returns a boolean if a field has been set.

func (*FilingResponse) HasForm added in v2.0.16

func (o *FilingResponse) HasForm() bool

HasForm returns a boolean if a field has been set.

func (*FilingResponse) HasName added in v2.0.16

func (o *FilingResponse) HasName() bool

HasName returns a boolean if a field has been set.

func (*FilingResponse) HasPageCount added in v2.0.16

func (o *FilingResponse) HasPageCount() bool

HasPageCount returns a boolean if a field has been set.

func (*FilingResponse) HasReportDate added in v2.0.16

func (o *FilingResponse) HasReportDate() bool

HasReportDate returns a boolean if a field has been set.

func (*FilingResponse) HasSource added in v2.0.16

func (o *FilingResponse) HasSource() bool

HasSource returns a boolean if a field has been set.

func (*FilingResponse) HasSymbol added in v2.0.16

func (o *FilingResponse) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*FilingResponse) HasTitle added in v2.0.16

func (o *FilingResponse) HasTitle() bool

HasTitle returns a boolean if a field has been set.

func (FilingResponse) MarshalJSON added in v2.0.16

func (o FilingResponse) MarshalJSON() ([]byte, error)

func (*FilingResponse) SetAcceptanceDate added in v2.0.16

func (o *FilingResponse) SetAcceptanceDate(v string)

SetAcceptanceDate gets a reference to the given string and assigns it to the AcceptanceDate field.

func (*FilingResponse) SetAmend added in v2.0.16

func (o *FilingResponse) SetAmend(v bool)

SetAmend gets a reference to the given bool and assigns it to the Amend field.

func (*FilingResponse) SetDocumentCount added in v2.0.16

func (o *FilingResponse) SetDocumentCount(v int32)

SetDocumentCount gets a reference to the given int32 and assigns it to the DocumentCount field.

func (*FilingResponse) SetFiledDate added in v2.0.16

func (o *FilingResponse) SetFiledDate(v string)

SetFiledDate gets a reference to the given string and assigns it to the FiledDate field.

func (*FilingResponse) SetFilerId added in v2.0.16

func (o *FilingResponse) SetFilerId(v string)

SetFilerId gets a reference to the given string and assigns it to the FilerId field.

func (*FilingResponse) SetFilingId added in v2.0.16

func (o *FilingResponse) SetFilingId(v string)

SetFilingId gets a reference to the given string and assigns it to the FilingId field.

func (*FilingResponse) SetForm added in v2.0.16

func (o *FilingResponse) SetForm(v string)

SetForm gets a reference to the given string and assigns it to the Form field.

func (*FilingResponse) SetName added in v2.0.16

func (o *FilingResponse) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*FilingResponse) SetPageCount added in v2.0.16

func (o *FilingResponse) SetPageCount(v int32)

SetPageCount gets a reference to the given int32 and assigns it to the PageCount field.

func (*FilingResponse) SetReportDate added in v2.0.16

func (o *FilingResponse) SetReportDate(v string)

SetReportDate gets a reference to the given string and assigns it to the ReportDate field.

func (*FilingResponse) SetSource added in v2.0.16

func (o *FilingResponse) SetSource(v string)

SetSource gets a reference to the given string and assigns it to the Source field.

func (*FilingResponse) SetSymbol added in v2.0.16

func (o *FilingResponse) SetSymbol(v map[string]interface{})

SetSymbol gets a reference to the given map[string]interface{} and assigns it to the Symbol field.

func (*FilingResponse) SetTitle added in v2.0.16

func (o *FilingResponse) SetTitle(v string)

SetTitle gets a reference to the given string and assigns it to the Title field.

type FilingSentiment

type FilingSentiment struct {
	// % of negative words in the filing.
	Negative *float32 `json:"negative,omitempty"`
	// % of positive words in the filing.
	Positive *float32 `json:"positive,omitempty"`
	// % of polarity words in the filing.
	Polarity *float32 `json:"polarity,omitempty"`
	// % of litigious words in the filing.
	Litigious *float32 `json:"litigious,omitempty"`
	// % of uncertainty words in the filing.
	Uncertainty *float32 `json:"uncertainty,omitempty"`
	// % of constraining words in the filing.
	Constraining *float32 `json:"constraining,omitempty"`
	// % of modal-weak words in the filing.
	ModalWeak *float32 `json:"modal-weak,omitempty"`
	// % of modal-strong words in the filing.
	ModalStrong *float32 `json:"modal-strong,omitempty"`
	// % of modal-moderate words in the filing.
	ModalModerate *float32 `json:"modal-moderate,omitempty"`
}

FilingSentiment struct for FilingSentiment

func NewFilingSentiment

func NewFilingSentiment() *FilingSentiment

NewFilingSentiment instantiates a new FilingSentiment object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewFilingSentimentWithDefaults

func NewFilingSentimentWithDefaults() *FilingSentiment

NewFilingSentimentWithDefaults instantiates a new FilingSentiment object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*FilingSentiment) GetConstraining

func (o *FilingSentiment) GetConstraining() float32

GetConstraining returns the Constraining field value if set, zero value otherwise.

func (*FilingSentiment) GetConstrainingOk

func (o *FilingSentiment) GetConstrainingOk() (*float32, bool)

GetConstrainingOk returns a tuple with the Constraining field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingSentiment) GetLitigious

func (o *FilingSentiment) GetLitigious() float32

GetLitigious returns the Litigious field value if set, zero value otherwise.

func (*FilingSentiment) GetLitigiousOk

func (o *FilingSentiment) GetLitigiousOk() (*float32, bool)

GetLitigiousOk returns a tuple with the Litigious field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingSentiment) GetModalModerate

func (o *FilingSentiment) GetModalModerate() float32

GetModalModerate returns the ModalModerate field value if set, zero value otherwise.

func (*FilingSentiment) GetModalModerateOk

func (o *FilingSentiment) GetModalModerateOk() (*float32, bool)

GetModalModerateOk returns a tuple with the ModalModerate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingSentiment) GetModalStrong

func (o *FilingSentiment) GetModalStrong() float32

GetModalStrong returns the ModalStrong field value if set, zero value otherwise.

func (*FilingSentiment) GetModalStrongOk

func (o *FilingSentiment) GetModalStrongOk() (*float32, bool)

GetModalStrongOk returns a tuple with the ModalStrong field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingSentiment) GetModalWeak

func (o *FilingSentiment) GetModalWeak() float32

GetModalWeak returns the ModalWeak field value if set, zero value otherwise.

func (*FilingSentiment) GetModalWeakOk

func (o *FilingSentiment) GetModalWeakOk() (*float32, bool)

GetModalWeakOk returns a tuple with the ModalWeak field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingSentiment) GetNegative

func (o *FilingSentiment) GetNegative() float32

GetNegative returns the Negative field value if set, zero value otherwise.

func (*FilingSentiment) GetNegativeOk

func (o *FilingSentiment) GetNegativeOk() (*float32, bool)

GetNegativeOk returns a tuple with the Negative field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingSentiment) GetPolarity

func (o *FilingSentiment) GetPolarity() float32

GetPolarity returns the Polarity field value if set, zero value otherwise.

func (*FilingSentiment) GetPolarityOk

func (o *FilingSentiment) GetPolarityOk() (*float32, bool)

GetPolarityOk returns a tuple with the Polarity field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingSentiment) GetPositive

func (o *FilingSentiment) GetPositive() float32

GetPositive returns the Positive field value if set, zero value otherwise.

func (*FilingSentiment) GetPositiveOk

func (o *FilingSentiment) GetPositiveOk() (*float32, bool)

GetPositiveOk returns a tuple with the Positive field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingSentiment) GetUncertainty

func (o *FilingSentiment) GetUncertainty() float32

GetUncertainty returns the Uncertainty field value if set, zero value otherwise.

func (*FilingSentiment) GetUncertaintyOk

func (o *FilingSentiment) GetUncertaintyOk() (*float32, bool)

GetUncertaintyOk returns a tuple with the Uncertainty field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FilingSentiment) HasConstraining

func (o *FilingSentiment) HasConstraining() bool

HasConstraining returns a boolean if a field has been set.

func (*FilingSentiment) HasLitigious

func (o *FilingSentiment) HasLitigious() bool

HasLitigious returns a boolean if a field has been set.

func (*FilingSentiment) HasModalModerate

func (o *FilingSentiment) HasModalModerate() bool

HasModalModerate returns a boolean if a field has been set.

func (*FilingSentiment) HasModalStrong

func (o *FilingSentiment) HasModalStrong() bool

HasModalStrong returns a boolean if a field has been set.

func (*FilingSentiment) HasModalWeak

func (o *FilingSentiment) HasModalWeak() bool

HasModalWeak returns a boolean if a field has been set.

func (*FilingSentiment) HasNegative

func (o *FilingSentiment) HasNegative() bool

HasNegative returns a boolean if a field has been set.

func (*FilingSentiment) HasPolarity

func (o *FilingSentiment) HasPolarity() bool

HasPolarity returns a boolean if a field has been set.

func (*FilingSentiment) HasPositive

func (o *FilingSentiment) HasPositive() bool

HasPositive returns a boolean if a field has been set.

func (*FilingSentiment) HasUncertainty

func (o *FilingSentiment) HasUncertainty() bool

HasUncertainty returns a boolean if a field has been set.

func (FilingSentiment) MarshalJSON

func (o FilingSentiment) MarshalJSON() ([]byte, error)

func (*FilingSentiment) SetConstraining

func (o *FilingSentiment) SetConstraining(v float32)

SetConstraining gets a reference to the given float32 and assigns it to the Constraining field.

func (*FilingSentiment) SetLitigious

func (o *FilingSentiment) SetLitigious(v float32)

SetLitigious gets a reference to the given float32 and assigns it to the Litigious field.

func (*FilingSentiment) SetModalModerate

func (o *FilingSentiment) SetModalModerate(v float32)

SetModalModerate gets a reference to the given float32 and assigns it to the ModalModerate field.

func (*FilingSentiment) SetModalStrong

func (o *FilingSentiment) SetModalStrong(v float32)

SetModalStrong gets a reference to the given float32 and assigns it to the ModalStrong field.

func (*FilingSentiment) SetModalWeak

func (o *FilingSentiment) SetModalWeak(v float32)

SetModalWeak gets a reference to the given float32 and assigns it to the ModalWeak field.

func (*FilingSentiment) SetNegative

func (o *FilingSentiment) SetNegative(v float32)

SetNegative gets a reference to the given float32 and assigns it to the Negative field.

func (*FilingSentiment) SetPolarity

func (o *FilingSentiment) SetPolarity(v float32)

SetPolarity gets a reference to the given float32 and assigns it to the Polarity field.

func (*FilingSentiment) SetPositive

func (o *FilingSentiment) SetPositive(v float32)

SetPositive gets a reference to the given float32 and assigns it to the Positive field.

func (*FilingSentiment) SetUncertainty

func (o *FilingSentiment) SetUncertainty(v float32)

SetUncertainty gets a reference to the given float32 and assigns it to the Uncertainty field.

type FinancialStatements

type FinancialStatements struct {
	// Symbol of the company.
	Symbol *string `json:"symbol,omitempty"`
	// An array of map of key, value pairs containing the data for each period.
	Financials *[]map[string]interface{} `json:"financials,omitempty"`
}

FinancialStatements struct for FinancialStatements

func NewFinancialStatements

func NewFinancialStatements() *FinancialStatements

NewFinancialStatements instantiates a new FinancialStatements object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewFinancialStatementsWithDefaults

func NewFinancialStatementsWithDefaults() *FinancialStatements

NewFinancialStatementsWithDefaults instantiates a new FinancialStatements object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*FinancialStatements) GetFinancials

func (o *FinancialStatements) GetFinancials() []map[string]interface{}

GetFinancials returns the Financials field value if set, zero value otherwise.

func (*FinancialStatements) GetFinancialsOk

func (o *FinancialStatements) GetFinancialsOk() (*[]map[string]interface{}, bool)

GetFinancialsOk returns a tuple with the Financials field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FinancialStatements) GetSymbol

func (o *FinancialStatements) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*FinancialStatements) GetSymbolOk

func (o *FinancialStatements) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FinancialStatements) HasFinancials

func (o *FinancialStatements) HasFinancials() bool

HasFinancials returns a boolean if a field has been set.

func (*FinancialStatements) HasSymbol

func (o *FinancialStatements) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (FinancialStatements) MarshalJSON

func (o FinancialStatements) MarshalJSON() ([]byte, error)

func (*FinancialStatements) SetFinancials

func (o *FinancialStatements) SetFinancials(v []map[string]interface{})

SetFinancials gets a reference to the given []map[string]interface{} and assigns it to the Financials field.

func (*FinancialStatements) SetSymbol

func (o *FinancialStatements) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type FinancialsAsReported

type FinancialsAsReported struct {
	// Symbol
	Symbol *string `json:"symbol,omitempty"`
	// CIK
	Cik *string `json:"cik,omitempty"`
	// Array of filings.
	Data *[]Report `json:"data,omitempty"`
}

FinancialsAsReported struct for FinancialsAsReported

func NewFinancialsAsReported

func NewFinancialsAsReported() *FinancialsAsReported

NewFinancialsAsReported instantiates a new FinancialsAsReported object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewFinancialsAsReportedWithDefaults

func NewFinancialsAsReportedWithDefaults() *FinancialsAsReported

NewFinancialsAsReportedWithDefaults instantiates a new FinancialsAsReported object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*FinancialsAsReported) GetCik

func (o *FinancialsAsReported) GetCik() string

GetCik returns the Cik field value if set, zero value otherwise.

func (*FinancialsAsReported) GetCikOk

func (o *FinancialsAsReported) GetCikOk() (*string, bool)

GetCikOk returns a tuple with the Cik field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FinancialsAsReported) GetData

func (o *FinancialsAsReported) GetData() []Report

GetData returns the Data field value if set, zero value otherwise.

func (*FinancialsAsReported) GetDataOk

func (o *FinancialsAsReported) GetDataOk() (*[]Report, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FinancialsAsReported) GetSymbol

func (o *FinancialsAsReported) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*FinancialsAsReported) GetSymbolOk

func (o *FinancialsAsReported) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FinancialsAsReported) HasCik

func (o *FinancialsAsReported) HasCik() bool

HasCik returns a boolean if a field has been set.

func (*FinancialsAsReported) HasData

func (o *FinancialsAsReported) HasData() bool

HasData returns a boolean if a field has been set.

func (*FinancialsAsReported) HasSymbol

func (o *FinancialsAsReported) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (FinancialsAsReported) MarshalJSON

func (o FinancialsAsReported) MarshalJSON() ([]byte, error)

func (*FinancialsAsReported) SetCik

func (o *FinancialsAsReported) SetCik(v string)

SetCik gets a reference to the given string and assigns it to the Cik field.

func (*FinancialsAsReported) SetData

func (o *FinancialsAsReported) SetData(v []Report)

SetData gets a reference to the given []Report and assigns it to the Data field.

func (*FinancialsAsReported) SetSymbol

func (o *FinancialsAsReported) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type ForexCandles

type ForexCandles struct {
	// List of open prices for returned candles.
	O *[]float32 `json:"o,omitempty"`
	// List of high prices for returned candles.
	H *[]float32 `json:"h,omitempty"`
	// List of low prices for returned candles.
	L *[]float32 `json:"l,omitempty"`
	// List of close prices for returned candles.
	C *[]float32 `json:"c,omitempty"`
	// List of volume data for returned candles.
	V *[]float32 `json:"v,omitempty"`
	// List of timestamp for returned candles.
	T *[]float32 `json:"t,omitempty"`
	// Status of the response. This field can either be ok or no_data.
	S *string `json:"s,omitempty"`
}

ForexCandles struct for ForexCandles

func NewForexCandles

func NewForexCandles() *ForexCandles

NewForexCandles instantiates a new ForexCandles object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewForexCandlesWithDefaults

func NewForexCandlesWithDefaults() *ForexCandles

NewForexCandlesWithDefaults instantiates a new ForexCandles object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ForexCandles) GetC

func (o *ForexCandles) GetC() []float32

GetC returns the C field value if set, zero value otherwise.

func (*ForexCandles) GetCOk

func (o *ForexCandles) GetCOk() (*[]float32, bool)

GetCOk returns a tuple with the C field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ForexCandles) GetH

func (o *ForexCandles) GetH() []float32

GetH returns the H field value if set, zero value otherwise.

func (*ForexCandles) GetHOk

func (o *ForexCandles) GetHOk() (*[]float32, bool)

GetHOk returns a tuple with the H field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ForexCandles) GetL

func (o *ForexCandles) GetL() []float32

GetL returns the L field value if set, zero value otherwise.

func (*ForexCandles) GetLOk

func (o *ForexCandles) GetLOk() (*[]float32, bool)

GetLOk returns a tuple with the L field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ForexCandles) GetO

func (o *ForexCandles) GetO() []float32

GetO returns the O field value if set, zero value otherwise.

func (*ForexCandles) GetOOk

func (o *ForexCandles) GetOOk() (*[]float32, bool)

GetOOk returns a tuple with the O field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ForexCandles) GetS

func (o *ForexCandles) GetS() string

GetS returns the S field value if set, zero value otherwise.

func (*ForexCandles) GetSOk

func (o *ForexCandles) GetSOk() (*string, bool)

GetSOk returns a tuple with the S field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ForexCandles) GetT

func (o *ForexCandles) GetT() []float32

GetT returns the T field value if set, zero value otherwise.

func (*ForexCandles) GetTOk

func (o *ForexCandles) GetTOk() (*[]float32, bool)

GetTOk returns a tuple with the T field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ForexCandles) GetV

func (o *ForexCandles) GetV() []float32

GetV returns the V field value if set, zero value otherwise.

func (*ForexCandles) GetVOk

func (o *ForexCandles) GetVOk() (*[]float32, bool)

GetVOk returns a tuple with the V field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ForexCandles) HasC

func (o *ForexCandles) HasC() bool

HasC returns a boolean if a field has been set.

func (*ForexCandles) HasH

func (o *ForexCandles) HasH() bool

HasH returns a boolean if a field has been set.

func (*ForexCandles) HasL

func (o *ForexCandles) HasL() bool

HasL returns a boolean if a field has been set.

func (*ForexCandles) HasO

func (o *ForexCandles) HasO() bool

HasO returns a boolean if a field has been set.

func (*ForexCandles) HasS

func (o *ForexCandles) HasS() bool

HasS returns a boolean if a field has been set.

func (*ForexCandles) HasT

func (o *ForexCandles) HasT() bool

HasT returns a boolean if a field has been set.

func (*ForexCandles) HasV

func (o *ForexCandles) HasV() bool

HasV returns a boolean if a field has been set.

func (ForexCandles) MarshalJSON

func (o ForexCandles) MarshalJSON() ([]byte, error)

func (*ForexCandles) SetC

func (o *ForexCandles) SetC(v []float32)

SetC gets a reference to the given []float32 and assigns it to the C field.

func (*ForexCandles) SetH

func (o *ForexCandles) SetH(v []float32)

SetH gets a reference to the given []float32 and assigns it to the H field.

func (*ForexCandles) SetL

func (o *ForexCandles) SetL(v []float32)

SetL gets a reference to the given []float32 and assigns it to the L field.

func (*ForexCandles) SetO

func (o *ForexCandles) SetO(v []float32)

SetO gets a reference to the given []float32 and assigns it to the O field.

func (*ForexCandles) SetS

func (o *ForexCandles) SetS(v string)

SetS gets a reference to the given string and assigns it to the S field.

func (*ForexCandles) SetT

func (o *ForexCandles) SetT(v []float32)

SetT gets a reference to the given []float32 and assigns it to the T field.

func (*ForexCandles) SetV

func (o *ForexCandles) SetV(v []float32)

SetV gets a reference to the given []float32 and assigns it to the V field.

type ForexSymbol

type ForexSymbol struct {
	// Symbol description
	Description *string `json:"description,omitempty"`
	// Display symbol name.
	DisplaySymbol *string `json:"displaySymbol,omitempty"`
	// Unique symbol used to identify this symbol used in <code>/forex/candle</code> endpoint.
	Symbol *string `json:"symbol,omitempty"`
}

ForexSymbol struct for ForexSymbol

func NewForexSymbol

func NewForexSymbol() *ForexSymbol

NewForexSymbol instantiates a new ForexSymbol object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewForexSymbolWithDefaults

func NewForexSymbolWithDefaults() *ForexSymbol

NewForexSymbolWithDefaults instantiates a new ForexSymbol object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ForexSymbol) GetDescription

func (o *ForexSymbol) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*ForexSymbol) GetDescriptionOk

func (o *ForexSymbol) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ForexSymbol) GetDisplaySymbol

func (o *ForexSymbol) GetDisplaySymbol() string

GetDisplaySymbol returns the DisplaySymbol field value if set, zero value otherwise.

func (*ForexSymbol) GetDisplaySymbolOk

func (o *ForexSymbol) GetDisplaySymbolOk() (*string, bool)

GetDisplaySymbolOk returns a tuple with the DisplaySymbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ForexSymbol) GetSymbol

func (o *ForexSymbol) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*ForexSymbol) GetSymbolOk

func (o *ForexSymbol) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ForexSymbol) HasDescription

func (o *ForexSymbol) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*ForexSymbol) HasDisplaySymbol

func (o *ForexSymbol) HasDisplaySymbol() bool

HasDisplaySymbol returns a boolean if a field has been set.

func (*ForexSymbol) HasSymbol

func (o *ForexSymbol) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (ForexSymbol) MarshalJSON

func (o ForexSymbol) MarshalJSON() ([]byte, error)

func (*ForexSymbol) SetDescription

func (o *ForexSymbol) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*ForexSymbol) SetDisplaySymbol

func (o *ForexSymbol) SetDisplaySymbol(v string)

SetDisplaySymbol gets a reference to the given string and assigns it to the DisplaySymbol field.

func (*ForexSymbol) SetSymbol

func (o *ForexSymbol) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type Forexrates

type Forexrates struct {
	// Base currency.
	Base  *string                 `json:"base,omitempty"`
	Quote *map[string]interface{} `json:"quote,omitempty"`
}

Forexrates struct for Forexrates

func NewForexrates

func NewForexrates() *Forexrates

NewForexrates instantiates a new Forexrates object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewForexratesWithDefaults

func NewForexratesWithDefaults() *Forexrates

NewForexratesWithDefaults instantiates a new Forexrates object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Forexrates) GetBase

func (o *Forexrates) GetBase() string

GetBase returns the Base field value if set, zero value otherwise.

func (*Forexrates) GetBaseOk

func (o *Forexrates) GetBaseOk() (*string, bool)

GetBaseOk returns a tuple with the Base field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Forexrates) GetQuote

func (o *Forexrates) GetQuote() map[string]interface{}

GetQuote returns the Quote field value if set, zero value otherwise.

func (*Forexrates) GetQuoteOk

func (o *Forexrates) GetQuoteOk() (*map[string]interface{}, bool)

GetQuoteOk returns a tuple with the Quote field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Forexrates) HasBase

func (o *Forexrates) HasBase() bool

HasBase returns a boolean if a field has been set.

func (*Forexrates) HasQuote

func (o *Forexrates) HasQuote() bool

HasQuote returns a boolean if a field has been set.

func (Forexrates) MarshalJSON

func (o Forexrates) MarshalJSON() ([]byte, error)

func (*Forexrates) SetBase

func (o *Forexrates) SetBase(v string)

SetBase gets a reference to the given string and assigns it to the Base field.

func (*Forexrates) SetQuote

func (o *Forexrates) SetQuote(v map[string]interface{})

SetQuote gets a reference to the given map[string]interface{} and assigns it to the Quote field.

type FundOwnership

type FundOwnership struct {
	// Symbol of the company.
	Symbol *string `json:"symbol,omitempty"`
	// Array of investors with detailed information about their holdings.
	Ownership *[]FundOwnershipInfo `json:"ownership,omitempty"`
}

FundOwnership struct for FundOwnership

func NewFundOwnership

func NewFundOwnership() *FundOwnership

NewFundOwnership instantiates a new FundOwnership object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewFundOwnershipWithDefaults

func NewFundOwnershipWithDefaults() *FundOwnership

NewFundOwnershipWithDefaults instantiates a new FundOwnership object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*FundOwnership) GetOwnership

func (o *FundOwnership) GetOwnership() []FundOwnershipInfo

GetOwnership returns the Ownership field value if set, zero value otherwise.

func (*FundOwnership) GetOwnershipOk

func (o *FundOwnership) GetOwnershipOk() (*[]FundOwnershipInfo, bool)

GetOwnershipOk returns a tuple with the Ownership field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FundOwnership) GetSymbol

func (o *FundOwnership) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*FundOwnership) GetSymbolOk

func (o *FundOwnership) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FundOwnership) HasOwnership

func (o *FundOwnership) HasOwnership() bool

HasOwnership returns a boolean if a field has been set.

func (*FundOwnership) HasSymbol

func (o *FundOwnership) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (FundOwnership) MarshalJSON

func (o FundOwnership) MarshalJSON() ([]byte, error)

func (*FundOwnership) SetOwnership

func (o *FundOwnership) SetOwnership(v []FundOwnershipInfo)

SetOwnership gets a reference to the given []FundOwnershipInfo and assigns it to the Ownership field.

func (*FundOwnership) SetSymbol

func (o *FundOwnership) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type FundOwnershipInfo

type FundOwnershipInfo struct {
	// Investor's name.
	Name *string `json:"name,omitempty"`
	// Number of shares held by the investor.
	Share *int64 `json:"share,omitempty"`
	// Number of share changed (net buy or sell) from the last period.
	Change *int64 `json:"change,omitempty"`
	// Filing date.
	FilingDate *string `json:"filingDate,omitempty"`
	// Percent of the fund's portfolio comprised of the company's share.
	PortfolioPercent *float32 `json:"portfolioPercent,omitempty"`
}

FundOwnershipInfo struct for FundOwnershipInfo

func NewFundOwnershipInfo

func NewFundOwnershipInfo() *FundOwnershipInfo

NewFundOwnershipInfo instantiates a new FundOwnershipInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewFundOwnershipInfoWithDefaults

func NewFundOwnershipInfoWithDefaults() *FundOwnershipInfo

NewFundOwnershipInfoWithDefaults instantiates a new FundOwnershipInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*FundOwnershipInfo) GetChange

func (o *FundOwnershipInfo) GetChange() int64

GetChange returns the Change field value if set, zero value otherwise.

func (*FundOwnershipInfo) GetChangeOk

func (o *FundOwnershipInfo) GetChangeOk() (*int64, bool)

GetChangeOk returns a tuple with the Change field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FundOwnershipInfo) GetFilingDate

func (o *FundOwnershipInfo) GetFilingDate() string

GetFilingDate returns the FilingDate field value if set, zero value otherwise.

func (*FundOwnershipInfo) GetFilingDateOk

func (o *FundOwnershipInfo) GetFilingDateOk() (*string, bool)

GetFilingDateOk returns a tuple with the FilingDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FundOwnershipInfo) GetName

func (o *FundOwnershipInfo) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*FundOwnershipInfo) GetNameOk

func (o *FundOwnershipInfo) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FundOwnershipInfo) GetPortfolioPercent

func (o *FundOwnershipInfo) GetPortfolioPercent() float32

GetPortfolioPercent returns the PortfolioPercent field value if set, zero value otherwise.

func (*FundOwnershipInfo) GetPortfolioPercentOk

func (o *FundOwnershipInfo) GetPortfolioPercentOk() (*float32, bool)

GetPortfolioPercentOk returns a tuple with the PortfolioPercent field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FundOwnershipInfo) GetShare

func (o *FundOwnershipInfo) GetShare() int64

GetShare returns the Share field value if set, zero value otherwise.

func (*FundOwnershipInfo) GetShareOk

func (o *FundOwnershipInfo) GetShareOk() (*int64, bool)

GetShareOk returns a tuple with the Share field value if set, nil otherwise and a boolean to check if the value has been set.

func (*FundOwnershipInfo) HasChange

func (o *FundOwnershipInfo) HasChange() bool

HasChange returns a boolean if a field has been set.

func (*FundOwnershipInfo) HasFilingDate

func (o *FundOwnershipInfo) HasFilingDate() bool

HasFilingDate returns a boolean if a field has been set.

func (*FundOwnershipInfo) HasName

func (o *FundOwnershipInfo) HasName() bool

HasName returns a boolean if a field has been set.

func (*FundOwnershipInfo) HasPortfolioPercent

func (o *FundOwnershipInfo) HasPortfolioPercent() bool

HasPortfolioPercent returns a boolean if a field has been set.

func (*FundOwnershipInfo) HasShare

func (o *FundOwnershipInfo) HasShare() bool

HasShare returns a boolean if a field has been set.

func (FundOwnershipInfo) MarshalJSON

func (o FundOwnershipInfo) MarshalJSON() ([]byte, error)

func (*FundOwnershipInfo) SetChange

func (o *FundOwnershipInfo) SetChange(v int64)

SetChange gets a reference to the given int64 and assigns it to the Change field.

func (*FundOwnershipInfo) SetFilingDate

func (o *FundOwnershipInfo) SetFilingDate(v string)

SetFilingDate gets a reference to the given string and assigns it to the FilingDate field.

func (*FundOwnershipInfo) SetName

func (o *FundOwnershipInfo) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*FundOwnershipInfo) SetPortfolioPercent

func (o *FundOwnershipInfo) SetPortfolioPercent(v float32)

SetPortfolioPercent gets a reference to the given float32 and assigns it to the PortfolioPercent field.

func (*FundOwnershipInfo) SetShare

func (o *FundOwnershipInfo) SetShare(v int64)

SetShare gets a reference to the given int64 and assigns it to the Share field.

type GenericOpenAPIError

type GenericOpenAPIError struct {
	// contains filtered or unexported fields
}

GenericOpenAPIError Provides access to the body, error and model on returned errors.

func (GenericOpenAPIError) Body

func (e GenericOpenAPIError) Body() []byte

Body returns the raw bytes of the response

func (GenericOpenAPIError) Error

func (e GenericOpenAPIError) Error() string

Error returns non-empty string if there was an error.

func (GenericOpenAPIError) Model

func (e GenericOpenAPIError) Model() interface{}

Model returns the unpacked model of the error

type HistoricalNBBO

type HistoricalNBBO struct {
	// Symbol.
	S *string `json:"s,omitempty"`
	// Number of ticks skipped.
	Skip *int64 `json:"skip,omitempty"`
	// Number of ticks returned. If <code>count</code> < <code>limit</code>, all data for that date has been returned.
	Count *int64 `json:"count,omitempty"`
	// Total number of ticks for that date.
	Total *int64 `json:"total,omitempty"`
	// List of Ask volume data.
	Av *[]float32 `json:"av,omitempty"`
	// List of Ask price data.
	A *[]float32 `json:"a,omitempty"`
	// List of venues/exchanges - Ask price. A list of exchange codes can be found <a target=\"_blank\" href=\"https://docs.google.com/spreadsheets/d/1Tj53M1svmr-hfEtbk6_NpVR1yAyGLMaH6ByYU6CG0ZY/edit?usp=sharing\",>here</a>
	Ax *[]string `json:"ax,omitempty"`
	// List of Bid volume data.
	Bv *[]float32 `json:"bv,omitempty"`
	// List of Bid price data.
	B *[]float32 `json:"b,omitempty"`
	// List of venues/exchanges - Bid price. A list of exchange codes can be found <a target=\"_blank\" href=\"https://docs.google.com/spreadsheets/d/1Tj53M1svmr-hfEtbk6_NpVR1yAyGLMaH6ByYU6CG0ZY/edit?usp=sharing\",>here</a>
	Bx *[]string `json:"bx,omitempty"`
	// List of timestamp in UNIX ms.
	T *[]int64 `json:"t,omitempty"`
	// List of quote conditions. A comprehensive list of quote conditions code can be found <a target=\"_blank\" href=\"https://docs.google.com/spreadsheets/d/1iiA6e7Osdtai0oPMOUzgAIKXCsay89dFDmsegz6OpEg/edit?usp=sharing\">here</a>
	C *[][]string `json:"c,omitempty"`
}

HistoricalNBBO struct for HistoricalNBBO

func NewHistoricalNBBO

func NewHistoricalNBBO() *HistoricalNBBO

NewHistoricalNBBO instantiates a new HistoricalNBBO object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewHistoricalNBBOWithDefaults

func NewHistoricalNBBOWithDefaults() *HistoricalNBBO

NewHistoricalNBBOWithDefaults instantiates a new HistoricalNBBO object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*HistoricalNBBO) GetA

func (o *HistoricalNBBO) GetA() []float32

GetA returns the A field value if set, zero value otherwise.

func (*HistoricalNBBO) GetAOk

func (o *HistoricalNBBO) GetAOk() (*[]float32, bool)

GetAOk returns a tuple with the A field value if set, nil otherwise and a boolean to check if the value has been set.

func (*HistoricalNBBO) GetAv

func (o *HistoricalNBBO) GetAv() []float32

GetAv returns the Av field value if set, zero value otherwise.

func (*HistoricalNBBO) GetAvOk

func (o *HistoricalNBBO) GetAvOk() (*[]float32, bool)

GetAvOk returns a tuple with the Av field value if set, nil otherwise and a boolean to check if the value has been set.

func (*HistoricalNBBO) GetAx

func (o *HistoricalNBBO) GetAx() []string

GetAx returns the Ax field value if set, zero value otherwise.

func (*HistoricalNBBO) GetAxOk

func (o *HistoricalNBBO) GetAxOk() (*[]string, bool)

GetAxOk returns a tuple with the Ax field value if set, nil otherwise and a boolean to check if the value has been set.

func (*HistoricalNBBO) GetB

func (o *HistoricalNBBO) GetB() []float32

GetB returns the B field value if set, zero value otherwise.

func (*HistoricalNBBO) GetBOk

func (o *HistoricalNBBO) GetBOk() (*[]float32, bool)

GetBOk returns a tuple with the B field value if set, nil otherwise and a boolean to check if the value has been set.

func (*HistoricalNBBO) GetBv

func (o *HistoricalNBBO) GetBv() []float32

GetBv returns the Bv field value if set, zero value otherwise.

func (*HistoricalNBBO) GetBvOk

func (o *HistoricalNBBO) GetBvOk() (*[]float32, bool)

GetBvOk returns a tuple with the Bv field value if set, nil otherwise and a boolean to check if the value has been set.

func (*HistoricalNBBO) GetBx

func (o *HistoricalNBBO) GetBx() []string

GetBx returns the Bx field value if set, zero value otherwise.

func (*HistoricalNBBO) GetBxOk

func (o *HistoricalNBBO) GetBxOk() (*[]string, bool)

GetBxOk returns a tuple with the Bx field value if set, nil otherwise and a boolean to check if the value has been set.

func (*HistoricalNBBO) GetC

func (o *HistoricalNBBO) GetC() [][]string

GetC returns the C field value if set, zero value otherwise.

func (*HistoricalNBBO) GetCOk

func (o *HistoricalNBBO) GetCOk() (*[][]string, bool)

GetCOk returns a tuple with the C field value if set, nil otherwise and a boolean to check if the value has been set.

func (*HistoricalNBBO) GetCount

func (o *HistoricalNBBO) GetCount() int64

GetCount returns the Count field value if set, zero value otherwise.

func (*HistoricalNBBO) GetCountOk

func (o *HistoricalNBBO) GetCountOk() (*int64, bool)

GetCountOk returns a tuple with the Count field value if set, nil otherwise and a boolean to check if the value has been set.

func (*HistoricalNBBO) GetS

func (o *HistoricalNBBO) GetS() string

GetS returns the S field value if set, zero value otherwise.

func (*HistoricalNBBO) GetSOk

func (o *HistoricalNBBO) GetSOk() (*string, bool)

GetSOk returns a tuple with the S field value if set, nil otherwise and a boolean to check if the value has been set.

func (*HistoricalNBBO) GetSkip

func (o *HistoricalNBBO) GetSkip() int64

GetSkip returns the Skip field value if set, zero value otherwise.

func (*HistoricalNBBO) GetSkipOk

func (o *HistoricalNBBO) GetSkipOk() (*int64, bool)

GetSkipOk returns a tuple with the Skip field value if set, nil otherwise and a boolean to check if the value has been set.

func (*HistoricalNBBO) GetT

func (o *HistoricalNBBO) GetT() []int64

GetT returns the T field value if set, zero value otherwise.

func (*HistoricalNBBO) GetTOk

func (o *HistoricalNBBO) GetTOk() (*[]int64, bool)

GetTOk returns a tuple with the T field value if set, nil otherwise and a boolean to check if the value has been set.

func (*HistoricalNBBO) GetTotal

func (o *HistoricalNBBO) GetTotal() int64

GetTotal returns the Total field value if set, zero value otherwise.

func (*HistoricalNBBO) GetTotalOk

func (o *HistoricalNBBO) GetTotalOk() (*int64, bool)

GetTotalOk returns a tuple with the Total field value if set, nil otherwise and a boolean to check if the value has been set.

func (*HistoricalNBBO) HasA

func (o *HistoricalNBBO) HasA() bool

HasA returns a boolean if a field has been set.

func (*HistoricalNBBO) HasAv

func (o *HistoricalNBBO) HasAv() bool

HasAv returns a boolean if a field has been set.

func (*HistoricalNBBO) HasAx

func (o *HistoricalNBBO) HasAx() bool

HasAx returns a boolean if a field has been set.

func (*HistoricalNBBO) HasB

func (o *HistoricalNBBO) HasB() bool

HasB returns a boolean if a field has been set.

func (*HistoricalNBBO) HasBv

func (o *HistoricalNBBO) HasBv() bool

HasBv returns a boolean if a field has been set.

func (*HistoricalNBBO) HasBx

func (o *HistoricalNBBO) HasBx() bool

HasBx returns a boolean if a field has been set.

func (*HistoricalNBBO) HasC

func (o *HistoricalNBBO) HasC() bool

HasC returns a boolean if a field has been set.

func (*HistoricalNBBO) HasCount

func (o *HistoricalNBBO) HasCount() bool

HasCount returns a boolean if a field has been set.

func (*HistoricalNBBO) HasS

func (o *HistoricalNBBO) HasS() bool

HasS returns a boolean if a field has been set.

func (*HistoricalNBBO) HasSkip

func (o *HistoricalNBBO) HasSkip() bool

HasSkip returns a boolean if a field has been set.

func (*HistoricalNBBO) HasT

func (o *HistoricalNBBO) HasT() bool

HasT returns a boolean if a field has been set.

func (*HistoricalNBBO) HasTotal

func (o *HistoricalNBBO) HasTotal() bool

HasTotal returns a boolean if a field has been set.

func (HistoricalNBBO) MarshalJSON

func (o HistoricalNBBO) MarshalJSON() ([]byte, error)

func (*HistoricalNBBO) SetA

func (o *HistoricalNBBO) SetA(v []float32)

SetA gets a reference to the given []float32 and assigns it to the A field.

func (*HistoricalNBBO) SetAv

func (o *HistoricalNBBO) SetAv(v []float32)

SetAv gets a reference to the given []float32 and assigns it to the Av field.

func (*HistoricalNBBO) SetAx

func (o *HistoricalNBBO) SetAx(v []string)

SetAx gets a reference to the given []string and assigns it to the Ax field.

func (*HistoricalNBBO) SetB

func (o *HistoricalNBBO) SetB(v []float32)

SetB gets a reference to the given []float32 and assigns it to the B field.

func (*HistoricalNBBO) SetBv

func (o *HistoricalNBBO) SetBv(v []float32)

SetBv gets a reference to the given []float32 and assigns it to the Bv field.

func (*HistoricalNBBO) SetBx

func (o *HistoricalNBBO) SetBx(v []string)

SetBx gets a reference to the given []string and assigns it to the Bx field.

func (*HistoricalNBBO) SetC

func (o *HistoricalNBBO) SetC(v [][]string)

SetC gets a reference to the given [][]string and assigns it to the C field.

func (*HistoricalNBBO) SetCount

func (o *HistoricalNBBO) SetCount(v int64)

SetCount gets a reference to the given int64 and assigns it to the Count field.

func (*HistoricalNBBO) SetS

func (o *HistoricalNBBO) SetS(v string)

SetS gets a reference to the given string and assigns it to the S field.

func (*HistoricalNBBO) SetSkip

func (o *HistoricalNBBO) SetSkip(v int64)

SetSkip gets a reference to the given int64 and assigns it to the Skip field.

func (*HistoricalNBBO) SetT

func (o *HistoricalNBBO) SetT(v []int64)

SetT gets a reference to the given []int64 and assigns it to the T field.

func (*HistoricalNBBO) SetTotal

func (o *HistoricalNBBO) SetTotal(v int64)

SetTotal gets a reference to the given int64 and assigns it to the Total field.

type IPOCalendar

type IPOCalendar struct {
	// Array of IPO events.
	IpoCalendar *[]IPOEvent `json:"ipoCalendar,omitempty"`
}

IPOCalendar struct for IPOCalendar

func NewIPOCalendar

func NewIPOCalendar() *IPOCalendar

NewIPOCalendar instantiates a new IPOCalendar object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewIPOCalendarWithDefaults

func NewIPOCalendarWithDefaults() *IPOCalendar

NewIPOCalendarWithDefaults instantiates a new IPOCalendar object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*IPOCalendar) GetIpoCalendar

func (o *IPOCalendar) GetIpoCalendar() []IPOEvent

GetIpoCalendar returns the IpoCalendar field value if set, zero value otherwise.

func (*IPOCalendar) GetIpoCalendarOk

func (o *IPOCalendar) GetIpoCalendarOk() (*[]IPOEvent, bool)

GetIpoCalendarOk returns a tuple with the IpoCalendar field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IPOCalendar) HasIpoCalendar

func (o *IPOCalendar) HasIpoCalendar() bool

HasIpoCalendar returns a boolean if a field has been set.

func (IPOCalendar) MarshalJSON

func (o IPOCalendar) MarshalJSON() ([]byte, error)

func (*IPOCalendar) SetIpoCalendar

func (o *IPOCalendar) SetIpoCalendar(v []IPOEvent)

SetIpoCalendar gets a reference to the given []IPOEvent and assigns it to the IpoCalendar field.

type IPOEvent

type IPOEvent struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// IPO date.
	Date *string `json:"date,omitempty"`
	// Exchange.
	Exchange *string `json:"exchange,omitempty"`
	// Company's name.
	Name *string `json:"name,omitempty"`
	// IPO status. Can take 1 of the following values: <code>expected</code>,<code>priced</code>,<code>withdrawn</code>,<code>filed</code>
	Status *string `json:"status,omitempty"`
	// Projected price or price range.
	Price *string `json:"price,omitempty"`
	// Number of shares offered during the IPO.
	NumberOfShares *float32 `json:"numberOfShares,omitempty"`
	// Total shares value.
	TotalSharesValue *float32 `json:"totalSharesValue,omitempty"`
}

IPOEvent struct for IPOEvent

func NewIPOEvent

func NewIPOEvent() *IPOEvent

NewIPOEvent instantiates a new IPOEvent object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewIPOEventWithDefaults

func NewIPOEventWithDefaults() *IPOEvent

NewIPOEventWithDefaults instantiates a new IPOEvent object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*IPOEvent) GetDate

func (o *IPOEvent) GetDate() string

GetDate returns the Date field value if set, zero value otherwise.

func (*IPOEvent) GetDateOk

func (o *IPOEvent) GetDateOk() (*string, bool)

GetDateOk returns a tuple with the Date field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IPOEvent) GetExchange

func (o *IPOEvent) GetExchange() string

GetExchange returns the Exchange field value if set, zero value otherwise.

func (*IPOEvent) GetExchangeOk

func (o *IPOEvent) GetExchangeOk() (*string, bool)

GetExchangeOk returns a tuple with the Exchange field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IPOEvent) GetName

func (o *IPOEvent) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*IPOEvent) GetNameOk

func (o *IPOEvent) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IPOEvent) GetNumberOfShares

func (o *IPOEvent) GetNumberOfShares() float32

GetNumberOfShares returns the NumberOfShares field value if set, zero value otherwise.

func (*IPOEvent) GetNumberOfSharesOk

func (o *IPOEvent) GetNumberOfSharesOk() (*float32, bool)

GetNumberOfSharesOk returns a tuple with the NumberOfShares field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IPOEvent) GetPrice

func (o *IPOEvent) GetPrice() string

GetPrice returns the Price field value if set, zero value otherwise.

func (*IPOEvent) GetPriceOk

func (o *IPOEvent) GetPriceOk() (*string, bool)

GetPriceOk returns a tuple with the Price field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IPOEvent) GetStatus

func (o *IPOEvent) GetStatus() string

GetStatus returns the Status field value if set, zero value otherwise.

func (*IPOEvent) GetStatusOk

func (o *IPOEvent) GetStatusOk() (*string, bool)

GetStatusOk returns a tuple with the Status field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IPOEvent) GetSymbol

func (o *IPOEvent) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*IPOEvent) GetSymbolOk

func (o *IPOEvent) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IPOEvent) GetTotalSharesValue

func (o *IPOEvent) GetTotalSharesValue() float32

GetTotalSharesValue returns the TotalSharesValue field value if set, zero value otherwise.

func (*IPOEvent) GetTotalSharesValueOk

func (o *IPOEvent) GetTotalSharesValueOk() (*float32, bool)

GetTotalSharesValueOk returns a tuple with the TotalSharesValue field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IPOEvent) HasDate

func (o *IPOEvent) HasDate() bool

HasDate returns a boolean if a field has been set.

func (*IPOEvent) HasExchange

func (o *IPOEvent) HasExchange() bool

HasExchange returns a boolean if a field has been set.

func (*IPOEvent) HasName

func (o *IPOEvent) HasName() bool

HasName returns a boolean if a field has been set.

func (*IPOEvent) HasNumberOfShares

func (o *IPOEvent) HasNumberOfShares() bool

HasNumberOfShares returns a boolean if a field has been set.

func (*IPOEvent) HasPrice

func (o *IPOEvent) HasPrice() bool

HasPrice returns a boolean if a field has been set.

func (*IPOEvent) HasStatus

func (o *IPOEvent) HasStatus() bool

HasStatus returns a boolean if a field has been set.

func (*IPOEvent) HasSymbol

func (o *IPOEvent) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*IPOEvent) HasTotalSharesValue

func (o *IPOEvent) HasTotalSharesValue() bool

HasTotalSharesValue returns a boolean if a field has been set.

func (IPOEvent) MarshalJSON

func (o IPOEvent) MarshalJSON() ([]byte, error)

func (*IPOEvent) SetDate

func (o *IPOEvent) SetDate(v string)

SetDate gets a reference to the given string and assigns it to the Date field.

func (*IPOEvent) SetExchange

func (o *IPOEvent) SetExchange(v string)

SetExchange gets a reference to the given string and assigns it to the Exchange field.

func (*IPOEvent) SetName

func (o *IPOEvent) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*IPOEvent) SetNumberOfShares

func (o *IPOEvent) SetNumberOfShares(v float32)

SetNumberOfShares gets a reference to the given float32 and assigns it to the NumberOfShares field.

func (*IPOEvent) SetPrice

func (o *IPOEvent) SetPrice(v string)

SetPrice gets a reference to the given string and assigns it to the Price field.

func (*IPOEvent) SetStatus

func (o *IPOEvent) SetStatus(v string)

SetStatus gets a reference to the given string and assigns it to the Status field.

func (*IPOEvent) SetSymbol

func (o *IPOEvent) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*IPOEvent) SetTotalSharesValue

func (o *IPOEvent) SetTotalSharesValue(v float32)

SetTotalSharesValue gets a reference to the given float32 and assigns it to the TotalSharesValue field.

type InFilingResponse added in v2.0.16

type InFilingResponse struct {
	// Filing Id in Alpharesearch platform
	FilingId *string `json:"filingId,omitempty"`
	// Filing title
	Title *string `json:"title,omitempty"`
	// Id of the entity submitted the filing
	FilerId *string `json:"filerId,omitempty"`
	// List of symbol associate with this filing
	Symbol *map[string]interface{} `json:"symbol,omitempty"`
	// Filer name
	Name *string `json:"name,omitempty"`
	// Date the filing is submitted.
	AcceptanceDate *string `json:"acceptanceDate,omitempty"`
	// Date the filing is make available to the public
	FiledDate *string `json:"filedDate,omitempty"`
	// Date as which the filing is reported
	ReportDate *string `json:"reportDate,omitempty"`
	// Filing Form
	Form *string `json:"form,omitempty"`
	// Amendment
	Amend *bool `json:"amend,omitempty"`
	// Filing Source
	Source *string `json:"source,omitempty"`
	// Estimate number of page when printing
	PageCount *int32 `json:"pageCount,omitempty"`
	// Number of document in this filing
	DocumentCount *int32 `json:"documentCount,omitempty"`
	// Document for this filing.
	Documents *[]DocumentResponse `json:"documents,omitempty"`
}

InFilingResponse struct for InFilingResponse

func NewInFilingResponse added in v2.0.16

func NewInFilingResponse() *InFilingResponse

NewInFilingResponse instantiates a new InFilingResponse object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewInFilingResponseWithDefaults added in v2.0.16

func NewInFilingResponseWithDefaults() *InFilingResponse

NewInFilingResponseWithDefaults instantiates a new InFilingResponse object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*InFilingResponse) GetAcceptanceDate added in v2.0.16

func (o *InFilingResponse) GetAcceptanceDate() string

GetAcceptanceDate returns the AcceptanceDate field value if set, zero value otherwise.

func (*InFilingResponse) GetAcceptanceDateOk added in v2.0.16

func (o *InFilingResponse) GetAcceptanceDateOk() (*string, bool)

GetAcceptanceDateOk returns a tuple with the AcceptanceDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InFilingResponse) GetAmend added in v2.0.16

func (o *InFilingResponse) GetAmend() bool

GetAmend returns the Amend field value if set, zero value otherwise.

func (*InFilingResponse) GetAmendOk added in v2.0.16

func (o *InFilingResponse) GetAmendOk() (*bool, bool)

GetAmendOk returns a tuple with the Amend field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InFilingResponse) GetDocumentCount added in v2.0.16

func (o *InFilingResponse) GetDocumentCount() int32

GetDocumentCount returns the DocumentCount field value if set, zero value otherwise.

func (*InFilingResponse) GetDocumentCountOk added in v2.0.16

func (o *InFilingResponse) GetDocumentCountOk() (*int32, bool)

GetDocumentCountOk returns a tuple with the DocumentCount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InFilingResponse) GetDocuments added in v2.0.16

func (o *InFilingResponse) GetDocuments() []DocumentResponse

GetDocuments returns the Documents field value if set, zero value otherwise.

func (*InFilingResponse) GetDocumentsOk added in v2.0.16

func (o *InFilingResponse) GetDocumentsOk() (*[]DocumentResponse, bool)

GetDocumentsOk returns a tuple with the Documents field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InFilingResponse) GetFiledDate added in v2.0.16

func (o *InFilingResponse) GetFiledDate() string

GetFiledDate returns the FiledDate field value if set, zero value otherwise.

func (*InFilingResponse) GetFiledDateOk added in v2.0.16

func (o *InFilingResponse) GetFiledDateOk() (*string, bool)

GetFiledDateOk returns a tuple with the FiledDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InFilingResponse) GetFilerId added in v2.0.16

func (o *InFilingResponse) GetFilerId() string

GetFilerId returns the FilerId field value if set, zero value otherwise.

func (*InFilingResponse) GetFilerIdOk added in v2.0.16

func (o *InFilingResponse) GetFilerIdOk() (*string, bool)

GetFilerIdOk returns a tuple with the FilerId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InFilingResponse) GetFilingId added in v2.0.16

func (o *InFilingResponse) GetFilingId() string

GetFilingId returns the FilingId field value if set, zero value otherwise.

func (*InFilingResponse) GetFilingIdOk added in v2.0.16

func (o *InFilingResponse) GetFilingIdOk() (*string, bool)

GetFilingIdOk returns a tuple with the FilingId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InFilingResponse) GetForm added in v2.0.16

func (o *InFilingResponse) GetForm() string

GetForm returns the Form field value if set, zero value otherwise.

func (*InFilingResponse) GetFormOk added in v2.0.16

func (o *InFilingResponse) GetFormOk() (*string, bool)

GetFormOk returns a tuple with the Form field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InFilingResponse) GetName added in v2.0.16

func (o *InFilingResponse) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*InFilingResponse) GetNameOk added in v2.0.16

func (o *InFilingResponse) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InFilingResponse) GetPageCount added in v2.0.16

func (o *InFilingResponse) GetPageCount() int32

GetPageCount returns the PageCount field value if set, zero value otherwise.

func (*InFilingResponse) GetPageCountOk added in v2.0.16

func (o *InFilingResponse) GetPageCountOk() (*int32, bool)

GetPageCountOk returns a tuple with the PageCount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InFilingResponse) GetReportDate added in v2.0.16

func (o *InFilingResponse) GetReportDate() string

GetReportDate returns the ReportDate field value if set, zero value otherwise.

func (*InFilingResponse) GetReportDateOk added in v2.0.16

func (o *InFilingResponse) GetReportDateOk() (*string, bool)

GetReportDateOk returns a tuple with the ReportDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InFilingResponse) GetSource added in v2.0.16

func (o *InFilingResponse) GetSource() string

GetSource returns the Source field value if set, zero value otherwise.

func (*InFilingResponse) GetSourceOk added in v2.0.16

func (o *InFilingResponse) GetSourceOk() (*string, bool)

GetSourceOk returns a tuple with the Source field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InFilingResponse) GetSymbol added in v2.0.16

func (o *InFilingResponse) GetSymbol() map[string]interface{}

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*InFilingResponse) GetSymbolOk added in v2.0.16

func (o *InFilingResponse) GetSymbolOk() (*map[string]interface{}, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InFilingResponse) GetTitle added in v2.0.16

func (o *InFilingResponse) GetTitle() string

GetTitle returns the Title field value if set, zero value otherwise.

func (*InFilingResponse) GetTitleOk added in v2.0.16

func (o *InFilingResponse) GetTitleOk() (*string, bool)

GetTitleOk returns a tuple with the Title field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InFilingResponse) HasAcceptanceDate added in v2.0.16

func (o *InFilingResponse) HasAcceptanceDate() bool

HasAcceptanceDate returns a boolean if a field has been set.

func (*InFilingResponse) HasAmend added in v2.0.16

func (o *InFilingResponse) HasAmend() bool

HasAmend returns a boolean if a field has been set.

func (*InFilingResponse) HasDocumentCount added in v2.0.16

func (o *InFilingResponse) HasDocumentCount() bool

HasDocumentCount returns a boolean if a field has been set.

func (*InFilingResponse) HasDocuments added in v2.0.16

func (o *InFilingResponse) HasDocuments() bool

HasDocuments returns a boolean if a field has been set.

func (*InFilingResponse) HasFiledDate added in v2.0.16

func (o *InFilingResponse) HasFiledDate() bool

HasFiledDate returns a boolean if a field has been set.

func (*InFilingResponse) HasFilerId added in v2.0.16

func (o *InFilingResponse) HasFilerId() bool

HasFilerId returns a boolean if a field has been set.

func (*InFilingResponse) HasFilingId added in v2.0.16

func (o *InFilingResponse) HasFilingId() bool

HasFilingId returns a boolean if a field has been set.

func (*InFilingResponse) HasForm added in v2.0.16

func (o *InFilingResponse) HasForm() bool

HasForm returns a boolean if a field has been set.

func (*InFilingResponse) HasName added in v2.0.16

func (o *InFilingResponse) HasName() bool

HasName returns a boolean if a field has been set.

func (*InFilingResponse) HasPageCount added in v2.0.16

func (o *InFilingResponse) HasPageCount() bool

HasPageCount returns a boolean if a field has been set.

func (*InFilingResponse) HasReportDate added in v2.0.16

func (o *InFilingResponse) HasReportDate() bool

HasReportDate returns a boolean if a field has been set.

func (*InFilingResponse) HasSource added in v2.0.16

func (o *InFilingResponse) HasSource() bool

HasSource returns a boolean if a field has been set.

func (*InFilingResponse) HasSymbol added in v2.0.16

func (o *InFilingResponse) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*InFilingResponse) HasTitle added in v2.0.16

func (o *InFilingResponse) HasTitle() bool

HasTitle returns a boolean if a field has been set.

func (InFilingResponse) MarshalJSON added in v2.0.16

func (o InFilingResponse) MarshalJSON() ([]byte, error)

func (*InFilingResponse) SetAcceptanceDate added in v2.0.16

func (o *InFilingResponse) SetAcceptanceDate(v string)

SetAcceptanceDate gets a reference to the given string and assigns it to the AcceptanceDate field.

func (*InFilingResponse) SetAmend added in v2.0.16

func (o *InFilingResponse) SetAmend(v bool)

SetAmend gets a reference to the given bool and assigns it to the Amend field.

func (*InFilingResponse) SetDocumentCount added in v2.0.16

func (o *InFilingResponse) SetDocumentCount(v int32)

SetDocumentCount gets a reference to the given int32 and assigns it to the DocumentCount field.

func (*InFilingResponse) SetDocuments added in v2.0.16

func (o *InFilingResponse) SetDocuments(v []DocumentResponse)

SetDocuments gets a reference to the given []DocumentResponse and assigns it to the Documents field.

func (*InFilingResponse) SetFiledDate added in v2.0.16

func (o *InFilingResponse) SetFiledDate(v string)

SetFiledDate gets a reference to the given string and assigns it to the FiledDate field.

func (*InFilingResponse) SetFilerId added in v2.0.16

func (o *InFilingResponse) SetFilerId(v string)

SetFilerId gets a reference to the given string and assigns it to the FilerId field.

func (*InFilingResponse) SetFilingId added in v2.0.16

func (o *InFilingResponse) SetFilingId(v string)

SetFilingId gets a reference to the given string and assigns it to the FilingId field.

func (*InFilingResponse) SetForm added in v2.0.16

func (o *InFilingResponse) SetForm(v string)

SetForm gets a reference to the given string and assigns it to the Form field.

func (*InFilingResponse) SetName added in v2.0.16

func (o *InFilingResponse) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*InFilingResponse) SetPageCount added in v2.0.16

func (o *InFilingResponse) SetPageCount(v int32)

SetPageCount gets a reference to the given int32 and assigns it to the PageCount field.

func (*InFilingResponse) SetReportDate added in v2.0.16

func (o *InFilingResponse) SetReportDate(v string)

SetReportDate gets a reference to the given string and assigns it to the ReportDate field.

func (*InFilingResponse) SetSource added in v2.0.16

func (o *InFilingResponse) SetSource(v string)

SetSource gets a reference to the given string and assigns it to the Source field.

func (*InFilingResponse) SetSymbol added in v2.0.16

func (o *InFilingResponse) SetSymbol(v map[string]interface{})

SetSymbol gets a reference to the given map[string]interface{} and assigns it to the Symbol field.

func (*InFilingResponse) SetTitle added in v2.0.16

func (o *InFilingResponse) SetTitle(v string)

SetTitle gets a reference to the given string and assigns it to the Title field.

type InFilingSearchBody added in v2.0.16

type InFilingSearchBody struct {
	// Search query
	Query string `json:"query"`
	// Filing Id to search
	FilingId string `json:"filingId"`
}

InFilingSearchBody struct for InFilingSearchBody

func NewInFilingSearchBody added in v2.0.16

func NewInFilingSearchBody(query string, filingId string) *InFilingSearchBody

NewInFilingSearchBody instantiates a new InFilingSearchBody object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewInFilingSearchBodyWithDefaults added in v2.0.16

func NewInFilingSearchBodyWithDefaults() *InFilingSearchBody

NewInFilingSearchBodyWithDefaults instantiates a new InFilingSearchBody object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*InFilingSearchBody) GetFilingId added in v2.0.16

func (o *InFilingSearchBody) GetFilingId() string

GetFilingId returns the FilingId field value

func (*InFilingSearchBody) GetFilingIdOk added in v2.0.16

func (o *InFilingSearchBody) GetFilingIdOk() (*string, bool)

GetFilingIdOk returns a tuple with the FilingId field value and a boolean to check if the value has been set.

func (*InFilingSearchBody) GetQuery added in v2.0.16

func (o *InFilingSearchBody) GetQuery() string

GetQuery returns the Query field value

func (*InFilingSearchBody) GetQueryOk added in v2.0.16

func (o *InFilingSearchBody) GetQueryOk() (*string, bool)

GetQueryOk returns a tuple with the Query field value and a boolean to check if the value has been set.

func (InFilingSearchBody) MarshalJSON added in v2.0.16

func (o InFilingSearchBody) MarshalJSON() ([]byte, error)

func (*InFilingSearchBody) SetFilingId added in v2.0.16

func (o *InFilingSearchBody) SetFilingId(v string)

SetFilingId sets field value

func (*InFilingSearchBody) SetQuery added in v2.0.16

func (o *InFilingSearchBody) SetQuery(v string)

SetQuery sets field value

type IndexHistoricalConstituent

type IndexHistoricalConstituent struct {
	// Symbol
	Symbol *string `json:"symbol,omitempty"`
	// <code>add</code> or <code>remove</code>.
	Action *string `json:"action,omitempty"`
	// Date of joining or leaving the index.
	Date *string `json:"date,omitempty"`
}

IndexHistoricalConstituent struct for IndexHistoricalConstituent

func NewIndexHistoricalConstituent

func NewIndexHistoricalConstituent() *IndexHistoricalConstituent

NewIndexHistoricalConstituent instantiates a new IndexHistoricalConstituent object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewIndexHistoricalConstituentWithDefaults

func NewIndexHistoricalConstituentWithDefaults() *IndexHistoricalConstituent

NewIndexHistoricalConstituentWithDefaults instantiates a new IndexHistoricalConstituent object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*IndexHistoricalConstituent) GetAction

func (o *IndexHistoricalConstituent) GetAction() string

GetAction returns the Action field value if set, zero value otherwise.

func (*IndexHistoricalConstituent) GetActionOk

func (o *IndexHistoricalConstituent) GetActionOk() (*string, bool)

GetActionOk returns a tuple with the Action field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IndexHistoricalConstituent) GetDate

func (o *IndexHistoricalConstituent) GetDate() string

GetDate returns the Date field value if set, zero value otherwise.

func (*IndexHistoricalConstituent) GetDateOk

func (o *IndexHistoricalConstituent) GetDateOk() (*string, bool)

GetDateOk returns a tuple with the Date field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IndexHistoricalConstituent) GetSymbol

func (o *IndexHistoricalConstituent) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*IndexHistoricalConstituent) GetSymbolOk

func (o *IndexHistoricalConstituent) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IndexHistoricalConstituent) HasAction

func (o *IndexHistoricalConstituent) HasAction() bool

HasAction returns a boolean if a field has been set.

func (*IndexHistoricalConstituent) HasDate

func (o *IndexHistoricalConstituent) HasDate() bool

HasDate returns a boolean if a field has been set.

func (*IndexHistoricalConstituent) HasSymbol

func (o *IndexHistoricalConstituent) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (IndexHistoricalConstituent) MarshalJSON

func (o IndexHistoricalConstituent) MarshalJSON() ([]byte, error)

func (*IndexHistoricalConstituent) SetAction

func (o *IndexHistoricalConstituent) SetAction(v string)

SetAction gets a reference to the given string and assigns it to the Action field.

func (*IndexHistoricalConstituent) SetDate

func (o *IndexHistoricalConstituent) SetDate(v string)

SetDate gets a reference to the given string and assigns it to the Date field.

func (*IndexHistoricalConstituent) SetSymbol

func (o *IndexHistoricalConstituent) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type Indicator

type Indicator struct {
	// Number of buy signals
	Buy *int64 `json:"buy,omitempty"`
	// Number of neutral signals
	Neutral *int64 `json:"neutral,omitempty"`
	// Number of sell signals
	Sell *int64 `json:"sell,omitempty"`
}

Indicator struct for Indicator

func NewIndicator

func NewIndicator() *Indicator

NewIndicator instantiates a new Indicator object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewIndicatorWithDefaults

func NewIndicatorWithDefaults() *Indicator

NewIndicatorWithDefaults instantiates a new Indicator object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Indicator) GetBuy

func (o *Indicator) GetBuy() int64

GetBuy returns the Buy field value if set, zero value otherwise.

func (*Indicator) GetBuyOk

func (o *Indicator) GetBuyOk() (*int64, bool)

GetBuyOk returns a tuple with the Buy field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Indicator) GetNeutral

func (o *Indicator) GetNeutral() int64

GetNeutral returns the Neutral field value if set, zero value otherwise.

func (*Indicator) GetNeutralOk

func (o *Indicator) GetNeutralOk() (*int64, bool)

GetNeutralOk returns a tuple with the Neutral field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Indicator) GetSell

func (o *Indicator) GetSell() int64

GetSell returns the Sell field value if set, zero value otherwise.

func (*Indicator) GetSellOk

func (o *Indicator) GetSellOk() (*int64, bool)

GetSellOk returns a tuple with the Sell field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Indicator) HasBuy

func (o *Indicator) HasBuy() bool

HasBuy returns a boolean if a field has been set.

func (*Indicator) HasNeutral

func (o *Indicator) HasNeutral() bool

HasNeutral returns a boolean if a field has been set.

func (*Indicator) HasSell

func (o *Indicator) HasSell() bool

HasSell returns a boolean if a field has been set.

func (Indicator) MarshalJSON

func (o Indicator) MarshalJSON() ([]byte, error)

func (*Indicator) SetBuy

func (o *Indicator) SetBuy(v int64)

SetBuy gets a reference to the given int64 and assigns it to the Buy field.

func (*Indicator) SetNeutral

func (o *Indicator) SetNeutral(v int64)

SetNeutral gets a reference to the given int64 and assigns it to the Neutral field.

func (*Indicator) SetSell

func (o *Indicator) SetSell(v int64)

SetSell gets a reference to the given int64 and assigns it to the Sell field.

type IndicesConstituents

type IndicesConstituents struct {
	// Index's symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Array of constituents.
	Constituents *[]string `json:"constituents,omitempty"`
	// Array of constituents' details.
	ConstituentsBreakdown *[]IndicesConstituentsBreakdown `json:"constituentsBreakdown,omitempty"`
}

IndicesConstituents struct for IndicesConstituents

func NewIndicesConstituents

func NewIndicesConstituents() *IndicesConstituents

NewIndicesConstituents instantiates a new IndicesConstituents object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewIndicesConstituentsWithDefaults

func NewIndicesConstituentsWithDefaults() *IndicesConstituents

NewIndicesConstituentsWithDefaults instantiates a new IndicesConstituents object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*IndicesConstituents) GetConstituents

func (o *IndicesConstituents) GetConstituents() []string

GetConstituents returns the Constituents field value if set, zero value otherwise.

func (*IndicesConstituents) GetConstituentsBreakdown added in v2.0.17

func (o *IndicesConstituents) GetConstituentsBreakdown() []IndicesConstituentsBreakdown

GetConstituentsBreakdown returns the ConstituentsBreakdown field value if set, zero value otherwise.

func (*IndicesConstituents) GetConstituentsBreakdownOk added in v2.0.17

func (o *IndicesConstituents) GetConstituentsBreakdownOk() (*[]IndicesConstituentsBreakdown, bool)

GetConstituentsBreakdownOk returns a tuple with the ConstituentsBreakdown field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IndicesConstituents) GetConstituentsOk

func (o *IndicesConstituents) GetConstituentsOk() (*[]string, bool)

GetConstituentsOk returns a tuple with the Constituents field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IndicesConstituents) GetSymbol

func (o *IndicesConstituents) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*IndicesConstituents) GetSymbolOk

func (o *IndicesConstituents) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IndicesConstituents) HasConstituents

func (o *IndicesConstituents) HasConstituents() bool

HasConstituents returns a boolean if a field has been set.

func (*IndicesConstituents) HasConstituentsBreakdown added in v2.0.17

func (o *IndicesConstituents) HasConstituentsBreakdown() bool

HasConstituentsBreakdown returns a boolean if a field has been set.

func (*IndicesConstituents) HasSymbol

func (o *IndicesConstituents) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (IndicesConstituents) MarshalJSON

func (o IndicesConstituents) MarshalJSON() ([]byte, error)

func (*IndicesConstituents) SetConstituents

func (o *IndicesConstituents) SetConstituents(v []string)

SetConstituents gets a reference to the given []string and assigns it to the Constituents field.

func (*IndicesConstituents) SetConstituentsBreakdown added in v2.0.17

func (o *IndicesConstituents) SetConstituentsBreakdown(v []IndicesConstituentsBreakdown)

SetConstituentsBreakdown gets a reference to the given []IndicesConstituentsBreakdown and assigns it to the ConstituentsBreakdown field.

func (*IndicesConstituents) SetSymbol

func (o *IndicesConstituents) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type IndicesConstituentsBreakdown added in v2.0.17

type IndicesConstituentsBreakdown struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Name.
	Name *string `json:"name,omitempty"`
	// ISIN.
	Isin *string `json:"isin,omitempty"`
	// Cusip.
	Cusip *string `json:"cusip,omitempty"`
	// Global Share Class FIGI.
	ShareClassFIGI *string `json:"shareClassFIGI,omitempty"`
	// Weight.
	Weight *float32 `json:"weight,omitempty"`
}

IndicesConstituentsBreakdown struct for IndicesConstituentsBreakdown

func NewIndicesConstituentsBreakdown added in v2.0.17

func NewIndicesConstituentsBreakdown() *IndicesConstituentsBreakdown

NewIndicesConstituentsBreakdown instantiates a new IndicesConstituentsBreakdown object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewIndicesConstituentsBreakdownWithDefaults added in v2.0.17

func NewIndicesConstituentsBreakdownWithDefaults() *IndicesConstituentsBreakdown

NewIndicesConstituentsBreakdownWithDefaults instantiates a new IndicesConstituentsBreakdown object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*IndicesConstituentsBreakdown) GetCusip added in v2.0.17

func (o *IndicesConstituentsBreakdown) GetCusip() string

GetCusip returns the Cusip field value if set, zero value otherwise.

func (*IndicesConstituentsBreakdown) GetCusipOk added in v2.0.17

func (o *IndicesConstituentsBreakdown) GetCusipOk() (*string, bool)

GetCusipOk returns a tuple with the Cusip field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IndicesConstituentsBreakdown) GetIsin added in v2.0.17

func (o *IndicesConstituentsBreakdown) GetIsin() string

GetIsin returns the Isin field value if set, zero value otherwise.

func (*IndicesConstituentsBreakdown) GetIsinOk added in v2.0.17

func (o *IndicesConstituentsBreakdown) GetIsinOk() (*string, bool)

GetIsinOk returns a tuple with the Isin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IndicesConstituentsBreakdown) GetName added in v2.0.17

func (o *IndicesConstituentsBreakdown) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*IndicesConstituentsBreakdown) GetNameOk added in v2.0.17

func (o *IndicesConstituentsBreakdown) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IndicesConstituentsBreakdown) GetShareClassFIGI added in v2.0.17

func (o *IndicesConstituentsBreakdown) GetShareClassFIGI() string

GetShareClassFIGI returns the ShareClassFIGI field value if set, zero value otherwise.

func (*IndicesConstituentsBreakdown) GetShareClassFIGIOk added in v2.0.17

func (o *IndicesConstituentsBreakdown) GetShareClassFIGIOk() (*string, bool)

GetShareClassFIGIOk returns a tuple with the ShareClassFIGI field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IndicesConstituentsBreakdown) GetSymbol added in v2.0.17

func (o *IndicesConstituentsBreakdown) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*IndicesConstituentsBreakdown) GetSymbolOk added in v2.0.17

func (o *IndicesConstituentsBreakdown) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IndicesConstituentsBreakdown) GetWeight added in v2.0.17

func (o *IndicesConstituentsBreakdown) GetWeight() float32

GetWeight returns the Weight field value if set, zero value otherwise.

func (*IndicesConstituentsBreakdown) GetWeightOk added in v2.0.17

func (o *IndicesConstituentsBreakdown) GetWeightOk() (*float32, bool)

GetWeightOk returns a tuple with the Weight field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IndicesConstituentsBreakdown) HasCusip added in v2.0.17

func (o *IndicesConstituentsBreakdown) HasCusip() bool

HasCusip returns a boolean if a field has been set.

func (*IndicesConstituentsBreakdown) HasIsin added in v2.0.17

func (o *IndicesConstituentsBreakdown) HasIsin() bool

HasIsin returns a boolean if a field has been set.

func (*IndicesConstituentsBreakdown) HasName added in v2.0.17

func (o *IndicesConstituentsBreakdown) HasName() bool

HasName returns a boolean if a field has been set.

func (*IndicesConstituentsBreakdown) HasShareClassFIGI added in v2.0.17

func (o *IndicesConstituentsBreakdown) HasShareClassFIGI() bool

HasShareClassFIGI returns a boolean if a field has been set.

func (*IndicesConstituentsBreakdown) HasSymbol added in v2.0.17

func (o *IndicesConstituentsBreakdown) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*IndicesConstituentsBreakdown) HasWeight added in v2.0.17

func (o *IndicesConstituentsBreakdown) HasWeight() bool

HasWeight returns a boolean if a field has been set.

func (IndicesConstituentsBreakdown) MarshalJSON added in v2.0.17

func (o IndicesConstituentsBreakdown) MarshalJSON() ([]byte, error)

func (*IndicesConstituentsBreakdown) SetCusip added in v2.0.17

func (o *IndicesConstituentsBreakdown) SetCusip(v string)

SetCusip gets a reference to the given string and assigns it to the Cusip field.

func (*IndicesConstituentsBreakdown) SetIsin added in v2.0.17

func (o *IndicesConstituentsBreakdown) SetIsin(v string)

SetIsin gets a reference to the given string and assigns it to the Isin field.

func (*IndicesConstituentsBreakdown) SetName added in v2.0.17

func (o *IndicesConstituentsBreakdown) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*IndicesConstituentsBreakdown) SetShareClassFIGI added in v2.0.17

func (o *IndicesConstituentsBreakdown) SetShareClassFIGI(v string)

SetShareClassFIGI gets a reference to the given string and assigns it to the ShareClassFIGI field.

func (*IndicesConstituentsBreakdown) SetSymbol added in v2.0.17

func (o *IndicesConstituentsBreakdown) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*IndicesConstituentsBreakdown) SetWeight added in v2.0.17

func (o *IndicesConstituentsBreakdown) SetWeight(v float32)

SetWeight gets a reference to the given float32 and assigns it to the Weight field.

type IndicesHistoricalConstituents

type IndicesHistoricalConstituents struct {
	// Index's symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Array of historical constituents.
	HistoricalConstituents *[]IndexHistoricalConstituent `json:"historicalConstituents,omitempty"`
}

IndicesHistoricalConstituents struct for IndicesHistoricalConstituents

func NewIndicesHistoricalConstituents

func NewIndicesHistoricalConstituents() *IndicesHistoricalConstituents

NewIndicesHistoricalConstituents instantiates a new IndicesHistoricalConstituents object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewIndicesHistoricalConstituentsWithDefaults

func NewIndicesHistoricalConstituentsWithDefaults() *IndicesHistoricalConstituents

NewIndicesHistoricalConstituentsWithDefaults instantiates a new IndicesHistoricalConstituents object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*IndicesHistoricalConstituents) GetHistoricalConstituents

func (o *IndicesHistoricalConstituents) GetHistoricalConstituents() []IndexHistoricalConstituent

GetHistoricalConstituents returns the HistoricalConstituents field value if set, zero value otherwise.

func (*IndicesHistoricalConstituents) GetHistoricalConstituentsOk

func (o *IndicesHistoricalConstituents) GetHistoricalConstituentsOk() (*[]IndexHistoricalConstituent, bool)

GetHistoricalConstituentsOk returns a tuple with the HistoricalConstituents field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IndicesHistoricalConstituents) GetSymbol

func (o *IndicesHistoricalConstituents) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*IndicesHistoricalConstituents) GetSymbolOk

func (o *IndicesHistoricalConstituents) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IndicesHistoricalConstituents) HasHistoricalConstituents

func (o *IndicesHistoricalConstituents) HasHistoricalConstituents() bool

HasHistoricalConstituents returns a boolean if a field has been set.

func (*IndicesHistoricalConstituents) HasSymbol

func (o *IndicesHistoricalConstituents) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (IndicesHistoricalConstituents) MarshalJSON

func (o IndicesHistoricalConstituents) MarshalJSON() ([]byte, error)

func (*IndicesHistoricalConstituents) SetHistoricalConstituents

func (o *IndicesHistoricalConstituents) SetHistoricalConstituents(v []IndexHistoricalConstituent)

SetHistoricalConstituents gets a reference to the given []IndexHistoricalConstituent and assigns it to the HistoricalConstituents field.

func (*IndicesHistoricalConstituents) SetSymbol

func (o *IndicesHistoricalConstituents) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type InsiderSentiments added in v2.0.11

type InsiderSentiments struct {
	// Symbol of the company.
	Symbol *string `json:"symbol,omitempty"`
	// Array of sentiment data.
	Data *[]InsiderSentimentsData `json:"data,omitempty"`
}

InsiderSentiments struct for InsiderSentiments

func NewInsiderSentiments added in v2.0.11

func NewInsiderSentiments() *InsiderSentiments

NewInsiderSentiments instantiates a new InsiderSentiments object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewInsiderSentimentsWithDefaults added in v2.0.11

func NewInsiderSentimentsWithDefaults() *InsiderSentiments

NewInsiderSentimentsWithDefaults instantiates a new InsiderSentiments object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*InsiderSentiments) GetData added in v2.0.11

GetData returns the Data field value if set, zero value otherwise.

func (*InsiderSentiments) GetDataOk added in v2.0.11

func (o *InsiderSentiments) GetDataOk() (*[]InsiderSentimentsData, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InsiderSentiments) GetSymbol added in v2.0.11

func (o *InsiderSentiments) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*InsiderSentiments) GetSymbolOk added in v2.0.11

func (o *InsiderSentiments) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InsiderSentiments) HasData added in v2.0.11

func (o *InsiderSentiments) HasData() bool

HasData returns a boolean if a field has been set.

func (*InsiderSentiments) HasSymbol added in v2.0.11

func (o *InsiderSentiments) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (InsiderSentiments) MarshalJSON added in v2.0.11

func (o InsiderSentiments) MarshalJSON() ([]byte, error)

func (*InsiderSentiments) SetData added in v2.0.11

func (o *InsiderSentiments) SetData(v []InsiderSentimentsData)

SetData gets a reference to the given []InsiderSentimentsData and assigns it to the Data field.

func (*InsiderSentiments) SetSymbol added in v2.0.11

func (o *InsiderSentiments) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type InsiderSentimentsData added in v2.0.11

type InsiderSentimentsData struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Year.
	Year *int64 `json:"year,omitempty"`
	// Month.
	Month *int64 `json:"month,omitempty"`
	// Net buying/selling from all insiders' transactions.
	Change *int64 `json:"change,omitempty"`
	// Monthly share purchase ratio.
	Mspr *float32 `json:"mspr,omitempty"`
}

InsiderSentimentsData struct for InsiderSentimentsData

func NewInsiderSentimentsData added in v2.0.11

func NewInsiderSentimentsData() *InsiderSentimentsData

NewInsiderSentimentsData instantiates a new InsiderSentimentsData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewInsiderSentimentsDataWithDefaults added in v2.0.11

func NewInsiderSentimentsDataWithDefaults() *InsiderSentimentsData

NewInsiderSentimentsDataWithDefaults instantiates a new InsiderSentimentsData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*InsiderSentimentsData) GetChange added in v2.0.11

func (o *InsiderSentimentsData) GetChange() int64

GetChange returns the Change field value if set, zero value otherwise.

func (*InsiderSentimentsData) GetChangeOk added in v2.0.11

func (o *InsiderSentimentsData) GetChangeOk() (*int64, bool)

GetChangeOk returns a tuple with the Change field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InsiderSentimentsData) GetMonth added in v2.0.11

func (o *InsiderSentimentsData) GetMonth() int64

GetMonth returns the Month field value if set, zero value otherwise.

func (*InsiderSentimentsData) GetMonthOk added in v2.0.11

func (o *InsiderSentimentsData) GetMonthOk() (*int64, bool)

GetMonthOk returns a tuple with the Month field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InsiderSentimentsData) GetMspr added in v2.0.11

func (o *InsiderSentimentsData) GetMspr() float32

GetMspr returns the Mspr field value if set, zero value otherwise.

func (*InsiderSentimentsData) GetMsprOk added in v2.0.11

func (o *InsiderSentimentsData) GetMsprOk() (*float32, bool)

GetMsprOk returns a tuple with the Mspr field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InsiderSentimentsData) GetSymbol added in v2.0.11

func (o *InsiderSentimentsData) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*InsiderSentimentsData) GetSymbolOk added in v2.0.11

func (o *InsiderSentimentsData) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InsiderSentimentsData) GetYear added in v2.0.11

func (o *InsiderSentimentsData) GetYear() int64

GetYear returns the Year field value if set, zero value otherwise.

func (*InsiderSentimentsData) GetYearOk added in v2.0.11

func (o *InsiderSentimentsData) GetYearOk() (*int64, bool)

GetYearOk returns a tuple with the Year field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InsiderSentimentsData) HasChange added in v2.0.11

func (o *InsiderSentimentsData) HasChange() bool

HasChange returns a boolean if a field has been set.

func (*InsiderSentimentsData) HasMonth added in v2.0.11

func (o *InsiderSentimentsData) HasMonth() bool

HasMonth returns a boolean if a field has been set.

func (*InsiderSentimentsData) HasMspr added in v2.0.11

func (o *InsiderSentimentsData) HasMspr() bool

HasMspr returns a boolean if a field has been set.

func (*InsiderSentimentsData) HasSymbol added in v2.0.11

func (o *InsiderSentimentsData) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*InsiderSentimentsData) HasYear added in v2.0.11

func (o *InsiderSentimentsData) HasYear() bool

HasYear returns a boolean if a field has been set.

func (InsiderSentimentsData) MarshalJSON added in v2.0.11

func (o InsiderSentimentsData) MarshalJSON() ([]byte, error)

func (*InsiderSentimentsData) SetChange added in v2.0.11

func (o *InsiderSentimentsData) SetChange(v int64)

SetChange gets a reference to the given int64 and assigns it to the Change field.

func (*InsiderSentimentsData) SetMonth added in v2.0.11

func (o *InsiderSentimentsData) SetMonth(v int64)

SetMonth gets a reference to the given int64 and assigns it to the Month field.

func (*InsiderSentimentsData) SetMspr added in v2.0.11

func (o *InsiderSentimentsData) SetMspr(v float32)

SetMspr gets a reference to the given float32 and assigns it to the Mspr field.

func (*InsiderSentimentsData) SetSymbol added in v2.0.11

func (o *InsiderSentimentsData) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*InsiderSentimentsData) SetYear added in v2.0.11

func (o *InsiderSentimentsData) SetYear(v int64)

SetYear gets a reference to the given int64 and assigns it to the Year field.

type InsiderTransactions

type InsiderTransactions struct {
	// Symbol of the company.
	Symbol *string `json:"symbol,omitempty"`
	// Array of insider transactions.
	Data *[]Transactions `json:"data,omitempty"`
}

InsiderTransactions struct for InsiderTransactions

func NewInsiderTransactions

func NewInsiderTransactions() *InsiderTransactions

NewInsiderTransactions instantiates a new InsiderTransactions object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewInsiderTransactionsWithDefaults

func NewInsiderTransactionsWithDefaults() *InsiderTransactions

NewInsiderTransactionsWithDefaults instantiates a new InsiderTransactions object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*InsiderTransactions) GetData

func (o *InsiderTransactions) GetData() []Transactions

GetData returns the Data field value if set, zero value otherwise.

func (*InsiderTransactions) GetDataOk

func (o *InsiderTransactions) GetDataOk() (*[]Transactions, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InsiderTransactions) GetSymbol

func (o *InsiderTransactions) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*InsiderTransactions) GetSymbolOk

func (o *InsiderTransactions) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InsiderTransactions) HasData

func (o *InsiderTransactions) HasData() bool

HasData returns a boolean if a field has been set.

func (*InsiderTransactions) HasSymbol

func (o *InsiderTransactions) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (InsiderTransactions) MarshalJSON

func (o InsiderTransactions) MarshalJSON() ([]byte, error)

func (*InsiderTransactions) SetData

func (o *InsiderTransactions) SetData(v []Transactions)

SetData gets a reference to the given []Transactions and assigns it to the Data field.

func (*InsiderTransactions) SetSymbol

func (o *InsiderTransactions) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type InstitutionalOwnership added in v2.0.15

type InstitutionalOwnership struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Cusip.
	Cusip *string `json:"cusip,omitempty"`
	// Array of institutional investors.
	Data *[]InstitutionalOwnershipGroup `json:"data,omitempty"`
}

InstitutionalOwnership struct for InstitutionalOwnership

func NewInstitutionalOwnership added in v2.0.15

func NewInstitutionalOwnership() *InstitutionalOwnership

NewInstitutionalOwnership instantiates a new InstitutionalOwnership object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewInstitutionalOwnershipWithDefaults added in v2.0.15

func NewInstitutionalOwnershipWithDefaults() *InstitutionalOwnership

NewInstitutionalOwnershipWithDefaults instantiates a new InstitutionalOwnership object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*InstitutionalOwnership) GetCusip added in v2.0.15

func (o *InstitutionalOwnership) GetCusip() string

GetCusip returns the Cusip field value if set, zero value otherwise.

func (*InstitutionalOwnership) GetCusipOk added in v2.0.15

func (o *InstitutionalOwnership) GetCusipOk() (*string, bool)

GetCusipOk returns a tuple with the Cusip field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalOwnership) GetData added in v2.0.15

GetData returns the Data field value if set, zero value otherwise.

func (*InstitutionalOwnership) GetDataOk added in v2.0.15

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalOwnership) GetSymbol added in v2.0.15

func (o *InstitutionalOwnership) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*InstitutionalOwnership) GetSymbolOk added in v2.0.15

func (o *InstitutionalOwnership) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalOwnership) HasCusip added in v2.0.15

func (o *InstitutionalOwnership) HasCusip() bool

HasCusip returns a boolean if a field has been set.

func (*InstitutionalOwnership) HasData added in v2.0.15

func (o *InstitutionalOwnership) HasData() bool

HasData returns a boolean if a field has been set.

func (*InstitutionalOwnership) HasSymbol added in v2.0.15

func (o *InstitutionalOwnership) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (InstitutionalOwnership) MarshalJSON added in v2.0.15

func (o InstitutionalOwnership) MarshalJSON() ([]byte, error)

func (*InstitutionalOwnership) SetCusip added in v2.0.15

func (o *InstitutionalOwnership) SetCusip(v string)

SetCusip gets a reference to the given string and assigns it to the Cusip field.

func (*InstitutionalOwnership) SetData added in v2.0.15

SetData gets a reference to the given []InstitutionalOwnershipGroup and assigns it to the Data field.

func (*InstitutionalOwnership) SetSymbol added in v2.0.15

func (o *InstitutionalOwnership) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type InstitutionalOwnershipGroup added in v2.0.15

type InstitutionalOwnershipGroup struct {
	// Report date.
	ReportDate *string `json:"reportDate,omitempty"`
	// Array of institutional investors.
	Ownership *[]InstitutionalOwnershipInfo `json:"ownership,omitempty"`
}

InstitutionalOwnershipGroup struct for InstitutionalOwnershipGroup

func NewInstitutionalOwnershipGroup added in v2.0.15

func NewInstitutionalOwnershipGroup() *InstitutionalOwnershipGroup

NewInstitutionalOwnershipGroup instantiates a new InstitutionalOwnershipGroup object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewInstitutionalOwnershipGroupWithDefaults added in v2.0.15

func NewInstitutionalOwnershipGroupWithDefaults() *InstitutionalOwnershipGroup

NewInstitutionalOwnershipGroupWithDefaults instantiates a new InstitutionalOwnershipGroup object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*InstitutionalOwnershipGroup) GetOwnership added in v2.0.15

GetOwnership returns the Ownership field value if set, zero value otherwise.

func (*InstitutionalOwnershipGroup) GetOwnershipOk added in v2.0.15

GetOwnershipOk returns a tuple with the Ownership field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalOwnershipGroup) GetReportDate added in v2.0.15

func (o *InstitutionalOwnershipGroup) GetReportDate() string

GetReportDate returns the ReportDate field value if set, zero value otherwise.

func (*InstitutionalOwnershipGroup) GetReportDateOk added in v2.0.15

func (o *InstitutionalOwnershipGroup) GetReportDateOk() (*string, bool)

GetReportDateOk returns a tuple with the ReportDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalOwnershipGroup) HasOwnership added in v2.0.15

func (o *InstitutionalOwnershipGroup) HasOwnership() bool

HasOwnership returns a boolean if a field has been set.

func (*InstitutionalOwnershipGroup) HasReportDate added in v2.0.15

func (o *InstitutionalOwnershipGroup) HasReportDate() bool

HasReportDate returns a boolean if a field has been set.

func (InstitutionalOwnershipGroup) MarshalJSON added in v2.0.15

func (o InstitutionalOwnershipGroup) MarshalJSON() ([]byte, error)

func (*InstitutionalOwnershipGroup) SetOwnership added in v2.0.15

SetOwnership gets a reference to the given []InstitutionalOwnershipInfo and assigns it to the Ownership field.

func (*InstitutionalOwnershipGroup) SetReportDate added in v2.0.15

func (o *InstitutionalOwnershipGroup) SetReportDate(v string)

SetReportDate gets a reference to the given string and assigns it to the ReportDate field.

type InstitutionalOwnershipInfo added in v2.0.15

type InstitutionalOwnershipInfo struct {
	// Investor's company CIK.
	Cik *string `json:"cik,omitempty"`
	// Firm's name.
	Name *string `json:"name,omitempty"`
	// <code>put</code> or <code>call</code> for options.
	PutCall *string `json:"putCall,omitempty"`
	// Number of shares change.
	Change *float32 `json:"change,omitempty"`
	// Number of shares with no voting rights.
	NoVoting *float32 `json:"noVoting,omitempty"`
	// Percentage of portfolio.
	Percentage *float32 `json:"percentage,omitempty"`
	// News score.
	Share *float32 `json:"share,omitempty"`
	// Number of shares with shared voting rights.
	SharedVoting *float32 `json:"sharedVoting,omitempty"`
	// Number of shares with sole voting rights.
	SoleVoting *float32 `json:"soleVoting,omitempty"`
	// Position value.
	Value *float32 `json:"value,omitempty"`
}

InstitutionalOwnershipInfo struct for InstitutionalOwnershipInfo

func NewInstitutionalOwnershipInfo added in v2.0.15

func NewInstitutionalOwnershipInfo() *InstitutionalOwnershipInfo

NewInstitutionalOwnershipInfo instantiates a new InstitutionalOwnershipInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewInstitutionalOwnershipInfoWithDefaults added in v2.0.15

func NewInstitutionalOwnershipInfoWithDefaults() *InstitutionalOwnershipInfo

NewInstitutionalOwnershipInfoWithDefaults instantiates a new InstitutionalOwnershipInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*InstitutionalOwnershipInfo) GetChange added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetChange() float32

GetChange returns the Change field value if set, zero value otherwise.

func (*InstitutionalOwnershipInfo) GetChangeOk added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetChangeOk() (*float32, bool)

GetChangeOk returns a tuple with the Change field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalOwnershipInfo) GetCik added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetCik() string

GetCik returns the Cik field value if set, zero value otherwise.

func (*InstitutionalOwnershipInfo) GetCikOk added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetCikOk() (*string, bool)

GetCikOk returns a tuple with the Cik field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalOwnershipInfo) GetName added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*InstitutionalOwnershipInfo) GetNameOk added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalOwnershipInfo) GetNoVoting added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetNoVoting() float32

GetNoVoting returns the NoVoting field value if set, zero value otherwise.

func (*InstitutionalOwnershipInfo) GetNoVotingOk added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetNoVotingOk() (*float32, bool)

GetNoVotingOk returns a tuple with the NoVoting field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalOwnershipInfo) GetPercentage added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetPercentage() float32

GetPercentage returns the Percentage field value if set, zero value otherwise.

func (*InstitutionalOwnershipInfo) GetPercentageOk added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetPercentageOk() (*float32, bool)

GetPercentageOk returns a tuple with the Percentage field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalOwnershipInfo) GetPutCall added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetPutCall() string

GetPutCall returns the PutCall field value if set, zero value otherwise.

func (*InstitutionalOwnershipInfo) GetPutCallOk added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetPutCallOk() (*string, bool)

GetPutCallOk returns a tuple with the PutCall field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalOwnershipInfo) GetShare added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetShare() float32

GetShare returns the Share field value if set, zero value otherwise.

func (*InstitutionalOwnershipInfo) GetShareOk added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetShareOk() (*float32, bool)

GetShareOk returns a tuple with the Share field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalOwnershipInfo) GetSharedVoting added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetSharedVoting() float32

GetSharedVoting returns the SharedVoting field value if set, zero value otherwise.

func (*InstitutionalOwnershipInfo) GetSharedVotingOk added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetSharedVotingOk() (*float32, bool)

GetSharedVotingOk returns a tuple with the SharedVoting field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalOwnershipInfo) GetSoleVoting added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetSoleVoting() float32

GetSoleVoting returns the SoleVoting field value if set, zero value otherwise.

func (*InstitutionalOwnershipInfo) GetSoleVotingOk added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetSoleVotingOk() (*float32, bool)

GetSoleVotingOk returns a tuple with the SoleVoting field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalOwnershipInfo) GetValue added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetValue() float32

GetValue returns the Value field value if set, zero value otherwise.

func (*InstitutionalOwnershipInfo) GetValueOk added in v2.0.15

func (o *InstitutionalOwnershipInfo) GetValueOk() (*float32, bool)

GetValueOk returns a tuple with the Value field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalOwnershipInfo) HasChange added in v2.0.15

func (o *InstitutionalOwnershipInfo) HasChange() bool

HasChange returns a boolean if a field has been set.

func (*InstitutionalOwnershipInfo) HasCik added in v2.0.15

func (o *InstitutionalOwnershipInfo) HasCik() bool

HasCik returns a boolean if a field has been set.

func (*InstitutionalOwnershipInfo) HasName added in v2.0.15

func (o *InstitutionalOwnershipInfo) HasName() bool

HasName returns a boolean if a field has been set.

func (*InstitutionalOwnershipInfo) HasNoVoting added in v2.0.15

func (o *InstitutionalOwnershipInfo) HasNoVoting() bool

HasNoVoting returns a boolean if a field has been set.

func (*InstitutionalOwnershipInfo) HasPercentage added in v2.0.15

func (o *InstitutionalOwnershipInfo) HasPercentage() bool

HasPercentage returns a boolean if a field has been set.

func (*InstitutionalOwnershipInfo) HasPutCall added in v2.0.15

func (o *InstitutionalOwnershipInfo) HasPutCall() bool

HasPutCall returns a boolean if a field has been set.

func (*InstitutionalOwnershipInfo) HasShare added in v2.0.15

func (o *InstitutionalOwnershipInfo) HasShare() bool

HasShare returns a boolean if a field has been set.

func (*InstitutionalOwnershipInfo) HasSharedVoting added in v2.0.15

func (o *InstitutionalOwnershipInfo) HasSharedVoting() bool

HasSharedVoting returns a boolean if a field has been set.

func (*InstitutionalOwnershipInfo) HasSoleVoting added in v2.0.15

func (o *InstitutionalOwnershipInfo) HasSoleVoting() bool

HasSoleVoting returns a boolean if a field has been set.

func (*InstitutionalOwnershipInfo) HasValue added in v2.0.15

func (o *InstitutionalOwnershipInfo) HasValue() bool

HasValue returns a boolean if a field has been set.

func (InstitutionalOwnershipInfo) MarshalJSON added in v2.0.15

func (o InstitutionalOwnershipInfo) MarshalJSON() ([]byte, error)

func (*InstitutionalOwnershipInfo) SetChange added in v2.0.15

func (o *InstitutionalOwnershipInfo) SetChange(v float32)

SetChange gets a reference to the given float32 and assigns it to the Change field.

func (*InstitutionalOwnershipInfo) SetCik added in v2.0.15

func (o *InstitutionalOwnershipInfo) SetCik(v string)

SetCik gets a reference to the given string and assigns it to the Cik field.

func (*InstitutionalOwnershipInfo) SetName added in v2.0.15

func (o *InstitutionalOwnershipInfo) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*InstitutionalOwnershipInfo) SetNoVoting added in v2.0.15

func (o *InstitutionalOwnershipInfo) SetNoVoting(v float32)

SetNoVoting gets a reference to the given float32 and assigns it to the NoVoting field.

func (*InstitutionalOwnershipInfo) SetPercentage added in v2.0.15

func (o *InstitutionalOwnershipInfo) SetPercentage(v float32)

SetPercentage gets a reference to the given float32 and assigns it to the Percentage field.

func (*InstitutionalOwnershipInfo) SetPutCall added in v2.0.15

func (o *InstitutionalOwnershipInfo) SetPutCall(v string)

SetPutCall gets a reference to the given string and assigns it to the PutCall field.

func (*InstitutionalOwnershipInfo) SetShare added in v2.0.15

func (o *InstitutionalOwnershipInfo) SetShare(v float32)

SetShare gets a reference to the given float32 and assigns it to the Share field.

func (*InstitutionalOwnershipInfo) SetSharedVoting added in v2.0.15

func (o *InstitutionalOwnershipInfo) SetSharedVoting(v float32)

SetSharedVoting gets a reference to the given float32 and assigns it to the SharedVoting field.

func (*InstitutionalOwnershipInfo) SetSoleVoting added in v2.0.15

func (o *InstitutionalOwnershipInfo) SetSoleVoting(v float32)

SetSoleVoting gets a reference to the given float32 and assigns it to the SoleVoting field.

func (*InstitutionalOwnershipInfo) SetValue added in v2.0.15

func (o *InstitutionalOwnershipInfo) SetValue(v float32)

SetValue gets a reference to the given float32 and assigns it to the Value field.

type InstitutionalPortfolio added in v2.0.15

type InstitutionalPortfolio struct {
	// Investor's name.
	Name *string `json:"name,omitempty"`
	// CIK.
	Cik *string `json:"cik,omitempty"`
	// Array of positions.
	Data *[]InstitutionalPortfolioGroup `json:"data,omitempty"`
}

InstitutionalPortfolio struct for InstitutionalPortfolio

func NewInstitutionalPortfolio added in v2.0.15

func NewInstitutionalPortfolio() *InstitutionalPortfolio

NewInstitutionalPortfolio instantiates a new InstitutionalPortfolio object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewInstitutionalPortfolioWithDefaults added in v2.0.15

func NewInstitutionalPortfolioWithDefaults() *InstitutionalPortfolio

NewInstitutionalPortfolioWithDefaults instantiates a new InstitutionalPortfolio object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*InstitutionalPortfolio) GetCik added in v2.0.15

func (o *InstitutionalPortfolio) GetCik() string

GetCik returns the Cik field value if set, zero value otherwise.

func (*InstitutionalPortfolio) GetCikOk added in v2.0.15

func (o *InstitutionalPortfolio) GetCikOk() (*string, bool)

GetCikOk returns a tuple with the Cik field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolio) GetData added in v2.0.15

GetData returns the Data field value if set, zero value otherwise.

func (*InstitutionalPortfolio) GetDataOk added in v2.0.15

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolio) GetName added in v2.0.15

func (o *InstitutionalPortfolio) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*InstitutionalPortfolio) GetNameOk added in v2.0.15

func (o *InstitutionalPortfolio) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolio) HasCik added in v2.0.15

func (o *InstitutionalPortfolio) HasCik() bool

HasCik returns a boolean if a field has been set.

func (*InstitutionalPortfolio) HasData added in v2.0.15

func (o *InstitutionalPortfolio) HasData() bool

HasData returns a boolean if a field has been set.

func (*InstitutionalPortfolio) HasName added in v2.0.15

func (o *InstitutionalPortfolio) HasName() bool

HasName returns a boolean if a field has been set.

func (InstitutionalPortfolio) MarshalJSON added in v2.0.15

func (o InstitutionalPortfolio) MarshalJSON() ([]byte, error)

func (*InstitutionalPortfolio) SetCik added in v2.0.15

func (o *InstitutionalPortfolio) SetCik(v string)

SetCik gets a reference to the given string and assigns it to the Cik field.

func (*InstitutionalPortfolio) SetData added in v2.0.15

SetData gets a reference to the given []InstitutionalPortfolioGroup and assigns it to the Data field.

func (*InstitutionalPortfolio) SetName added in v2.0.15

func (o *InstitutionalPortfolio) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

type InstitutionalPortfolioGroup added in v2.0.15

type InstitutionalPortfolioGroup struct {
	// Report date.
	ReportDate *string `json:"reportDate,omitempty"`
	// Filing date.
	FilingDate *string `json:"filingDate,omitempty"`
	// Array of positions.
	Portfolio *[]InstitutionalPortfolioInfo `json:"portfolio,omitempty"`
}

InstitutionalPortfolioGroup struct for InstitutionalPortfolioGroup

func NewInstitutionalPortfolioGroup added in v2.0.15

func NewInstitutionalPortfolioGroup() *InstitutionalPortfolioGroup

NewInstitutionalPortfolioGroup instantiates a new InstitutionalPortfolioGroup object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewInstitutionalPortfolioGroupWithDefaults added in v2.0.15

func NewInstitutionalPortfolioGroupWithDefaults() *InstitutionalPortfolioGroup

NewInstitutionalPortfolioGroupWithDefaults instantiates a new InstitutionalPortfolioGroup object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*InstitutionalPortfolioGroup) GetFilingDate added in v2.0.15

func (o *InstitutionalPortfolioGroup) GetFilingDate() string

GetFilingDate returns the FilingDate field value if set, zero value otherwise.

func (*InstitutionalPortfolioGroup) GetFilingDateOk added in v2.0.15

func (o *InstitutionalPortfolioGroup) GetFilingDateOk() (*string, bool)

GetFilingDateOk returns a tuple with the FilingDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolioGroup) GetPortfolio added in v2.0.15

GetPortfolio returns the Portfolio field value if set, zero value otherwise.

func (*InstitutionalPortfolioGroup) GetPortfolioOk added in v2.0.15

GetPortfolioOk returns a tuple with the Portfolio field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolioGroup) GetReportDate added in v2.0.15

func (o *InstitutionalPortfolioGroup) GetReportDate() string

GetReportDate returns the ReportDate field value if set, zero value otherwise.

func (*InstitutionalPortfolioGroup) GetReportDateOk added in v2.0.15

func (o *InstitutionalPortfolioGroup) GetReportDateOk() (*string, bool)

GetReportDateOk returns a tuple with the ReportDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolioGroup) HasFilingDate added in v2.0.15

func (o *InstitutionalPortfolioGroup) HasFilingDate() bool

HasFilingDate returns a boolean if a field has been set.

func (*InstitutionalPortfolioGroup) HasPortfolio added in v2.0.15

func (o *InstitutionalPortfolioGroup) HasPortfolio() bool

HasPortfolio returns a boolean if a field has been set.

func (*InstitutionalPortfolioGroup) HasReportDate added in v2.0.15

func (o *InstitutionalPortfolioGroup) HasReportDate() bool

HasReportDate returns a boolean if a field has been set.

func (InstitutionalPortfolioGroup) MarshalJSON added in v2.0.15

func (o InstitutionalPortfolioGroup) MarshalJSON() ([]byte, error)

func (*InstitutionalPortfolioGroup) SetFilingDate added in v2.0.15

func (o *InstitutionalPortfolioGroup) SetFilingDate(v string)

SetFilingDate gets a reference to the given string and assigns it to the FilingDate field.

func (*InstitutionalPortfolioGroup) SetPortfolio added in v2.0.15

SetPortfolio gets a reference to the given []InstitutionalPortfolioInfo and assigns it to the Portfolio field.

func (*InstitutionalPortfolioGroup) SetReportDate added in v2.0.15

func (o *InstitutionalPortfolioGroup) SetReportDate(v string)

SetReportDate gets a reference to the given string and assigns it to the ReportDate field.

type InstitutionalPortfolioInfo added in v2.0.15

type InstitutionalPortfolioInfo struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// CUSIP.
	Cusip *string `json:"cusip,omitempty"`
	// Position's name.
	Name *string `json:"name,omitempty"`
	// <code>put</code> or <code>call</code> for options.
	PutCall *string `json:"putCall,omitempty"`
	// Number of shares change.
	Change *float32 `json:"change,omitempty"`
	// Number of shares with no voting rights.
	NoVoting *float32 `json:"noVoting,omitempty"`
	// Percentage of portfolio.
	Percentage *float32 `json:"percentage,omitempty"`
	// Number of shares.
	Share *float32 `json:"share,omitempty"`
	// Number of shares with shared voting rights.
	SharedVoting *float32 `json:"sharedVoting,omitempty"`
	// Number of shares with sole voting rights.
	SoleVoting *float32 `json:"soleVoting,omitempty"`
	// Position value.
	Value *float32 `json:"value,omitempty"`
}

InstitutionalPortfolioInfo struct for InstitutionalPortfolioInfo

func NewInstitutionalPortfolioInfo added in v2.0.15

func NewInstitutionalPortfolioInfo() *InstitutionalPortfolioInfo

NewInstitutionalPortfolioInfo instantiates a new InstitutionalPortfolioInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewInstitutionalPortfolioInfoWithDefaults added in v2.0.15

func NewInstitutionalPortfolioInfoWithDefaults() *InstitutionalPortfolioInfo

NewInstitutionalPortfolioInfoWithDefaults instantiates a new InstitutionalPortfolioInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*InstitutionalPortfolioInfo) GetChange added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetChange() float32

GetChange returns the Change field value if set, zero value otherwise.

func (*InstitutionalPortfolioInfo) GetChangeOk added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetChangeOk() (*float32, bool)

GetChangeOk returns a tuple with the Change field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolioInfo) GetCusip added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetCusip() string

GetCusip returns the Cusip field value if set, zero value otherwise.

func (*InstitutionalPortfolioInfo) GetCusipOk added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetCusipOk() (*string, bool)

GetCusipOk returns a tuple with the Cusip field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolioInfo) GetName added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*InstitutionalPortfolioInfo) GetNameOk added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolioInfo) GetNoVoting added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetNoVoting() float32

GetNoVoting returns the NoVoting field value if set, zero value otherwise.

func (*InstitutionalPortfolioInfo) GetNoVotingOk added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetNoVotingOk() (*float32, bool)

GetNoVotingOk returns a tuple with the NoVoting field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolioInfo) GetPercentage added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetPercentage() float32

GetPercentage returns the Percentage field value if set, zero value otherwise.

func (*InstitutionalPortfolioInfo) GetPercentageOk added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetPercentageOk() (*float32, bool)

GetPercentageOk returns a tuple with the Percentage field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolioInfo) GetPutCall added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetPutCall() string

GetPutCall returns the PutCall field value if set, zero value otherwise.

func (*InstitutionalPortfolioInfo) GetPutCallOk added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetPutCallOk() (*string, bool)

GetPutCallOk returns a tuple with the PutCall field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolioInfo) GetShare added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetShare() float32

GetShare returns the Share field value if set, zero value otherwise.

func (*InstitutionalPortfolioInfo) GetShareOk added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetShareOk() (*float32, bool)

GetShareOk returns a tuple with the Share field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolioInfo) GetSharedVoting added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetSharedVoting() float32

GetSharedVoting returns the SharedVoting field value if set, zero value otherwise.

func (*InstitutionalPortfolioInfo) GetSharedVotingOk added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetSharedVotingOk() (*float32, bool)

GetSharedVotingOk returns a tuple with the SharedVoting field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolioInfo) GetSoleVoting added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetSoleVoting() float32

GetSoleVoting returns the SoleVoting field value if set, zero value otherwise.

func (*InstitutionalPortfolioInfo) GetSoleVotingOk added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetSoleVotingOk() (*float32, bool)

GetSoleVotingOk returns a tuple with the SoleVoting field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolioInfo) GetSymbol added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*InstitutionalPortfolioInfo) GetSymbolOk added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolioInfo) GetValue added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetValue() float32

GetValue returns the Value field value if set, zero value otherwise.

func (*InstitutionalPortfolioInfo) GetValueOk added in v2.0.15

func (o *InstitutionalPortfolioInfo) GetValueOk() (*float32, bool)

GetValueOk returns a tuple with the Value field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalPortfolioInfo) HasChange added in v2.0.15

func (o *InstitutionalPortfolioInfo) HasChange() bool

HasChange returns a boolean if a field has been set.

func (*InstitutionalPortfolioInfo) HasCusip added in v2.0.15

func (o *InstitutionalPortfolioInfo) HasCusip() bool

HasCusip returns a boolean if a field has been set.

func (*InstitutionalPortfolioInfo) HasName added in v2.0.15

func (o *InstitutionalPortfolioInfo) HasName() bool

HasName returns a boolean if a field has been set.

func (*InstitutionalPortfolioInfo) HasNoVoting added in v2.0.15

func (o *InstitutionalPortfolioInfo) HasNoVoting() bool

HasNoVoting returns a boolean if a field has been set.

func (*InstitutionalPortfolioInfo) HasPercentage added in v2.0.15

func (o *InstitutionalPortfolioInfo) HasPercentage() bool

HasPercentage returns a boolean if a field has been set.

func (*InstitutionalPortfolioInfo) HasPutCall added in v2.0.15

func (o *InstitutionalPortfolioInfo) HasPutCall() bool

HasPutCall returns a boolean if a field has been set.

func (*InstitutionalPortfolioInfo) HasShare added in v2.0.15

func (o *InstitutionalPortfolioInfo) HasShare() bool

HasShare returns a boolean if a field has been set.

func (*InstitutionalPortfolioInfo) HasSharedVoting added in v2.0.15

func (o *InstitutionalPortfolioInfo) HasSharedVoting() bool

HasSharedVoting returns a boolean if a field has been set.

func (*InstitutionalPortfolioInfo) HasSoleVoting added in v2.0.15

func (o *InstitutionalPortfolioInfo) HasSoleVoting() bool

HasSoleVoting returns a boolean if a field has been set.

func (*InstitutionalPortfolioInfo) HasSymbol added in v2.0.15

func (o *InstitutionalPortfolioInfo) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*InstitutionalPortfolioInfo) HasValue added in v2.0.15

func (o *InstitutionalPortfolioInfo) HasValue() bool

HasValue returns a boolean if a field has been set.

func (InstitutionalPortfolioInfo) MarshalJSON added in v2.0.15

func (o InstitutionalPortfolioInfo) MarshalJSON() ([]byte, error)

func (*InstitutionalPortfolioInfo) SetChange added in v2.0.15

func (o *InstitutionalPortfolioInfo) SetChange(v float32)

SetChange gets a reference to the given float32 and assigns it to the Change field.

func (*InstitutionalPortfolioInfo) SetCusip added in v2.0.15

func (o *InstitutionalPortfolioInfo) SetCusip(v string)

SetCusip gets a reference to the given string and assigns it to the Cusip field.

func (*InstitutionalPortfolioInfo) SetName added in v2.0.15

func (o *InstitutionalPortfolioInfo) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*InstitutionalPortfolioInfo) SetNoVoting added in v2.0.15

func (o *InstitutionalPortfolioInfo) SetNoVoting(v float32)

SetNoVoting gets a reference to the given float32 and assigns it to the NoVoting field.

func (*InstitutionalPortfolioInfo) SetPercentage added in v2.0.15

func (o *InstitutionalPortfolioInfo) SetPercentage(v float32)

SetPercentage gets a reference to the given float32 and assigns it to the Percentage field.

func (*InstitutionalPortfolioInfo) SetPutCall added in v2.0.15

func (o *InstitutionalPortfolioInfo) SetPutCall(v string)

SetPutCall gets a reference to the given string and assigns it to the PutCall field.

func (*InstitutionalPortfolioInfo) SetShare added in v2.0.15

func (o *InstitutionalPortfolioInfo) SetShare(v float32)

SetShare gets a reference to the given float32 and assigns it to the Share field.

func (*InstitutionalPortfolioInfo) SetSharedVoting added in v2.0.15

func (o *InstitutionalPortfolioInfo) SetSharedVoting(v float32)

SetSharedVoting gets a reference to the given float32 and assigns it to the SharedVoting field.

func (*InstitutionalPortfolioInfo) SetSoleVoting added in v2.0.15

func (o *InstitutionalPortfolioInfo) SetSoleVoting(v float32)

SetSoleVoting gets a reference to the given float32 and assigns it to the SoleVoting field.

func (*InstitutionalPortfolioInfo) SetSymbol added in v2.0.15

func (o *InstitutionalPortfolioInfo) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*InstitutionalPortfolioInfo) SetValue added in v2.0.15

func (o *InstitutionalPortfolioInfo) SetValue(v float32)

SetValue gets a reference to the given float32 and assigns it to the Value field.

type InstitutionalProfile added in v2.0.15

type InstitutionalProfile struct {
	// CIK.
	Cik *string `json:"cik,omitempty"`
	// Array of investors.
	Data *[]InstitutionalProfileInfo `json:"data,omitempty"`
}

InstitutionalProfile struct for InstitutionalProfile

func NewInstitutionalProfile added in v2.0.15

func NewInstitutionalProfile() *InstitutionalProfile

NewInstitutionalProfile instantiates a new InstitutionalProfile object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewInstitutionalProfileWithDefaults added in v2.0.15

func NewInstitutionalProfileWithDefaults() *InstitutionalProfile

NewInstitutionalProfileWithDefaults instantiates a new InstitutionalProfile object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*InstitutionalProfile) GetCik added in v2.0.15

func (o *InstitutionalProfile) GetCik() string

GetCik returns the Cik field value if set, zero value otherwise.

func (*InstitutionalProfile) GetCikOk added in v2.0.15

func (o *InstitutionalProfile) GetCikOk() (*string, bool)

GetCikOk returns a tuple with the Cik field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalProfile) GetData added in v2.0.15

GetData returns the Data field value if set, zero value otherwise.

func (*InstitutionalProfile) GetDataOk added in v2.0.15

func (o *InstitutionalProfile) GetDataOk() (*[]InstitutionalProfileInfo, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalProfile) HasCik added in v2.0.15

func (o *InstitutionalProfile) HasCik() bool

HasCik returns a boolean if a field has been set.

func (*InstitutionalProfile) HasData added in v2.0.15

func (o *InstitutionalProfile) HasData() bool

HasData returns a boolean if a field has been set.

func (InstitutionalProfile) MarshalJSON added in v2.0.15

func (o InstitutionalProfile) MarshalJSON() ([]byte, error)

func (*InstitutionalProfile) SetCik added in v2.0.15

func (o *InstitutionalProfile) SetCik(v string)

SetCik gets a reference to the given string and assigns it to the Cik field.

func (*InstitutionalProfile) SetData added in v2.0.15

SetData gets a reference to the given []InstitutionalProfileInfo and assigns it to the Data field.

type InstitutionalProfileInfo added in v2.0.15

type InstitutionalProfileInfo struct {
	// Investor's company CIK.
	Cik *string `json:"cik,omitempty"`
	// Firm type.
	FirmType *string `json:"firmType,omitempty"`
	// Manager.
	Manager *string `json:"manager,omitempty"`
	// Investing philosophy.
	Philosophy *string `json:"philosophy,omitempty"`
	// Profile info.
	Profile *string `json:"profile,omitempty"`
	// Profile image.
	ProfileImg *string `json:"profileImg,omitempty"`
}

InstitutionalProfileInfo struct for InstitutionalProfileInfo

func NewInstitutionalProfileInfo added in v2.0.15

func NewInstitutionalProfileInfo() *InstitutionalProfileInfo

NewInstitutionalProfileInfo instantiates a new InstitutionalProfileInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewInstitutionalProfileInfoWithDefaults added in v2.0.15

func NewInstitutionalProfileInfoWithDefaults() *InstitutionalProfileInfo

NewInstitutionalProfileInfoWithDefaults instantiates a new InstitutionalProfileInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*InstitutionalProfileInfo) GetCik added in v2.0.15

func (o *InstitutionalProfileInfo) GetCik() string

GetCik returns the Cik field value if set, zero value otherwise.

func (*InstitutionalProfileInfo) GetCikOk added in v2.0.15

func (o *InstitutionalProfileInfo) GetCikOk() (*string, bool)

GetCikOk returns a tuple with the Cik field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalProfileInfo) GetFirmType added in v2.0.15

func (o *InstitutionalProfileInfo) GetFirmType() string

GetFirmType returns the FirmType field value if set, zero value otherwise.

func (*InstitutionalProfileInfo) GetFirmTypeOk added in v2.0.15

func (o *InstitutionalProfileInfo) GetFirmTypeOk() (*string, bool)

GetFirmTypeOk returns a tuple with the FirmType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalProfileInfo) GetManager added in v2.0.15

func (o *InstitutionalProfileInfo) GetManager() string

GetManager returns the Manager field value if set, zero value otherwise.

func (*InstitutionalProfileInfo) GetManagerOk added in v2.0.15

func (o *InstitutionalProfileInfo) GetManagerOk() (*string, bool)

GetManagerOk returns a tuple with the Manager field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalProfileInfo) GetPhilosophy added in v2.0.15

func (o *InstitutionalProfileInfo) GetPhilosophy() string

GetPhilosophy returns the Philosophy field value if set, zero value otherwise.

func (*InstitutionalProfileInfo) GetPhilosophyOk added in v2.0.15

func (o *InstitutionalProfileInfo) GetPhilosophyOk() (*string, bool)

GetPhilosophyOk returns a tuple with the Philosophy field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalProfileInfo) GetProfile added in v2.0.15

func (o *InstitutionalProfileInfo) GetProfile() string

GetProfile returns the Profile field value if set, zero value otherwise.

func (*InstitutionalProfileInfo) GetProfileImg added in v2.0.15

func (o *InstitutionalProfileInfo) GetProfileImg() string

GetProfileImg returns the ProfileImg field value if set, zero value otherwise.

func (*InstitutionalProfileInfo) GetProfileImgOk added in v2.0.15

func (o *InstitutionalProfileInfo) GetProfileImgOk() (*string, bool)

GetProfileImgOk returns a tuple with the ProfileImg field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalProfileInfo) GetProfileOk added in v2.0.15

func (o *InstitutionalProfileInfo) GetProfileOk() (*string, bool)

GetProfileOk returns a tuple with the Profile field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InstitutionalProfileInfo) HasCik added in v2.0.15

func (o *InstitutionalProfileInfo) HasCik() bool

HasCik returns a boolean if a field has been set.

func (*InstitutionalProfileInfo) HasFirmType added in v2.0.15

func (o *InstitutionalProfileInfo) HasFirmType() bool

HasFirmType returns a boolean if a field has been set.

func (*InstitutionalProfileInfo) HasManager added in v2.0.15

func (o *InstitutionalProfileInfo) HasManager() bool

HasManager returns a boolean if a field has been set.

func (*InstitutionalProfileInfo) HasPhilosophy added in v2.0.15

func (o *InstitutionalProfileInfo) HasPhilosophy() bool

HasPhilosophy returns a boolean if a field has been set.

func (*InstitutionalProfileInfo) HasProfile added in v2.0.15

func (o *InstitutionalProfileInfo) HasProfile() bool

HasProfile returns a boolean if a field has been set.

func (*InstitutionalProfileInfo) HasProfileImg added in v2.0.15

func (o *InstitutionalProfileInfo) HasProfileImg() bool

HasProfileImg returns a boolean if a field has been set.

func (InstitutionalProfileInfo) MarshalJSON added in v2.0.15

func (o InstitutionalProfileInfo) MarshalJSON() ([]byte, error)

func (*InstitutionalProfileInfo) SetCik added in v2.0.15

func (o *InstitutionalProfileInfo) SetCik(v string)

SetCik gets a reference to the given string and assigns it to the Cik field.

func (*InstitutionalProfileInfo) SetFirmType added in v2.0.15

func (o *InstitutionalProfileInfo) SetFirmType(v string)

SetFirmType gets a reference to the given string and assigns it to the FirmType field.

func (*InstitutionalProfileInfo) SetManager added in v2.0.15

func (o *InstitutionalProfileInfo) SetManager(v string)

SetManager gets a reference to the given string and assigns it to the Manager field.

func (*InstitutionalProfileInfo) SetPhilosophy added in v2.0.15

func (o *InstitutionalProfileInfo) SetPhilosophy(v string)

SetPhilosophy gets a reference to the given string and assigns it to the Philosophy field.

func (*InstitutionalProfileInfo) SetProfile added in v2.0.15

func (o *InstitutionalProfileInfo) SetProfile(v string)

SetProfile gets a reference to the given string and assigns it to the Profile field.

func (*InstitutionalProfileInfo) SetProfileImg added in v2.0.15

func (o *InstitutionalProfileInfo) SetProfileImg(v string)

SetProfileImg gets a reference to the given string and assigns it to the ProfileImg field.

type InternationalFiling

type InternationalFiling struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Company name.
	CompanyName *string `json:"companyName,omitempty"`
	// Filed date <code>%Y-%m-%d %H:%M:%S</code>.
	FiledDate *string `json:"filedDate,omitempty"`
	// Category.
	Category *string `json:"category,omitempty"`
	// Document's title.
	Title *string `json:"title,omitempty"`
	// Document's description.
	Description *string `json:"description,omitempty"`
	// Url.
	Url *string `json:"url,omitempty"`
	// Language.
	Language *string `json:"language,omitempty"`
	// Country.
	Country *string `json:"country,omitempty"`
}

InternationalFiling struct for InternationalFiling

func NewInternationalFiling

func NewInternationalFiling() *InternationalFiling

NewInternationalFiling instantiates a new InternationalFiling object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewInternationalFilingWithDefaults

func NewInternationalFilingWithDefaults() *InternationalFiling

NewInternationalFilingWithDefaults instantiates a new InternationalFiling object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*InternationalFiling) GetCategory

func (o *InternationalFiling) GetCategory() string

GetCategory returns the Category field value if set, zero value otherwise.

func (*InternationalFiling) GetCategoryOk

func (o *InternationalFiling) GetCategoryOk() (*string, bool)

GetCategoryOk returns a tuple with the Category field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InternationalFiling) GetCompanyName

func (o *InternationalFiling) GetCompanyName() string

GetCompanyName returns the CompanyName field value if set, zero value otherwise.

func (*InternationalFiling) GetCompanyNameOk

func (o *InternationalFiling) GetCompanyNameOk() (*string, bool)

GetCompanyNameOk returns a tuple with the CompanyName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InternationalFiling) GetCountry

func (o *InternationalFiling) GetCountry() string

GetCountry returns the Country field value if set, zero value otherwise.

func (*InternationalFiling) GetCountryOk

func (o *InternationalFiling) GetCountryOk() (*string, bool)

GetCountryOk returns a tuple with the Country field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InternationalFiling) GetDescription

func (o *InternationalFiling) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*InternationalFiling) GetDescriptionOk

func (o *InternationalFiling) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InternationalFiling) GetFiledDate

func (o *InternationalFiling) GetFiledDate() string

GetFiledDate returns the FiledDate field value if set, zero value otherwise.

func (*InternationalFiling) GetFiledDateOk

func (o *InternationalFiling) GetFiledDateOk() (*string, bool)

GetFiledDateOk returns a tuple with the FiledDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InternationalFiling) GetLanguage

func (o *InternationalFiling) GetLanguage() string

GetLanguage returns the Language field value if set, zero value otherwise.

func (*InternationalFiling) GetLanguageOk

func (o *InternationalFiling) GetLanguageOk() (*string, bool)

GetLanguageOk returns a tuple with the Language field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InternationalFiling) GetSymbol

func (o *InternationalFiling) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*InternationalFiling) GetSymbolOk

func (o *InternationalFiling) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InternationalFiling) GetTitle

func (o *InternationalFiling) GetTitle() string

GetTitle returns the Title field value if set, zero value otherwise.

func (*InternationalFiling) GetTitleOk

func (o *InternationalFiling) GetTitleOk() (*string, bool)

GetTitleOk returns a tuple with the Title field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InternationalFiling) GetUrl

func (o *InternationalFiling) GetUrl() string

GetUrl returns the Url field value if set, zero value otherwise.

func (*InternationalFiling) GetUrlOk

func (o *InternationalFiling) GetUrlOk() (*string, bool)

GetUrlOk returns a tuple with the Url field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InternationalFiling) HasCategory

func (o *InternationalFiling) HasCategory() bool

HasCategory returns a boolean if a field has been set.

func (*InternationalFiling) HasCompanyName

func (o *InternationalFiling) HasCompanyName() bool

HasCompanyName returns a boolean if a field has been set.

func (*InternationalFiling) HasCountry

func (o *InternationalFiling) HasCountry() bool

HasCountry returns a boolean if a field has been set.

func (*InternationalFiling) HasDescription

func (o *InternationalFiling) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*InternationalFiling) HasFiledDate

func (o *InternationalFiling) HasFiledDate() bool

HasFiledDate returns a boolean if a field has been set.

func (*InternationalFiling) HasLanguage

func (o *InternationalFiling) HasLanguage() bool

HasLanguage returns a boolean if a field has been set.

func (*InternationalFiling) HasSymbol

func (o *InternationalFiling) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*InternationalFiling) HasTitle

func (o *InternationalFiling) HasTitle() bool

HasTitle returns a boolean if a field has been set.

func (*InternationalFiling) HasUrl

func (o *InternationalFiling) HasUrl() bool

HasUrl returns a boolean if a field has been set.

func (InternationalFiling) MarshalJSON

func (o InternationalFiling) MarshalJSON() ([]byte, error)

func (*InternationalFiling) SetCategory

func (o *InternationalFiling) SetCategory(v string)

SetCategory gets a reference to the given string and assigns it to the Category field.

func (*InternationalFiling) SetCompanyName

func (o *InternationalFiling) SetCompanyName(v string)

SetCompanyName gets a reference to the given string and assigns it to the CompanyName field.

func (*InternationalFiling) SetCountry

func (o *InternationalFiling) SetCountry(v string)

SetCountry gets a reference to the given string and assigns it to the Country field.

func (*InternationalFiling) SetDescription

func (o *InternationalFiling) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*InternationalFiling) SetFiledDate

func (o *InternationalFiling) SetFiledDate(v string)

SetFiledDate gets a reference to the given string and assigns it to the FiledDate field.

func (*InternationalFiling) SetLanguage

func (o *InternationalFiling) SetLanguage(v string)

SetLanguage gets a reference to the given string and assigns it to the Language field.

func (*InternationalFiling) SetSymbol

func (o *InternationalFiling) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*InternationalFiling) SetTitle

func (o *InternationalFiling) SetTitle(v string)

SetTitle gets a reference to the given string and assigns it to the Title field.

func (*InternationalFiling) SetUrl

func (o *InternationalFiling) SetUrl(v string)

SetUrl gets a reference to the given string and assigns it to the Url field.

type InvestmentThemePortfolio

type InvestmentThemePortfolio struct {
	// Symbol
	Symbol *string `json:"symbol,omitempty"`
}

InvestmentThemePortfolio struct for InvestmentThemePortfolio

func NewInvestmentThemePortfolio

func NewInvestmentThemePortfolio() *InvestmentThemePortfolio

NewInvestmentThemePortfolio instantiates a new InvestmentThemePortfolio object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewInvestmentThemePortfolioWithDefaults

func NewInvestmentThemePortfolioWithDefaults() *InvestmentThemePortfolio

NewInvestmentThemePortfolioWithDefaults instantiates a new InvestmentThemePortfolio object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*InvestmentThemePortfolio) GetSymbol

func (o *InvestmentThemePortfolio) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*InvestmentThemePortfolio) GetSymbolOk

func (o *InvestmentThemePortfolio) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InvestmentThemePortfolio) HasSymbol

func (o *InvestmentThemePortfolio) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (InvestmentThemePortfolio) MarshalJSON

func (o InvestmentThemePortfolio) MarshalJSON() ([]byte, error)

func (*InvestmentThemePortfolio) SetSymbol

func (o *InvestmentThemePortfolio) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type InvestmentThemes

type InvestmentThemes struct {
	// Investment theme
	Theme *string `json:"theme,omitempty"`
	// Investment theme portfolio.
	Data *[]InvestmentThemePortfolio `json:"data,omitempty"`
}

InvestmentThemes struct for InvestmentThemes

func NewInvestmentThemes

func NewInvestmentThemes() *InvestmentThemes

NewInvestmentThemes instantiates a new InvestmentThemes object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewInvestmentThemesWithDefaults

func NewInvestmentThemesWithDefaults() *InvestmentThemes

NewInvestmentThemesWithDefaults instantiates a new InvestmentThemes object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*InvestmentThemes) GetData

GetData returns the Data field value if set, zero value otherwise.

func (*InvestmentThemes) GetDataOk

func (o *InvestmentThemes) GetDataOk() (*[]InvestmentThemePortfolio, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InvestmentThemes) GetTheme

func (o *InvestmentThemes) GetTheme() string

GetTheme returns the Theme field value if set, zero value otherwise.

func (*InvestmentThemes) GetThemeOk

func (o *InvestmentThemes) GetThemeOk() (*string, bool)

GetThemeOk returns a tuple with the Theme field value if set, nil otherwise and a boolean to check if the value has been set.

func (*InvestmentThemes) HasData

func (o *InvestmentThemes) HasData() bool

HasData returns a boolean if a field has been set.

func (*InvestmentThemes) HasTheme

func (o *InvestmentThemes) HasTheme() bool

HasTheme returns a boolean if a field has been set.

func (InvestmentThemes) MarshalJSON

func (o InvestmentThemes) MarshalJSON() ([]byte, error)

func (*InvestmentThemes) SetData

SetData gets a reference to the given []InvestmentThemePortfolio and assigns it to the Data field.

func (*InvestmentThemes) SetTheme

func (o *InvestmentThemes) SetTheme(v string)

SetTheme gets a reference to the given string and assigns it to the Theme field.

type IsinChange added in v2.0.15

type IsinChange struct {
	// From date.
	FromDate *string `json:"fromDate,omitempty"`
	// To date.
	ToDate *string `json:"toDate,omitempty"`
	// Array of ISIN change events.
	Data *[]IsinChangeInfo `json:"data,omitempty"`
}

IsinChange struct for IsinChange

func NewIsinChange added in v2.0.15

func NewIsinChange() *IsinChange

NewIsinChange instantiates a new IsinChange object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewIsinChangeWithDefaults added in v2.0.15

func NewIsinChangeWithDefaults() *IsinChange

NewIsinChangeWithDefaults instantiates a new IsinChange object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*IsinChange) GetData added in v2.0.15

func (o *IsinChange) GetData() []IsinChangeInfo

GetData returns the Data field value if set, zero value otherwise.

func (*IsinChange) GetDataOk added in v2.0.15

func (o *IsinChange) GetDataOk() (*[]IsinChangeInfo, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IsinChange) GetFromDate added in v2.0.15

func (o *IsinChange) GetFromDate() string

GetFromDate returns the FromDate field value if set, zero value otherwise.

func (*IsinChange) GetFromDateOk added in v2.0.15

func (o *IsinChange) GetFromDateOk() (*string, bool)

GetFromDateOk returns a tuple with the FromDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IsinChange) GetToDate added in v2.0.15

func (o *IsinChange) GetToDate() string

GetToDate returns the ToDate field value if set, zero value otherwise.

func (*IsinChange) GetToDateOk added in v2.0.15

func (o *IsinChange) GetToDateOk() (*string, bool)

GetToDateOk returns a tuple with the ToDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IsinChange) HasData added in v2.0.15

func (o *IsinChange) HasData() bool

HasData returns a boolean if a field has been set.

func (*IsinChange) HasFromDate added in v2.0.15

func (o *IsinChange) HasFromDate() bool

HasFromDate returns a boolean if a field has been set.

func (*IsinChange) HasToDate added in v2.0.15

func (o *IsinChange) HasToDate() bool

HasToDate returns a boolean if a field has been set.

func (IsinChange) MarshalJSON added in v2.0.15

func (o IsinChange) MarshalJSON() ([]byte, error)

func (*IsinChange) SetData added in v2.0.15

func (o *IsinChange) SetData(v []IsinChangeInfo)

SetData gets a reference to the given []IsinChangeInfo and assigns it to the Data field.

func (*IsinChange) SetFromDate added in v2.0.15

func (o *IsinChange) SetFromDate(v string)

SetFromDate gets a reference to the given string and assigns it to the FromDate field.

func (*IsinChange) SetToDate added in v2.0.15

func (o *IsinChange) SetToDate(v string)

SetToDate gets a reference to the given string and assigns it to the ToDate field.

type IsinChangeInfo added in v2.0.15

type IsinChangeInfo struct {
	// Event's date.
	AtDate *string `json:"atDate,omitempty"`
	// Old ISIN.
	OldIsin *string `json:"oldIsin,omitempty"`
	// New ISIN.
	NewIsin *string `json:"newIsin,omitempty"`
}

IsinChangeInfo struct for IsinChangeInfo

func NewIsinChangeInfo added in v2.0.15

func NewIsinChangeInfo() *IsinChangeInfo

NewIsinChangeInfo instantiates a new IsinChangeInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewIsinChangeInfoWithDefaults added in v2.0.15

func NewIsinChangeInfoWithDefaults() *IsinChangeInfo

NewIsinChangeInfoWithDefaults instantiates a new IsinChangeInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*IsinChangeInfo) GetAtDate added in v2.0.15

func (o *IsinChangeInfo) GetAtDate() string

GetAtDate returns the AtDate field value if set, zero value otherwise.

func (*IsinChangeInfo) GetAtDateOk added in v2.0.15

func (o *IsinChangeInfo) GetAtDateOk() (*string, bool)

GetAtDateOk returns a tuple with the AtDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IsinChangeInfo) GetNewIsin added in v2.0.15

func (o *IsinChangeInfo) GetNewIsin() string

GetNewIsin returns the NewIsin field value if set, zero value otherwise.

func (*IsinChangeInfo) GetNewIsinOk added in v2.0.15

func (o *IsinChangeInfo) GetNewIsinOk() (*string, bool)

GetNewIsinOk returns a tuple with the NewIsin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IsinChangeInfo) GetOldIsin added in v2.0.15

func (o *IsinChangeInfo) GetOldIsin() string

GetOldIsin returns the OldIsin field value if set, zero value otherwise.

func (*IsinChangeInfo) GetOldIsinOk added in v2.0.15

func (o *IsinChangeInfo) GetOldIsinOk() (*string, bool)

GetOldIsinOk returns a tuple with the OldIsin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*IsinChangeInfo) HasAtDate added in v2.0.15

func (o *IsinChangeInfo) HasAtDate() bool

HasAtDate returns a boolean if a field has been set.

func (*IsinChangeInfo) HasNewIsin added in v2.0.15

func (o *IsinChangeInfo) HasNewIsin() bool

HasNewIsin returns a boolean if a field has been set.

func (*IsinChangeInfo) HasOldIsin added in v2.0.15

func (o *IsinChangeInfo) HasOldIsin() bool

HasOldIsin returns a boolean if a field has been set.

func (IsinChangeInfo) MarshalJSON added in v2.0.15

func (o IsinChangeInfo) MarshalJSON() ([]byte, error)

func (*IsinChangeInfo) SetAtDate added in v2.0.15

func (o *IsinChangeInfo) SetAtDate(v string)

SetAtDate gets a reference to the given string and assigns it to the AtDate field.

func (*IsinChangeInfo) SetNewIsin added in v2.0.15

func (o *IsinChangeInfo) SetNewIsin(v string)

SetNewIsin gets a reference to the given string and assigns it to the NewIsin field.

func (*IsinChangeInfo) SetOldIsin added in v2.0.15

func (o *IsinChangeInfo) SetOldIsin(v string)

SetOldIsin gets a reference to the given string and assigns it to the OldIsin field.

type KeyCustomersSuppliers

type KeyCustomersSuppliers struct {
	// Symbol
	Symbol *string `json:"symbol,omitempty"`
	// Name
	Name *string `json:"name,omitempty"`
	// Country
	Country *string `json:"country,omitempty"`
	// Industry
	Industry *string `json:"industry,omitempty"`
	// Whether the company is a customer.
	Customer *bool `json:"customer,omitempty"`
	// Whether the company is a supplier
	Supplier *bool `json:"supplier,omitempty"`
	// 1-month price correlation
	OneMonthCorrelation *float32 `json:"oneMonthCorrelation,omitempty"`
	// 1-year price correlation
	OneYearCorrelation *float32 `json:"oneYearCorrelation,omitempty"`
	// 6-month price correlation
	SixMonthCorrelation *float32 `json:"sixMonthCorrelation,omitempty"`
	// 3-month price correlation
	ThreeMonthCorrelation *float32 `json:"threeMonthCorrelation,omitempty"`
	// 2-week price correlation
	TwoWeekCorrelation *float32 `json:"twoWeekCorrelation,omitempty"`
	// 2-year price correlation
	TwoYearCorrelation *float32 `json:"twoYearCorrelation,omitempty"`
}

KeyCustomersSuppliers struct for KeyCustomersSuppliers

func NewKeyCustomersSuppliers

func NewKeyCustomersSuppliers() *KeyCustomersSuppliers

NewKeyCustomersSuppliers instantiates a new KeyCustomersSuppliers object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewKeyCustomersSuppliersWithDefaults

func NewKeyCustomersSuppliersWithDefaults() *KeyCustomersSuppliers

NewKeyCustomersSuppliersWithDefaults instantiates a new KeyCustomersSuppliers object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*KeyCustomersSuppliers) GetCountry added in v2.0.14

func (o *KeyCustomersSuppliers) GetCountry() string

GetCountry returns the Country field value if set, zero value otherwise.

func (*KeyCustomersSuppliers) GetCountryOk added in v2.0.14

func (o *KeyCustomersSuppliers) GetCountryOk() (*string, bool)

GetCountryOk returns a tuple with the Country field value if set, nil otherwise and a boolean to check if the value has been set.

func (*KeyCustomersSuppliers) GetCustomer

func (o *KeyCustomersSuppliers) GetCustomer() bool

GetCustomer returns the Customer field value if set, zero value otherwise.

func (*KeyCustomersSuppliers) GetCustomerOk

func (o *KeyCustomersSuppliers) GetCustomerOk() (*bool, bool)

GetCustomerOk returns a tuple with the Customer field value if set, nil otherwise and a boolean to check if the value has been set.

func (*KeyCustomersSuppliers) GetIndustry added in v2.0.14

func (o *KeyCustomersSuppliers) GetIndustry() string

GetIndustry returns the Industry field value if set, zero value otherwise.

func (*KeyCustomersSuppliers) GetIndustryOk added in v2.0.14

func (o *KeyCustomersSuppliers) GetIndustryOk() (*string, bool)

GetIndustryOk returns a tuple with the Industry field value if set, nil otherwise and a boolean to check if the value has been set.

func (*KeyCustomersSuppliers) GetName

func (o *KeyCustomersSuppliers) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*KeyCustomersSuppliers) GetNameOk

func (o *KeyCustomersSuppliers) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*KeyCustomersSuppliers) GetOneMonthCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) GetOneMonthCorrelation() float32

GetOneMonthCorrelation returns the OneMonthCorrelation field value if set, zero value otherwise.

func (*KeyCustomersSuppliers) GetOneMonthCorrelationOk added in v2.0.5

func (o *KeyCustomersSuppliers) GetOneMonthCorrelationOk() (*float32, bool)

GetOneMonthCorrelationOk returns a tuple with the OneMonthCorrelation field value if set, nil otherwise and a boolean to check if the value has been set.

func (*KeyCustomersSuppliers) GetOneYearCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) GetOneYearCorrelation() float32

GetOneYearCorrelation returns the OneYearCorrelation field value if set, zero value otherwise.

func (*KeyCustomersSuppliers) GetOneYearCorrelationOk added in v2.0.5

func (o *KeyCustomersSuppliers) GetOneYearCorrelationOk() (*float32, bool)

GetOneYearCorrelationOk returns a tuple with the OneYearCorrelation field value if set, nil otherwise and a boolean to check if the value has been set.

func (*KeyCustomersSuppliers) GetSixMonthCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) GetSixMonthCorrelation() float32

GetSixMonthCorrelation returns the SixMonthCorrelation field value if set, zero value otherwise.

func (*KeyCustomersSuppliers) GetSixMonthCorrelationOk added in v2.0.5

func (o *KeyCustomersSuppliers) GetSixMonthCorrelationOk() (*float32, bool)

GetSixMonthCorrelationOk returns a tuple with the SixMonthCorrelation field value if set, nil otherwise and a boolean to check if the value has been set.

func (*KeyCustomersSuppliers) GetSupplier

func (o *KeyCustomersSuppliers) GetSupplier() bool

GetSupplier returns the Supplier field value if set, zero value otherwise.

func (*KeyCustomersSuppliers) GetSupplierOk

func (o *KeyCustomersSuppliers) GetSupplierOk() (*bool, bool)

GetSupplierOk returns a tuple with the Supplier field value if set, nil otherwise and a boolean to check if the value has been set.

func (*KeyCustomersSuppliers) GetSymbol

func (o *KeyCustomersSuppliers) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*KeyCustomersSuppliers) GetSymbolOk

func (o *KeyCustomersSuppliers) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*KeyCustomersSuppliers) GetThreeMonthCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) GetThreeMonthCorrelation() float32

GetThreeMonthCorrelation returns the ThreeMonthCorrelation field value if set, zero value otherwise.

func (*KeyCustomersSuppliers) GetThreeMonthCorrelationOk added in v2.0.5

func (o *KeyCustomersSuppliers) GetThreeMonthCorrelationOk() (*float32, bool)

GetThreeMonthCorrelationOk returns a tuple with the ThreeMonthCorrelation field value if set, nil otherwise and a boolean to check if the value has been set.

func (*KeyCustomersSuppliers) GetTwoWeekCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) GetTwoWeekCorrelation() float32

GetTwoWeekCorrelation returns the TwoWeekCorrelation field value if set, zero value otherwise.

func (*KeyCustomersSuppliers) GetTwoWeekCorrelationOk added in v2.0.5

func (o *KeyCustomersSuppliers) GetTwoWeekCorrelationOk() (*float32, bool)

GetTwoWeekCorrelationOk returns a tuple with the TwoWeekCorrelation field value if set, nil otherwise and a boolean to check if the value has been set.

func (*KeyCustomersSuppliers) GetTwoYearCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) GetTwoYearCorrelation() float32

GetTwoYearCorrelation returns the TwoYearCorrelation field value if set, zero value otherwise.

func (*KeyCustomersSuppliers) GetTwoYearCorrelationOk added in v2.0.5

func (o *KeyCustomersSuppliers) GetTwoYearCorrelationOk() (*float32, bool)

GetTwoYearCorrelationOk returns a tuple with the TwoYearCorrelation field value if set, nil otherwise and a boolean to check if the value has been set.

func (*KeyCustomersSuppliers) HasCountry added in v2.0.14

func (o *KeyCustomersSuppliers) HasCountry() bool

HasCountry returns a boolean if a field has been set.

func (*KeyCustomersSuppliers) HasCustomer

func (o *KeyCustomersSuppliers) HasCustomer() bool

HasCustomer returns a boolean if a field has been set.

func (*KeyCustomersSuppliers) HasIndustry added in v2.0.14

func (o *KeyCustomersSuppliers) HasIndustry() bool

HasIndustry returns a boolean if a field has been set.

func (*KeyCustomersSuppliers) HasName

func (o *KeyCustomersSuppliers) HasName() bool

HasName returns a boolean if a field has been set.

func (*KeyCustomersSuppliers) HasOneMonthCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) HasOneMonthCorrelation() bool

HasOneMonthCorrelation returns a boolean if a field has been set.

func (*KeyCustomersSuppliers) HasOneYearCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) HasOneYearCorrelation() bool

HasOneYearCorrelation returns a boolean if a field has been set.

func (*KeyCustomersSuppliers) HasSixMonthCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) HasSixMonthCorrelation() bool

HasSixMonthCorrelation returns a boolean if a field has been set.

func (*KeyCustomersSuppliers) HasSupplier

func (o *KeyCustomersSuppliers) HasSupplier() bool

HasSupplier returns a boolean if a field has been set.

func (*KeyCustomersSuppliers) HasSymbol

func (o *KeyCustomersSuppliers) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*KeyCustomersSuppliers) HasThreeMonthCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) HasThreeMonthCorrelation() bool

HasThreeMonthCorrelation returns a boolean if a field has been set.

func (*KeyCustomersSuppliers) HasTwoWeekCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) HasTwoWeekCorrelation() bool

HasTwoWeekCorrelation returns a boolean if a field has been set.

func (*KeyCustomersSuppliers) HasTwoYearCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) HasTwoYearCorrelation() bool

HasTwoYearCorrelation returns a boolean if a field has been set.

func (KeyCustomersSuppliers) MarshalJSON

func (o KeyCustomersSuppliers) MarshalJSON() ([]byte, error)

func (*KeyCustomersSuppliers) SetCountry added in v2.0.14

func (o *KeyCustomersSuppliers) SetCountry(v string)

SetCountry gets a reference to the given string and assigns it to the Country field.

func (*KeyCustomersSuppliers) SetCustomer

func (o *KeyCustomersSuppliers) SetCustomer(v bool)

SetCustomer gets a reference to the given bool and assigns it to the Customer field.

func (*KeyCustomersSuppliers) SetIndustry added in v2.0.14

func (o *KeyCustomersSuppliers) SetIndustry(v string)

SetIndustry gets a reference to the given string and assigns it to the Industry field.

func (*KeyCustomersSuppliers) SetName

func (o *KeyCustomersSuppliers) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*KeyCustomersSuppliers) SetOneMonthCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) SetOneMonthCorrelation(v float32)

SetOneMonthCorrelation gets a reference to the given float32 and assigns it to the OneMonthCorrelation field.

func (*KeyCustomersSuppliers) SetOneYearCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) SetOneYearCorrelation(v float32)

SetOneYearCorrelation gets a reference to the given float32 and assigns it to the OneYearCorrelation field.

func (*KeyCustomersSuppliers) SetSixMonthCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) SetSixMonthCorrelation(v float32)

SetSixMonthCorrelation gets a reference to the given float32 and assigns it to the SixMonthCorrelation field.

func (*KeyCustomersSuppliers) SetSupplier

func (o *KeyCustomersSuppliers) SetSupplier(v bool)

SetSupplier gets a reference to the given bool and assigns it to the Supplier field.

func (*KeyCustomersSuppliers) SetSymbol

func (o *KeyCustomersSuppliers) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*KeyCustomersSuppliers) SetThreeMonthCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) SetThreeMonthCorrelation(v float32)

SetThreeMonthCorrelation gets a reference to the given float32 and assigns it to the ThreeMonthCorrelation field.

func (*KeyCustomersSuppliers) SetTwoWeekCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) SetTwoWeekCorrelation(v float32)

SetTwoWeekCorrelation gets a reference to the given float32 and assigns it to the TwoWeekCorrelation field.

func (*KeyCustomersSuppliers) SetTwoYearCorrelation added in v2.0.5

func (o *KeyCustomersSuppliers) SetTwoYearCorrelation(v float32)

SetTwoYearCorrelation gets a reference to the given float32 and assigns it to the TwoYearCorrelation field.

type LastBidAsk

type LastBidAsk struct {
	// Bid price.
	B *float32 `json:"b,omitempty"`
	// Ask price.
	A *float32 `json:"a,omitempty"`
	// Bid volume.
	Bv *float32 `json:"bv,omitempty"`
	// Ask volume.
	Av *float32 `json:"av,omitempty"`
	// Reference UNIX timestamp in ms.
	T *int64 `json:"t,omitempty"`
}

LastBidAsk struct for LastBidAsk

func NewLastBidAsk

func NewLastBidAsk() *LastBidAsk

NewLastBidAsk instantiates a new LastBidAsk object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewLastBidAskWithDefaults

func NewLastBidAskWithDefaults() *LastBidAsk

NewLastBidAskWithDefaults instantiates a new LastBidAsk object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*LastBidAsk) GetA

func (o *LastBidAsk) GetA() float32

GetA returns the A field value if set, zero value otherwise.

func (*LastBidAsk) GetAOk

func (o *LastBidAsk) GetAOk() (*float32, bool)

GetAOk returns a tuple with the A field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LastBidAsk) GetAv

func (o *LastBidAsk) GetAv() float32

GetAv returns the Av field value if set, zero value otherwise.

func (*LastBidAsk) GetAvOk

func (o *LastBidAsk) GetAvOk() (*float32, bool)

GetAvOk returns a tuple with the Av field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LastBidAsk) GetB

func (o *LastBidAsk) GetB() float32

GetB returns the B field value if set, zero value otherwise.

func (*LastBidAsk) GetBOk

func (o *LastBidAsk) GetBOk() (*float32, bool)

GetBOk returns a tuple with the B field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LastBidAsk) GetBv

func (o *LastBidAsk) GetBv() float32

GetBv returns the Bv field value if set, zero value otherwise.

func (*LastBidAsk) GetBvOk

func (o *LastBidAsk) GetBvOk() (*float32, bool)

GetBvOk returns a tuple with the Bv field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LastBidAsk) GetT

func (o *LastBidAsk) GetT() int64

GetT returns the T field value if set, zero value otherwise.

func (*LastBidAsk) GetTOk

func (o *LastBidAsk) GetTOk() (*int64, bool)

GetTOk returns a tuple with the T field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LastBidAsk) HasA

func (o *LastBidAsk) HasA() bool

HasA returns a boolean if a field has been set.

func (*LastBidAsk) HasAv

func (o *LastBidAsk) HasAv() bool

HasAv returns a boolean if a field has been set.

func (*LastBidAsk) HasB

func (o *LastBidAsk) HasB() bool

HasB returns a boolean if a field has been set.

func (*LastBidAsk) HasBv

func (o *LastBidAsk) HasBv() bool

HasBv returns a boolean if a field has been set.

func (*LastBidAsk) HasT

func (o *LastBidAsk) HasT() bool

HasT returns a boolean if a field has been set.

func (LastBidAsk) MarshalJSON

func (o LastBidAsk) MarshalJSON() ([]byte, error)

func (*LastBidAsk) SetA

func (o *LastBidAsk) SetA(v float32)

SetA gets a reference to the given float32 and assigns it to the A field.

func (*LastBidAsk) SetAv

func (o *LastBidAsk) SetAv(v float32)

SetAv gets a reference to the given float32 and assigns it to the Av field.

func (*LastBidAsk) SetB

func (o *LastBidAsk) SetB(v float32)

SetB gets a reference to the given float32 and assigns it to the B field.

func (*LastBidAsk) SetBv

func (o *LastBidAsk) SetBv(v float32)

SetBv gets a reference to the given float32 and assigns it to the Bv field.

func (*LastBidAsk) SetT

func (o *LastBidAsk) SetT(v int64)

SetT gets a reference to the given int64 and assigns it to the T field.

type LobbyingData added in v2.0.12

type LobbyingData struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Company's name.
	Name *string `json:"name,omitempty"`
	// Description.
	Description *string `json:"description,omitempty"`
	// Country.
	Country *string `json:"country,omitempty"`
	// Year.
	Year *int64 `json:"year,omitempty"`
	// Period.
	Period *string `json:"period,omitempty"`
	// Income reported by lobbying firms.
	Income *float32 `json:"income,omitempty"`
	// Expenses reported by the company.
	Expenses *float32 `json:"expenses,omitempty"`
	// Document's URL.
	DocumentUrl *string `json:"documentUrl,omitempty"`
	// Posted name.
	PostedName *string `json:"postedName,omitempty"`
	// Date.
	Date *string `json:"date,omitempty"`
	// Client ID.
	ClientId *string `json:"clientId,omitempty"`
	// Registrant ID.
	RegistrantId *string `json:"registrantId,omitempty"`
	// Senate ID.
	SenateId *string `json:"senateId,omitempty"`
	// House registrant ID.
	HouseregistrantId *string `json:"houseregistrantId,omitempty"`
}

LobbyingData struct for LobbyingData

func NewLobbyingData added in v2.0.12

func NewLobbyingData() *LobbyingData

NewLobbyingData instantiates a new LobbyingData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewLobbyingDataWithDefaults added in v2.0.12

func NewLobbyingDataWithDefaults() *LobbyingData

NewLobbyingDataWithDefaults instantiates a new LobbyingData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*LobbyingData) GetClientId added in v2.0.12

func (o *LobbyingData) GetClientId() string

GetClientId returns the ClientId field value if set, zero value otherwise.

func (*LobbyingData) GetClientIdOk added in v2.0.12

func (o *LobbyingData) GetClientIdOk() (*string, bool)

GetClientIdOk returns a tuple with the ClientId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingData) GetCountry added in v2.0.12

func (o *LobbyingData) GetCountry() string

GetCountry returns the Country field value if set, zero value otherwise.

func (*LobbyingData) GetCountryOk added in v2.0.12

func (o *LobbyingData) GetCountryOk() (*string, bool)

GetCountryOk returns a tuple with the Country field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingData) GetDate added in v2.0.12

func (o *LobbyingData) GetDate() string

GetDate returns the Date field value if set, zero value otherwise.

func (*LobbyingData) GetDateOk added in v2.0.12

func (o *LobbyingData) GetDateOk() (*string, bool)

GetDateOk returns a tuple with the Date field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingData) GetDescription added in v2.0.12

func (o *LobbyingData) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*LobbyingData) GetDescriptionOk added in v2.0.12

func (o *LobbyingData) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingData) GetDocumentUrl added in v2.0.12

func (o *LobbyingData) GetDocumentUrl() string

GetDocumentUrl returns the DocumentUrl field value if set, zero value otherwise.

func (*LobbyingData) GetDocumentUrlOk added in v2.0.12

func (o *LobbyingData) GetDocumentUrlOk() (*string, bool)

GetDocumentUrlOk returns a tuple with the DocumentUrl field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingData) GetExpenses added in v2.0.12

func (o *LobbyingData) GetExpenses() float32

GetExpenses returns the Expenses field value if set, zero value otherwise.

func (*LobbyingData) GetExpensesOk added in v2.0.12

func (o *LobbyingData) GetExpensesOk() (*float32, bool)

GetExpensesOk returns a tuple with the Expenses field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingData) GetHouseregistrantId added in v2.0.12

func (o *LobbyingData) GetHouseregistrantId() string

GetHouseregistrantId returns the HouseregistrantId field value if set, zero value otherwise.

func (*LobbyingData) GetHouseregistrantIdOk added in v2.0.12

func (o *LobbyingData) GetHouseregistrantIdOk() (*string, bool)

GetHouseregistrantIdOk returns a tuple with the HouseregistrantId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingData) GetIncome added in v2.0.12

func (o *LobbyingData) GetIncome() float32

GetIncome returns the Income field value if set, zero value otherwise.

func (*LobbyingData) GetIncomeOk added in v2.0.12

func (o *LobbyingData) GetIncomeOk() (*float32, bool)

GetIncomeOk returns a tuple with the Income field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingData) GetName added in v2.0.12

func (o *LobbyingData) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*LobbyingData) GetNameOk added in v2.0.12

func (o *LobbyingData) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingData) GetPeriod added in v2.0.12

func (o *LobbyingData) GetPeriod() string

GetPeriod returns the Period field value if set, zero value otherwise.

func (*LobbyingData) GetPeriodOk added in v2.0.12

func (o *LobbyingData) GetPeriodOk() (*string, bool)

GetPeriodOk returns a tuple with the Period field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingData) GetPostedName added in v2.0.12

func (o *LobbyingData) GetPostedName() string

GetPostedName returns the PostedName field value if set, zero value otherwise.

func (*LobbyingData) GetPostedNameOk added in v2.0.12

func (o *LobbyingData) GetPostedNameOk() (*string, bool)

GetPostedNameOk returns a tuple with the PostedName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingData) GetRegistrantId added in v2.0.12

func (o *LobbyingData) GetRegistrantId() string

GetRegistrantId returns the RegistrantId field value if set, zero value otherwise.

func (*LobbyingData) GetRegistrantIdOk added in v2.0.12

func (o *LobbyingData) GetRegistrantIdOk() (*string, bool)

GetRegistrantIdOk returns a tuple with the RegistrantId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingData) GetSenateId added in v2.0.12

func (o *LobbyingData) GetSenateId() string

GetSenateId returns the SenateId field value if set, zero value otherwise.

func (*LobbyingData) GetSenateIdOk added in v2.0.12

func (o *LobbyingData) GetSenateIdOk() (*string, bool)

GetSenateIdOk returns a tuple with the SenateId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingData) GetSymbol added in v2.0.12

func (o *LobbyingData) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*LobbyingData) GetSymbolOk added in v2.0.12

func (o *LobbyingData) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingData) GetYear added in v2.0.12

func (o *LobbyingData) GetYear() int64

GetYear returns the Year field value if set, zero value otherwise.

func (*LobbyingData) GetYearOk added in v2.0.12

func (o *LobbyingData) GetYearOk() (*int64, bool)

GetYearOk returns a tuple with the Year field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingData) HasClientId added in v2.0.12

func (o *LobbyingData) HasClientId() bool

HasClientId returns a boolean if a field has been set.

func (*LobbyingData) HasCountry added in v2.0.12

func (o *LobbyingData) HasCountry() bool

HasCountry returns a boolean if a field has been set.

func (*LobbyingData) HasDate added in v2.0.12

func (o *LobbyingData) HasDate() bool

HasDate returns a boolean if a field has been set.

func (*LobbyingData) HasDescription added in v2.0.12

func (o *LobbyingData) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*LobbyingData) HasDocumentUrl added in v2.0.12

func (o *LobbyingData) HasDocumentUrl() bool

HasDocumentUrl returns a boolean if a field has been set.

func (*LobbyingData) HasExpenses added in v2.0.12

func (o *LobbyingData) HasExpenses() bool

HasExpenses returns a boolean if a field has been set.

func (*LobbyingData) HasHouseregistrantId added in v2.0.12

func (o *LobbyingData) HasHouseregistrantId() bool

HasHouseregistrantId returns a boolean if a field has been set.

func (*LobbyingData) HasIncome added in v2.0.12

func (o *LobbyingData) HasIncome() bool

HasIncome returns a boolean if a field has been set.

func (*LobbyingData) HasName added in v2.0.12

func (o *LobbyingData) HasName() bool

HasName returns a boolean if a field has been set.

func (*LobbyingData) HasPeriod added in v2.0.12

func (o *LobbyingData) HasPeriod() bool

HasPeriod returns a boolean if a field has been set.

func (*LobbyingData) HasPostedName added in v2.0.12

func (o *LobbyingData) HasPostedName() bool

HasPostedName returns a boolean if a field has been set.

func (*LobbyingData) HasRegistrantId added in v2.0.12

func (o *LobbyingData) HasRegistrantId() bool

HasRegistrantId returns a boolean if a field has been set.

func (*LobbyingData) HasSenateId added in v2.0.12

func (o *LobbyingData) HasSenateId() bool

HasSenateId returns a boolean if a field has been set.

func (*LobbyingData) HasSymbol added in v2.0.12

func (o *LobbyingData) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*LobbyingData) HasYear added in v2.0.12

func (o *LobbyingData) HasYear() bool

HasYear returns a boolean if a field has been set.

func (LobbyingData) MarshalJSON added in v2.0.12

func (o LobbyingData) MarshalJSON() ([]byte, error)

func (*LobbyingData) SetClientId added in v2.0.12

func (o *LobbyingData) SetClientId(v string)

SetClientId gets a reference to the given string and assigns it to the ClientId field.

func (*LobbyingData) SetCountry added in v2.0.12

func (o *LobbyingData) SetCountry(v string)

SetCountry gets a reference to the given string and assigns it to the Country field.

func (*LobbyingData) SetDate added in v2.0.12

func (o *LobbyingData) SetDate(v string)

SetDate gets a reference to the given string and assigns it to the Date field.

func (*LobbyingData) SetDescription added in v2.0.12

func (o *LobbyingData) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*LobbyingData) SetDocumentUrl added in v2.0.12

func (o *LobbyingData) SetDocumentUrl(v string)

SetDocumentUrl gets a reference to the given string and assigns it to the DocumentUrl field.

func (*LobbyingData) SetExpenses added in v2.0.12

func (o *LobbyingData) SetExpenses(v float32)

SetExpenses gets a reference to the given float32 and assigns it to the Expenses field.

func (*LobbyingData) SetHouseregistrantId added in v2.0.12

func (o *LobbyingData) SetHouseregistrantId(v string)

SetHouseregistrantId gets a reference to the given string and assigns it to the HouseregistrantId field.

func (*LobbyingData) SetIncome added in v2.0.12

func (o *LobbyingData) SetIncome(v float32)

SetIncome gets a reference to the given float32 and assigns it to the Income field.

func (*LobbyingData) SetName added in v2.0.12

func (o *LobbyingData) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*LobbyingData) SetPeriod added in v2.0.12

func (o *LobbyingData) SetPeriod(v string)

SetPeriod gets a reference to the given string and assigns it to the Period field.

func (*LobbyingData) SetPostedName added in v2.0.12

func (o *LobbyingData) SetPostedName(v string)

SetPostedName gets a reference to the given string and assigns it to the PostedName field.

func (*LobbyingData) SetRegistrantId added in v2.0.12

func (o *LobbyingData) SetRegistrantId(v string)

SetRegistrantId gets a reference to the given string and assigns it to the RegistrantId field.

func (*LobbyingData) SetSenateId added in v2.0.12

func (o *LobbyingData) SetSenateId(v string)

SetSenateId gets a reference to the given string and assigns it to the SenateId field.

func (*LobbyingData) SetSymbol added in v2.0.12

func (o *LobbyingData) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*LobbyingData) SetYear added in v2.0.12

func (o *LobbyingData) SetYear(v int64)

SetYear gets a reference to the given int64 and assigns it to the Year field.

type LobbyingResult added in v2.0.12

type LobbyingResult struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Array of lobbying activities.
	Data *[]LobbyingData `json:"data,omitempty"`
}

LobbyingResult struct for LobbyingResult

func NewLobbyingResult added in v2.0.12

func NewLobbyingResult() *LobbyingResult

NewLobbyingResult instantiates a new LobbyingResult object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewLobbyingResultWithDefaults added in v2.0.12

func NewLobbyingResultWithDefaults() *LobbyingResult

NewLobbyingResultWithDefaults instantiates a new LobbyingResult object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*LobbyingResult) GetData added in v2.0.12

func (o *LobbyingResult) GetData() []LobbyingData

GetData returns the Data field value if set, zero value otherwise.

func (*LobbyingResult) GetDataOk added in v2.0.12

func (o *LobbyingResult) GetDataOk() (*[]LobbyingData, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingResult) GetSymbol added in v2.0.12

func (o *LobbyingResult) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*LobbyingResult) GetSymbolOk added in v2.0.12

func (o *LobbyingResult) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*LobbyingResult) HasData added in v2.0.12

func (o *LobbyingResult) HasData() bool

HasData returns a boolean if a field has been set.

func (*LobbyingResult) HasSymbol added in v2.0.12

func (o *LobbyingResult) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (LobbyingResult) MarshalJSON added in v2.0.12

func (o LobbyingResult) MarshalJSON() ([]byte, error)

func (*LobbyingResult) SetData added in v2.0.12

func (o *LobbyingResult) SetData(v []LobbyingData)

SetData gets a reference to the given []LobbyingData and assigns it to the Data field.

func (*LobbyingResult) SetSymbol added in v2.0.12

func (o *LobbyingResult) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type MarketHoliday added in v2.0.17

type MarketHoliday struct {
	// Timezone.
	Timezone *string `json:"timezone,omitempty"`
	// Exchange.
	Exchange *string `json:"exchange,omitempty"`
	// Array of holidays.
	Data *[]MarketHolidayData `json:"data,omitempty"`
}

MarketHoliday struct for MarketHoliday

func NewMarketHoliday added in v2.0.17

func NewMarketHoliday() *MarketHoliday

NewMarketHoliday instantiates a new MarketHoliday object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewMarketHolidayWithDefaults added in v2.0.17

func NewMarketHolidayWithDefaults() *MarketHoliday

NewMarketHolidayWithDefaults instantiates a new MarketHoliday object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*MarketHoliday) GetData added in v2.0.17

func (o *MarketHoliday) GetData() []MarketHolidayData

GetData returns the Data field value if set, zero value otherwise.

func (*MarketHoliday) GetDataOk added in v2.0.17

func (o *MarketHoliday) GetDataOk() (*[]MarketHolidayData, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketHoliday) GetExchange added in v2.0.17

func (o *MarketHoliday) GetExchange() string

GetExchange returns the Exchange field value if set, zero value otherwise.

func (*MarketHoliday) GetExchangeOk added in v2.0.17

func (o *MarketHoliday) GetExchangeOk() (*string, bool)

GetExchangeOk returns a tuple with the Exchange field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketHoliday) GetTimezone added in v2.0.17

func (o *MarketHoliday) GetTimezone() string

GetTimezone returns the Timezone field value if set, zero value otherwise.

func (*MarketHoliday) GetTimezoneOk added in v2.0.17

func (o *MarketHoliday) GetTimezoneOk() (*string, bool)

GetTimezoneOk returns a tuple with the Timezone field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketHoliday) HasData added in v2.0.17

func (o *MarketHoliday) HasData() bool

HasData returns a boolean if a field has been set.

func (*MarketHoliday) HasExchange added in v2.0.17

func (o *MarketHoliday) HasExchange() bool

HasExchange returns a boolean if a field has been set.

func (*MarketHoliday) HasTimezone added in v2.0.17

func (o *MarketHoliday) HasTimezone() bool

HasTimezone returns a boolean if a field has been set.

func (MarketHoliday) MarshalJSON added in v2.0.17

func (o MarketHoliday) MarshalJSON() ([]byte, error)

func (*MarketHoliday) SetData added in v2.0.17

func (o *MarketHoliday) SetData(v []MarketHolidayData)

SetData gets a reference to the given []MarketHolidayData and assigns it to the Data field.

func (*MarketHoliday) SetExchange added in v2.0.17

func (o *MarketHoliday) SetExchange(v string)

SetExchange gets a reference to the given string and assigns it to the Exchange field.

func (*MarketHoliday) SetTimezone added in v2.0.17

func (o *MarketHoliday) SetTimezone(v string)

SetTimezone gets a reference to the given string and assigns it to the Timezone field.

type MarketHolidayData added in v2.0.17

type MarketHolidayData struct {
	// Holiday's name.
	EventName *string `json:"eventName,omitempty"`
	// Date.
	AtDate *string `json:"atDate,omitempty"`
	// Trading hours for this day if the market is partially closed only.
	TradingHour *string `json:"tradingHour,omitempty"`
}

MarketHolidayData struct for MarketHolidayData

func NewMarketHolidayData added in v2.0.17

func NewMarketHolidayData() *MarketHolidayData

NewMarketHolidayData instantiates a new MarketHolidayData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewMarketHolidayDataWithDefaults added in v2.0.17

func NewMarketHolidayDataWithDefaults() *MarketHolidayData

NewMarketHolidayDataWithDefaults instantiates a new MarketHolidayData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*MarketHolidayData) GetAtDate added in v2.0.17

func (o *MarketHolidayData) GetAtDate() string

GetAtDate returns the AtDate field value if set, zero value otherwise.

func (*MarketHolidayData) GetAtDateOk added in v2.0.17

func (o *MarketHolidayData) GetAtDateOk() (*string, bool)

GetAtDateOk returns a tuple with the AtDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketHolidayData) GetEventName added in v2.0.17

func (o *MarketHolidayData) GetEventName() string

GetEventName returns the EventName field value if set, zero value otherwise.

func (*MarketHolidayData) GetEventNameOk added in v2.0.17

func (o *MarketHolidayData) GetEventNameOk() (*string, bool)

GetEventNameOk returns a tuple with the EventName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketHolidayData) GetTradingHour added in v2.0.17

func (o *MarketHolidayData) GetTradingHour() string

GetTradingHour returns the TradingHour field value if set, zero value otherwise.

func (*MarketHolidayData) GetTradingHourOk added in v2.0.17

func (o *MarketHolidayData) GetTradingHourOk() (*string, bool)

GetTradingHourOk returns a tuple with the TradingHour field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketHolidayData) HasAtDate added in v2.0.17

func (o *MarketHolidayData) HasAtDate() bool

HasAtDate returns a boolean if a field has been set.

func (*MarketHolidayData) HasEventName added in v2.0.17

func (o *MarketHolidayData) HasEventName() bool

HasEventName returns a boolean if a field has been set.

func (*MarketHolidayData) HasTradingHour added in v2.0.17

func (o *MarketHolidayData) HasTradingHour() bool

HasTradingHour returns a boolean if a field has been set.

func (MarketHolidayData) MarshalJSON added in v2.0.17

func (o MarketHolidayData) MarshalJSON() ([]byte, error)

func (*MarketHolidayData) SetAtDate added in v2.0.17

func (o *MarketHolidayData) SetAtDate(v string)

SetAtDate gets a reference to the given string and assigns it to the AtDate field.

func (*MarketHolidayData) SetEventName added in v2.0.17

func (o *MarketHolidayData) SetEventName(v string)

SetEventName gets a reference to the given string and assigns it to the EventName field.

func (*MarketHolidayData) SetTradingHour added in v2.0.17

func (o *MarketHolidayData) SetTradingHour(v string)

SetTradingHour gets a reference to the given string and assigns it to the TradingHour field.

type MarketNews

type MarketNews struct {
	// News category.
	Category *string `json:"category,omitempty"`
	// Published time in UNIX timestamp.
	Datetime *int64 `json:"datetime,omitempty"`
	// News headline.
	Headline *string `json:"headline,omitempty"`
	// News ID. This value can be used for <code>minId</code> params to get the latest news only.
	Id *int64 `json:"id,omitempty"`
	// Thumbnail image URL.
	Image *string `json:"image,omitempty"`
	// Related stocks and companies mentioned in the article.
	Related *string `json:"related,omitempty"`
	// News source.
	Source *string `json:"source,omitempty"`
	// News summary.
	Summary *string `json:"summary,omitempty"`
	// URL of the original article.
	Url *string `json:"url,omitempty"`
}

MarketNews struct for MarketNews

func NewMarketNews

func NewMarketNews() *MarketNews

NewMarketNews instantiates a new MarketNews object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewMarketNewsWithDefaults

func NewMarketNewsWithDefaults() *MarketNews

NewMarketNewsWithDefaults instantiates a new MarketNews object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*MarketNews) GetCategory

func (o *MarketNews) GetCategory() string

GetCategory returns the Category field value if set, zero value otherwise.

func (*MarketNews) GetCategoryOk

func (o *MarketNews) GetCategoryOk() (*string, bool)

GetCategoryOk returns a tuple with the Category field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketNews) GetDatetime

func (o *MarketNews) GetDatetime() int64

GetDatetime returns the Datetime field value if set, zero value otherwise.

func (*MarketNews) GetDatetimeOk

func (o *MarketNews) GetDatetimeOk() (*int64, bool)

GetDatetimeOk returns a tuple with the Datetime field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketNews) GetHeadline

func (o *MarketNews) GetHeadline() string

GetHeadline returns the Headline field value if set, zero value otherwise.

func (*MarketNews) GetHeadlineOk

func (o *MarketNews) GetHeadlineOk() (*string, bool)

GetHeadlineOk returns a tuple with the Headline field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketNews) GetId

func (o *MarketNews) GetId() int64

GetId returns the Id field value if set, zero value otherwise.

func (*MarketNews) GetIdOk

func (o *MarketNews) GetIdOk() (*int64, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketNews) GetImage

func (o *MarketNews) GetImage() string

GetImage returns the Image field value if set, zero value otherwise.

func (*MarketNews) GetImageOk

func (o *MarketNews) GetImageOk() (*string, bool)

GetImageOk returns a tuple with the Image field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketNews) GetRelated

func (o *MarketNews) GetRelated() string

GetRelated returns the Related field value if set, zero value otherwise.

func (*MarketNews) GetRelatedOk

func (o *MarketNews) GetRelatedOk() (*string, bool)

GetRelatedOk returns a tuple with the Related field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketNews) GetSource

func (o *MarketNews) GetSource() string

GetSource returns the Source field value if set, zero value otherwise.

func (*MarketNews) GetSourceOk

func (o *MarketNews) GetSourceOk() (*string, bool)

GetSourceOk returns a tuple with the Source field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketNews) GetSummary

func (o *MarketNews) GetSummary() string

GetSummary returns the Summary field value if set, zero value otherwise.

func (*MarketNews) GetSummaryOk

func (o *MarketNews) GetSummaryOk() (*string, bool)

GetSummaryOk returns a tuple with the Summary field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketNews) GetUrl

func (o *MarketNews) GetUrl() string

GetUrl returns the Url field value if set, zero value otherwise.

func (*MarketNews) GetUrlOk

func (o *MarketNews) GetUrlOk() (*string, bool)

GetUrlOk returns a tuple with the Url field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketNews) HasCategory

func (o *MarketNews) HasCategory() bool

HasCategory returns a boolean if a field has been set.

func (*MarketNews) HasDatetime

func (o *MarketNews) HasDatetime() bool

HasDatetime returns a boolean if a field has been set.

func (*MarketNews) HasHeadline

func (o *MarketNews) HasHeadline() bool

HasHeadline returns a boolean if a field has been set.

func (*MarketNews) HasId

func (o *MarketNews) HasId() bool

HasId returns a boolean if a field has been set.

func (*MarketNews) HasImage

func (o *MarketNews) HasImage() bool

HasImage returns a boolean if a field has been set.

func (*MarketNews) HasRelated

func (o *MarketNews) HasRelated() bool

HasRelated returns a boolean if a field has been set.

func (*MarketNews) HasSource

func (o *MarketNews) HasSource() bool

HasSource returns a boolean if a field has been set.

func (*MarketNews) HasSummary

func (o *MarketNews) HasSummary() bool

HasSummary returns a boolean if a field has been set.

func (*MarketNews) HasUrl

func (o *MarketNews) HasUrl() bool

HasUrl returns a boolean if a field has been set.

func (MarketNews) MarshalJSON

func (o MarketNews) MarshalJSON() ([]byte, error)

func (*MarketNews) SetCategory

func (o *MarketNews) SetCategory(v string)

SetCategory gets a reference to the given string and assigns it to the Category field.

func (*MarketNews) SetDatetime

func (o *MarketNews) SetDatetime(v int64)

SetDatetime gets a reference to the given int64 and assigns it to the Datetime field.

func (*MarketNews) SetHeadline

func (o *MarketNews) SetHeadline(v string)

SetHeadline gets a reference to the given string and assigns it to the Headline field.

func (*MarketNews) SetId

func (o *MarketNews) SetId(v int64)

SetId gets a reference to the given int64 and assigns it to the Id field.

func (*MarketNews) SetImage

func (o *MarketNews) SetImage(v string)

SetImage gets a reference to the given string and assigns it to the Image field.

func (*MarketNews) SetRelated

func (o *MarketNews) SetRelated(v string)

SetRelated gets a reference to the given string and assigns it to the Related field.

func (*MarketNews) SetSource

func (o *MarketNews) SetSource(v string)

SetSource gets a reference to the given string and assigns it to the Source field.

func (*MarketNews) SetSummary

func (o *MarketNews) SetSummary(v string)

SetSummary gets a reference to the given string and assigns it to the Summary field.

func (*MarketNews) SetUrl

func (o *MarketNews) SetUrl(v string)

SetUrl gets a reference to the given string and assigns it to the Url field.

type MarketStatus added in v2.0.17

type MarketStatus struct {
	// Exchange.
	Exchange *string `json:"exchange,omitempty"`
	// Timezone.
	Timezone *string `json:"timezone,omitempty"`
	// Market session.
	Session *string `json:"session,omitempty"`
	// Holiday event.
	Holiday *string `json:"holiday,omitempty"`
	// Whether the market is open at the moment.
	IsOpen *bool `json:"isOpen,omitempty"`
	// Current timestamp.
	T *int64 `json:"t,omitempty"`
}

MarketStatus struct for MarketStatus

func NewMarketStatus added in v2.0.17

func NewMarketStatus() *MarketStatus

NewMarketStatus instantiates a new MarketStatus object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewMarketStatusWithDefaults added in v2.0.17

func NewMarketStatusWithDefaults() *MarketStatus

NewMarketStatusWithDefaults instantiates a new MarketStatus object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*MarketStatus) GetExchange added in v2.0.17

func (o *MarketStatus) GetExchange() string

GetExchange returns the Exchange field value if set, zero value otherwise.

func (*MarketStatus) GetExchangeOk added in v2.0.17

func (o *MarketStatus) GetExchangeOk() (*string, bool)

GetExchangeOk returns a tuple with the Exchange field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketStatus) GetHoliday added in v2.0.17

func (o *MarketStatus) GetHoliday() string

GetHoliday returns the Holiday field value if set, zero value otherwise.

func (*MarketStatus) GetHolidayOk added in v2.0.17

func (o *MarketStatus) GetHolidayOk() (*string, bool)

GetHolidayOk returns a tuple with the Holiday field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketStatus) GetIsOpen added in v2.0.17

func (o *MarketStatus) GetIsOpen() bool

GetIsOpen returns the IsOpen field value if set, zero value otherwise.

func (*MarketStatus) GetIsOpenOk added in v2.0.17

func (o *MarketStatus) GetIsOpenOk() (*bool, bool)

GetIsOpenOk returns a tuple with the IsOpen field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketStatus) GetSession added in v2.0.17

func (o *MarketStatus) GetSession() string

GetSession returns the Session field value if set, zero value otherwise.

func (*MarketStatus) GetSessionOk added in v2.0.17

func (o *MarketStatus) GetSessionOk() (*string, bool)

GetSessionOk returns a tuple with the Session field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketStatus) GetT added in v2.0.17

func (o *MarketStatus) GetT() int64

GetT returns the T field value if set, zero value otherwise.

func (*MarketStatus) GetTOk added in v2.0.17

func (o *MarketStatus) GetTOk() (*int64, bool)

GetTOk returns a tuple with the T field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketStatus) GetTimezone added in v2.0.17

func (o *MarketStatus) GetTimezone() string

GetTimezone returns the Timezone field value if set, zero value otherwise.

func (*MarketStatus) GetTimezoneOk added in v2.0.17

func (o *MarketStatus) GetTimezoneOk() (*string, bool)

GetTimezoneOk returns a tuple with the Timezone field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MarketStatus) HasExchange added in v2.0.17

func (o *MarketStatus) HasExchange() bool

HasExchange returns a boolean if a field has been set.

func (*MarketStatus) HasHoliday added in v2.0.17

func (o *MarketStatus) HasHoliday() bool

HasHoliday returns a boolean if a field has been set.

func (*MarketStatus) HasIsOpen added in v2.0.17

func (o *MarketStatus) HasIsOpen() bool

HasIsOpen returns a boolean if a field has been set.

func (*MarketStatus) HasSession added in v2.0.17

func (o *MarketStatus) HasSession() bool

HasSession returns a boolean if a field has been set.

func (*MarketStatus) HasT added in v2.0.17

func (o *MarketStatus) HasT() bool

HasT returns a boolean if a field has been set.

func (*MarketStatus) HasTimezone added in v2.0.17

func (o *MarketStatus) HasTimezone() bool

HasTimezone returns a boolean if a field has been set.

func (MarketStatus) MarshalJSON added in v2.0.17

func (o MarketStatus) MarshalJSON() ([]byte, error)

func (*MarketStatus) SetExchange added in v2.0.17

func (o *MarketStatus) SetExchange(v string)

SetExchange gets a reference to the given string and assigns it to the Exchange field.

func (*MarketStatus) SetHoliday added in v2.0.17

func (o *MarketStatus) SetHoliday(v string)

SetHoliday gets a reference to the given string and assigns it to the Holiday field.

func (*MarketStatus) SetIsOpen added in v2.0.17

func (o *MarketStatus) SetIsOpen(v bool)

SetIsOpen gets a reference to the given bool and assigns it to the IsOpen field.

func (*MarketStatus) SetSession added in v2.0.17

func (o *MarketStatus) SetSession(v string)

SetSession gets a reference to the given string and assigns it to the Session field.

func (*MarketStatus) SetT added in v2.0.17

func (o *MarketStatus) SetT(v int64)

SetT gets a reference to the given int64 and assigns it to the T field.

func (*MarketStatus) SetTimezone added in v2.0.17

func (o *MarketStatus) SetTimezone(v string)

SetTimezone gets a reference to the given string and assigns it to the Timezone field.

type MutualFundCountryExposure

type MutualFundCountryExposure struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Array of countries and and exposure levels.
	CountryExposure *[]MutualFundCountryExposureData `json:"countryExposure,omitempty"`
}

MutualFundCountryExposure struct for MutualFundCountryExposure

func NewMutualFundCountryExposure

func NewMutualFundCountryExposure() *MutualFundCountryExposure

NewMutualFundCountryExposure instantiates a new MutualFundCountryExposure object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewMutualFundCountryExposureWithDefaults

func NewMutualFundCountryExposureWithDefaults() *MutualFundCountryExposure

NewMutualFundCountryExposureWithDefaults instantiates a new MutualFundCountryExposure object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*MutualFundCountryExposure) GetCountryExposure

func (o *MutualFundCountryExposure) GetCountryExposure() []MutualFundCountryExposureData

GetCountryExposure returns the CountryExposure field value if set, zero value otherwise.

func (*MutualFundCountryExposure) GetCountryExposureOk

func (o *MutualFundCountryExposure) GetCountryExposureOk() (*[]MutualFundCountryExposureData, bool)

GetCountryExposureOk returns a tuple with the CountryExposure field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundCountryExposure) GetSymbol

func (o *MutualFundCountryExposure) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*MutualFundCountryExposure) GetSymbolOk

func (o *MutualFundCountryExposure) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundCountryExposure) HasCountryExposure

func (o *MutualFundCountryExposure) HasCountryExposure() bool

HasCountryExposure returns a boolean if a field has been set.

func (*MutualFundCountryExposure) HasSymbol

func (o *MutualFundCountryExposure) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (MutualFundCountryExposure) MarshalJSON

func (o MutualFundCountryExposure) MarshalJSON() ([]byte, error)

func (*MutualFundCountryExposure) SetCountryExposure

func (o *MutualFundCountryExposure) SetCountryExposure(v []MutualFundCountryExposureData)

SetCountryExposure gets a reference to the given []MutualFundCountryExposureData and assigns it to the CountryExposure field.

func (*MutualFundCountryExposure) SetSymbol

func (o *MutualFundCountryExposure) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type MutualFundCountryExposureData

type MutualFundCountryExposureData struct {
	// Country
	Country *string `json:"country,omitempty"`
	// Percent of exposure.
	Exposure *float32 `json:"exposure,omitempty"`
}

MutualFundCountryExposureData struct for MutualFundCountryExposureData

func NewMutualFundCountryExposureData

func NewMutualFundCountryExposureData() *MutualFundCountryExposureData

NewMutualFundCountryExposureData instantiates a new MutualFundCountryExposureData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewMutualFundCountryExposureDataWithDefaults

func NewMutualFundCountryExposureDataWithDefaults() *MutualFundCountryExposureData

NewMutualFundCountryExposureDataWithDefaults instantiates a new MutualFundCountryExposureData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*MutualFundCountryExposureData) GetCountry

func (o *MutualFundCountryExposureData) GetCountry() string

GetCountry returns the Country field value if set, zero value otherwise.

func (*MutualFundCountryExposureData) GetCountryOk

func (o *MutualFundCountryExposureData) GetCountryOk() (*string, bool)

GetCountryOk returns a tuple with the Country field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundCountryExposureData) GetExposure

func (o *MutualFundCountryExposureData) GetExposure() float32

GetExposure returns the Exposure field value if set, zero value otherwise.

func (*MutualFundCountryExposureData) GetExposureOk

func (o *MutualFundCountryExposureData) GetExposureOk() (*float32, bool)

GetExposureOk returns a tuple with the Exposure field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundCountryExposureData) HasCountry

func (o *MutualFundCountryExposureData) HasCountry() bool

HasCountry returns a boolean if a field has been set.

func (*MutualFundCountryExposureData) HasExposure

func (o *MutualFundCountryExposureData) HasExposure() bool

HasExposure returns a boolean if a field has been set.

func (MutualFundCountryExposureData) MarshalJSON

func (o MutualFundCountryExposureData) MarshalJSON() ([]byte, error)

func (*MutualFundCountryExposureData) SetCountry

func (o *MutualFundCountryExposureData) SetCountry(v string)

SetCountry gets a reference to the given string and assigns it to the Country field.

func (*MutualFundCountryExposureData) SetExposure

func (o *MutualFundCountryExposureData) SetExposure(v float32)

SetExposure gets a reference to the given float32 and assigns it to the Exposure field.

type MutualFundEet added in v2.0.16

type MutualFundEet struct {
	// ISIN.
	Isin *string                 `json:"isin,omitempty"`
	Data *map[string]interface{} `json:"data,omitempty"`
}

MutualFundEet struct for MutualFundEet

func NewMutualFundEet added in v2.0.16

func NewMutualFundEet() *MutualFundEet

NewMutualFundEet instantiates a new MutualFundEet object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewMutualFundEetWithDefaults added in v2.0.16

func NewMutualFundEetWithDefaults() *MutualFundEet

NewMutualFundEetWithDefaults instantiates a new MutualFundEet object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*MutualFundEet) GetData added in v2.0.16

func (o *MutualFundEet) GetData() map[string]interface{}

GetData returns the Data field value if set, zero value otherwise.

func (*MutualFundEet) GetDataOk added in v2.0.16

func (o *MutualFundEet) GetDataOk() (*map[string]interface{}, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundEet) GetIsin added in v2.0.16

func (o *MutualFundEet) GetIsin() string

GetIsin returns the Isin field value if set, zero value otherwise.

func (*MutualFundEet) GetIsinOk added in v2.0.16

func (o *MutualFundEet) GetIsinOk() (*string, bool)

GetIsinOk returns a tuple with the Isin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundEet) HasData added in v2.0.16

func (o *MutualFundEet) HasData() bool

HasData returns a boolean if a field has been set.

func (*MutualFundEet) HasIsin added in v2.0.16

func (o *MutualFundEet) HasIsin() bool

HasIsin returns a boolean if a field has been set.

func (MutualFundEet) MarshalJSON added in v2.0.16

func (o MutualFundEet) MarshalJSON() ([]byte, error)

func (*MutualFundEet) SetData added in v2.0.16

func (o *MutualFundEet) SetData(v map[string]interface{})

SetData gets a reference to the given map[string]interface{} and assigns it to the Data field.

func (*MutualFundEet) SetIsin added in v2.0.16

func (o *MutualFundEet) SetIsin(v string)

SetIsin gets a reference to the given string and assigns it to the Isin field.

type MutualFundEetPai added in v2.0.16

type MutualFundEetPai struct {
	// ISIN.
	Isin *string                 `json:"isin,omitempty"`
	Data *map[string]interface{} `json:"data,omitempty"`
}

MutualFundEetPai struct for MutualFundEetPai

func NewMutualFundEetPai added in v2.0.16

func NewMutualFundEetPai() *MutualFundEetPai

NewMutualFundEetPai instantiates a new MutualFundEetPai object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewMutualFundEetPaiWithDefaults added in v2.0.16

func NewMutualFundEetPaiWithDefaults() *MutualFundEetPai

NewMutualFundEetPaiWithDefaults instantiates a new MutualFundEetPai object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*MutualFundEetPai) GetData added in v2.0.16

func (o *MutualFundEetPai) GetData() map[string]interface{}

GetData returns the Data field value if set, zero value otherwise.

func (*MutualFundEetPai) GetDataOk added in v2.0.16

func (o *MutualFundEetPai) GetDataOk() (*map[string]interface{}, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundEetPai) GetIsin added in v2.0.16

func (o *MutualFundEetPai) GetIsin() string

GetIsin returns the Isin field value if set, zero value otherwise.

func (*MutualFundEetPai) GetIsinOk added in v2.0.16

func (o *MutualFundEetPai) GetIsinOk() (*string, bool)

GetIsinOk returns a tuple with the Isin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundEetPai) HasData added in v2.0.16

func (o *MutualFundEetPai) HasData() bool

HasData returns a boolean if a field has been set.

func (*MutualFundEetPai) HasIsin added in v2.0.16

func (o *MutualFundEetPai) HasIsin() bool

HasIsin returns a boolean if a field has been set.

func (MutualFundEetPai) MarshalJSON added in v2.0.16

func (o MutualFundEetPai) MarshalJSON() ([]byte, error)

func (*MutualFundEetPai) SetData added in v2.0.16

func (o *MutualFundEetPai) SetData(v map[string]interface{})

SetData gets a reference to the given map[string]interface{} and assigns it to the Data field.

func (*MutualFundEetPai) SetIsin added in v2.0.16

func (o *MutualFundEetPai) SetIsin(v string)

SetIsin gets a reference to the given string and assigns it to the Isin field.

type MutualFundHoldings

type MutualFundHoldings struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Holdings update date.
	AtDate *string `json:"atDate,omitempty"`
	// Number of holdings.
	NumberOfHoldings *int64 `json:"numberOfHoldings,omitempty"`
	// Array of holdings.
	Holdings *[]MutualFundHoldingsData `json:"holdings,omitempty"`
}

MutualFundHoldings struct for MutualFundHoldings

func NewMutualFundHoldings

func NewMutualFundHoldings() *MutualFundHoldings

NewMutualFundHoldings instantiates a new MutualFundHoldings object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewMutualFundHoldingsWithDefaults

func NewMutualFundHoldingsWithDefaults() *MutualFundHoldings

NewMutualFundHoldingsWithDefaults instantiates a new MutualFundHoldings object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*MutualFundHoldings) GetAtDate

func (o *MutualFundHoldings) GetAtDate() string

GetAtDate returns the AtDate field value if set, zero value otherwise.

func (*MutualFundHoldings) GetAtDateOk

func (o *MutualFundHoldings) GetAtDateOk() (*string, bool)

GetAtDateOk returns a tuple with the AtDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundHoldings) GetHoldings

func (o *MutualFundHoldings) GetHoldings() []MutualFundHoldingsData

GetHoldings returns the Holdings field value if set, zero value otherwise.

func (*MutualFundHoldings) GetHoldingsOk

func (o *MutualFundHoldings) GetHoldingsOk() (*[]MutualFundHoldingsData, bool)

GetHoldingsOk returns a tuple with the Holdings field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundHoldings) GetNumberOfHoldings

func (o *MutualFundHoldings) GetNumberOfHoldings() int64

GetNumberOfHoldings returns the NumberOfHoldings field value if set, zero value otherwise.

func (*MutualFundHoldings) GetNumberOfHoldingsOk

func (o *MutualFundHoldings) GetNumberOfHoldingsOk() (*int64, bool)

GetNumberOfHoldingsOk returns a tuple with the NumberOfHoldings field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundHoldings) GetSymbol

func (o *MutualFundHoldings) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*MutualFundHoldings) GetSymbolOk

func (o *MutualFundHoldings) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundHoldings) HasAtDate

func (o *MutualFundHoldings) HasAtDate() bool

HasAtDate returns a boolean if a field has been set.

func (*MutualFundHoldings) HasHoldings

func (o *MutualFundHoldings) HasHoldings() bool

HasHoldings returns a boolean if a field has been set.

func (*MutualFundHoldings) HasNumberOfHoldings

func (o *MutualFundHoldings) HasNumberOfHoldings() bool

HasNumberOfHoldings returns a boolean if a field has been set.

func (*MutualFundHoldings) HasSymbol

func (o *MutualFundHoldings) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (MutualFundHoldings) MarshalJSON

func (o MutualFundHoldings) MarshalJSON() ([]byte, error)

func (*MutualFundHoldings) SetAtDate

func (o *MutualFundHoldings) SetAtDate(v string)

SetAtDate gets a reference to the given string and assigns it to the AtDate field.

func (*MutualFundHoldings) SetHoldings

func (o *MutualFundHoldings) SetHoldings(v []MutualFundHoldingsData)

SetHoldings gets a reference to the given []MutualFundHoldingsData and assigns it to the Holdings field.

func (*MutualFundHoldings) SetNumberOfHoldings

func (o *MutualFundHoldings) SetNumberOfHoldings(v int64)

SetNumberOfHoldings gets a reference to the given int64 and assigns it to the NumberOfHoldings field.

func (*MutualFundHoldings) SetSymbol

func (o *MutualFundHoldings) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type MutualFundHoldingsData

type MutualFundHoldingsData struct {
	// Symbol description
	Symbol *string `json:"symbol,omitempty"`
	// Security name
	Name *string `json:"name,omitempty"`
	// ISIN.
	Isin *string `json:"isin,omitempty"`
	// CUSIP.
	Cusip *string `json:"cusip,omitempty"`
	// Number of shares.
	Share *float32 `json:"share,omitempty"`
	// Portfolio's percent
	Percent *float32 `json:"percent,omitempty"`
	// Market value
	Value *float32 `json:"value,omitempty"`
	// Asset type. Can be 1 of the following values: <code>Equity</code>, <code>ETP</code>, <code>Fund</code>, <code>Bond</code>, <code>Other</code> or empty.
	AssetType *string `json:"assetType,omitempty"`
}

MutualFundHoldingsData struct for MutualFundHoldingsData

func NewMutualFundHoldingsData

func NewMutualFundHoldingsData() *MutualFundHoldingsData

NewMutualFundHoldingsData instantiates a new MutualFundHoldingsData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewMutualFundHoldingsDataWithDefaults

func NewMutualFundHoldingsDataWithDefaults() *MutualFundHoldingsData

NewMutualFundHoldingsDataWithDefaults instantiates a new MutualFundHoldingsData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*MutualFundHoldingsData) GetAssetType added in v2.0.16

func (o *MutualFundHoldingsData) GetAssetType() string

GetAssetType returns the AssetType field value if set, zero value otherwise.

func (*MutualFundHoldingsData) GetAssetTypeOk added in v2.0.16

func (o *MutualFundHoldingsData) GetAssetTypeOk() (*string, bool)

GetAssetTypeOk returns a tuple with the AssetType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundHoldingsData) GetCusip

func (o *MutualFundHoldingsData) GetCusip() string

GetCusip returns the Cusip field value if set, zero value otherwise.

func (*MutualFundHoldingsData) GetCusipOk

func (o *MutualFundHoldingsData) GetCusipOk() (*string, bool)

GetCusipOk returns a tuple with the Cusip field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundHoldingsData) GetIsin

func (o *MutualFundHoldingsData) GetIsin() string

GetIsin returns the Isin field value if set, zero value otherwise.

func (*MutualFundHoldingsData) GetIsinOk

func (o *MutualFundHoldingsData) GetIsinOk() (*string, bool)

GetIsinOk returns a tuple with the Isin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundHoldingsData) GetName

func (o *MutualFundHoldingsData) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*MutualFundHoldingsData) GetNameOk

func (o *MutualFundHoldingsData) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundHoldingsData) GetPercent

func (o *MutualFundHoldingsData) GetPercent() float32

GetPercent returns the Percent field value if set, zero value otherwise.

func (*MutualFundHoldingsData) GetPercentOk

func (o *MutualFundHoldingsData) GetPercentOk() (*float32, bool)

GetPercentOk returns a tuple with the Percent field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundHoldingsData) GetShare

func (o *MutualFundHoldingsData) GetShare() float32

GetShare returns the Share field value if set, zero value otherwise.

func (*MutualFundHoldingsData) GetShareOk

func (o *MutualFundHoldingsData) GetShareOk() (*float32, bool)

GetShareOk returns a tuple with the Share field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundHoldingsData) GetSymbol

func (o *MutualFundHoldingsData) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*MutualFundHoldingsData) GetSymbolOk

func (o *MutualFundHoldingsData) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundHoldingsData) GetValue

func (o *MutualFundHoldingsData) GetValue() float32

GetValue returns the Value field value if set, zero value otherwise.

func (*MutualFundHoldingsData) GetValueOk

func (o *MutualFundHoldingsData) GetValueOk() (*float32, bool)

GetValueOk returns a tuple with the Value field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundHoldingsData) HasAssetType added in v2.0.16

func (o *MutualFundHoldingsData) HasAssetType() bool

HasAssetType returns a boolean if a field has been set.

func (*MutualFundHoldingsData) HasCusip

func (o *MutualFundHoldingsData) HasCusip() bool

HasCusip returns a boolean if a field has been set.

func (*MutualFundHoldingsData) HasIsin

func (o *MutualFundHoldingsData) HasIsin() bool

HasIsin returns a boolean if a field has been set.

func (*MutualFundHoldingsData) HasName

func (o *MutualFundHoldingsData) HasName() bool

HasName returns a boolean if a field has been set.

func (*MutualFundHoldingsData) HasPercent

func (o *MutualFundHoldingsData) HasPercent() bool

HasPercent returns a boolean if a field has been set.

func (*MutualFundHoldingsData) HasShare

func (o *MutualFundHoldingsData) HasShare() bool

HasShare returns a boolean if a field has been set.

func (*MutualFundHoldingsData) HasSymbol

func (o *MutualFundHoldingsData) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*MutualFundHoldingsData) HasValue

func (o *MutualFundHoldingsData) HasValue() bool

HasValue returns a boolean if a field has been set.

func (MutualFundHoldingsData) MarshalJSON

func (o MutualFundHoldingsData) MarshalJSON() ([]byte, error)

func (*MutualFundHoldingsData) SetAssetType added in v2.0.16

func (o *MutualFundHoldingsData) SetAssetType(v string)

SetAssetType gets a reference to the given string and assigns it to the AssetType field.

func (*MutualFundHoldingsData) SetCusip

func (o *MutualFundHoldingsData) SetCusip(v string)

SetCusip gets a reference to the given string and assigns it to the Cusip field.

func (*MutualFundHoldingsData) SetIsin

func (o *MutualFundHoldingsData) SetIsin(v string)

SetIsin gets a reference to the given string and assigns it to the Isin field.

func (*MutualFundHoldingsData) SetName

func (o *MutualFundHoldingsData) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*MutualFundHoldingsData) SetPercent

func (o *MutualFundHoldingsData) SetPercent(v float32)

SetPercent gets a reference to the given float32 and assigns it to the Percent field.

func (*MutualFundHoldingsData) SetShare

func (o *MutualFundHoldingsData) SetShare(v float32)

SetShare gets a reference to the given float32 and assigns it to the Share field.

func (*MutualFundHoldingsData) SetSymbol

func (o *MutualFundHoldingsData) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*MutualFundHoldingsData) SetValue

func (o *MutualFundHoldingsData) SetValue(v float32)

SetValue gets a reference to the given float32 and assigns it to the Value field.

type MutualFundProfile

type MutualFundProfile struct {
	// Symbol.
	Symbol  *string                `json:"symbol,omitempty"`
	Profile *MutualFundProfileData `json:"profile,omitempty"`
}

MutualFundProfile struct for MutualFundProfile

func NewMutualFundProfile

func NewMutualFundProfile() *MutualFundProfile

NewMutualFundProfile instantiates a new MutualFundProfile object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewMutualFundProfileWithDefaults

func NewMutualFundProfileWithDefaults() *MutualFundProfile

NewMutualFundProfileWithDefaults instantiates a new MutualFundProfile object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*MutualFundProfile) GetProfile

func (o *MutualFundProfile) GetProfile() MutualFundProfileData

GetProfile returns the Profile field value if set, zero value otherwise.

func (*MutualFundProfile) GetProfileOk

func (o *MutualFundProfile) GetProfileOk() (*MutualFundProfileData, bool)

GetProfileOk returns a tuple with the Profile field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfile) GetSymbol

func (o *MutualFundProfile) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*MutualFundProfile) GetSymbolOk

func (o *MutualFundProfile) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfile) HasProfile

func (o *MutualFundProfile) HasProfile() bool

HasProfile returns a boolean if a field has been set.

func (*MutualFundProfile) HasSymbol

func (o *MutualFundProfile) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (MutualFundProfile) MarshalJSON

func (o MutualFundProfile) MarshalJSON() ([]byte, error)

func (*MutualFundProfile) SetProfile

func (o *MutualFundProfile) SetProfile(v MutualFundProfileData)

SetProfile gets a reference to the given MutualFundProfileData and assigns it to the Profile field.

func (*MutualFundProfile) SetSymbol

func (o *MutualFundProfile) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type MutualFundProfileData

type MutualFundProfileData struct {
	// Name
	Name *string `json:"name,omitempty"`
	// Fund's category.
	Category *string `json:"category,omitempty"`
	// Investment Segment.
	InvestmentSegment *string `json:"investmentSegment,omitempty"`
	// NAV.
	TotalNav *float32 `json:"totalNav,omitempty"`
	// Expense ratio.
	ExpenseRatio *float32 `json:"expenseRatio,omitempty"`
	// Index benchmark.
	Benchmark *string `json:"benchmark,omitempty"`
	// Inception date.
	InceptionDate *string `json:"inceptionDate,omitempty"`
	// Fund's description.
	Description *string `json:"description,omitempty"`
	// Fund Family.
	FundFamily *string `json:"fundFamily,omitempty"`
	// Fund Company.
	FundCompany *string `json:"fundCompany,omitempty"`
	// Fund's managers.
	Manager *string `json:"manager,omitempty"`
	// Status.
	Status *string `json:"status,omitempty"`
	// Beta.
	Beta *float32 `json:"beta,omitempty"`
	// Deferred load.
	DeferredLoad *float32 `json:"deferredLoad,omitempty"`
	// 12B-1 fee.
	Fee12b1 *float32 `json:"fee12b1,omitempty"`
	// Front Load.
	FrontLoad *float32 `json:"frontLoad,omitempty"`
	// IRA minimum investment.
	IraMinInvestment *float32 `json:"iraMinInvestment,omitempty"`
	// ISIN.
	Isin *string `json:"isin,omitempty"`
	// CUSIP.
	Cusip *string `json:"cusip,omitempty"`
	// Max redemption fee.
	MaxRedemptionFee *float32 `json:"maxRedemptionFee,omitempty"`
	// Minimum investment for standard accounts.
	StandardMinInvestment *float32 `json:"standardMinInvestment,omitempty"`
	// Turnover.
	Turnover *float32 `json:"turnover,omitempty"`
	// Fund's series ID. This field can be used to group multiple share classes into 1 unique fund.
	SeriesId *string `json:"seriesId,omitempty"`
	// Fund's series name.
	SeriesName *string `json:"seriesName,omitempty"`
	// Class ID.
	ClassId *string `json:"classId,omitempty"`
	// Class name.
	ClassName *string `json:"className,omitempty"`
	// SFDR classification for EU funds. Under the new classifications, a fund's strategy will labeled under either Article 6, 8 or 9. Article 6 covers funds which do not integrate any kind of sustainability into the investment process. Article 8, also known as ‘environmental and socially promoting’, applies “… where a financial product promotes, among other characteristics, environmental or social characteristics, or a combination of those characteristics, provided that the companies in which the investments are made follow good governance practices.”. Article 9, also known as ‘products targeting sustainable investments’, covers products targeting bespoke sustainable investments and applies “… where a financial product has sustainable investment as its objective and an index has been designated as a reference benchmark.”
	SfdrClassification *string `json:"sfdrClassification,omitempty"`
	// Fund's currency
	Currency *string `json:"currency,omitempty"`
}

MutualFundProfileData struct for MutualFundProfileData

func NewMutualFundProfileData

func NewMutualFundProfileData() *MutualFundProfileData

NewMutualFundProfileData instantiates a new MutualFundProfileData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewMutualFundProfileDataWithDefaults

func NewMutualFundProfileDataWithDefaults() *MutualFundProfileData

NewMutualFundProfileDataWithDefaults instantiates a new MutualFundProfileData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*MutualFundProfileData) GetBenchmark

func (o *MutualFundProfileData) GetBenchmark() string

GetBenchmark returns the Benchmark field value if set, zero value otherwise.

func (*MutualFundProfileData) GetBenchmarkOk

func (o *MutualFundProfileData) GetBenchmarkOk() (*string, bool)

GetBenchmarkOk returns a tuple with the Benchmark field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetBeta

func (o *MutualFundProfileData) GetBeta() float32

GetBeta returns the Beta field value if set, zero value otherwise.

func (*MutualFundProfileData) GetBetaOk

func (o *MutualFundProfileData) GetBetaOk() (*float32, bool)

GetBetaOk returns a tuple with the Beta field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetCategory

func (o *MutualFundProfileData) GetCategory() string

GetCategory returns the Category field value if set, zero value otherwise.

func (*MutualFundProfileData) GetCategoryOk

func (o *MutualFundProfileData) GetCategoryOk() (*string, bool)

GetCategoryOk returns a tuple with the Category field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetClassId added in v2.0.8

func (o *MutualFundProfileData) GetClassId() string

GetClassId returns the ClassId field value if set, zero value otherwise.

func (*MutualFundProfileData) GetClassIdOk added in v2.0.8

func (o *MutualFundProfileData) GetClassIdOk() (*string, bool)

GetClassIdOk returns a tuple with the ClassId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetClassName added in v2.0.8

func (o *MutualFundProfileData) GetClassName() string

GetClassName returns the ClassName field value if set, zero value otherwise.

func (*MutualFundProfileData) GetClassNameOk added in v2.0.8

func (o *MutualFundProfileData) GetClassNameOk() (*string, bool)

GetClassNameOk returns a tuple with the ClassName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetCurrency added in v2.0.14

func (o *MutualFundProfileData) GetCurrency() string

GetCurrency returns the Currency field value if set, zero value otherwise.

func (*MutualFundProfileData) GetCurrencyOk added in v2.0.14

func (o *MutualFundProfileData) GetCurrencyOk() (*string, bool)

GetCurrencyOk returns a tuple with the Currency field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetCusip

func (o *MutualFundProfileData) GetCusip() string

GetCusip returns the Cusip field value if set, zero value otherwise.

func (*MutualFundProfileData) GetCusipOk

func (o *MutualFundProfileData) GetCusipOk() (*string, bool)

GetCusipOk returns a tuple with the Cusip field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetDeferredLoad

func (o *MutualFundProfileData) GetDeferredLoad() float32

GetDeferredLoad returns the DeferredLoad field value if set, zero value otherwise.

func (*MutualFundProfileData) GetDeferredLoadOk

func (o *MutualFundProfileData) GetDeferredLoadOk() (*float32, bool)

GetDeferredLoadOk returns a tuple with the DeferredLoad field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetDescription

func (o *MutualFundProfileData) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*MutualFundProfileData) GetDescriptionOk

func (o *MutualFundProfileData) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetExpenseRatio

func (o *MutualFundProfileData) GetExpenseRatio() float32

GetExpenseRatio returns the ExpenseRatio field value if set, zero value otherwise.

func (*MutualFundProfileData) GetExpenseRatioOk

func (o *MutualFundProfileData) GetExpenseRatioOk() (*float32, bool)

GetExpenseRatioOk returns a tuple with the ExpenseRatio field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetFee12b1

func (o *MutualFundProfileData) GetFee12b1() float32

GetFee12b1 returns the Fee12b1 field value if set, zero value otherwise.

func (*MutualFundProfileData) GetFee12b1Ok

func (o *MutualFundProfileData) GetFee12b1Ok() (*float32, bool)

GetFee12b1Ok returns a tuple with the Fee12b1 field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetFrontLoad

func (o *MutualFundProfileData) GetFrontLoad() float32

GetFrontLoad returns the FrontLoad field value if set, zero value otherwise.

func (*MutualFundProfileData) GetFrontLoadOk

func (o *MutualFundProfileData) GetFrontLoadOk() (*float32, bool)

GetFrontLoadOk returns a tuple with the FrontLoad field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetFundCompany added in v2.0.17

func (o *MutualFundProfileData) GetFundCompany() string

GetFundCompany returns the FundCompany field value if set, zero value otherwise.

func (*MutualFundProfileData) GetFundCompanyOk added in v2.0.17

func (o *MutualFundProfileData) GetFundCompanyOk() (*string, bool)

GetFundCompanyOk returns a tuple with the FundCompany field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetFundFamily

func (o *MutualFundProfileData) GetFundFamily() string

GetFundFamily returns the FundFamily field value if set, zero value otherwise.

func (*MutualFundProfileData) GetFundFamilyOk

func (o *MutualFundProfileData) GetFundFamilyOk() (*string, bool)

GetFundFamilyOk returns a tuple with the FundFamily field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetInceptionDate

func (o *MutualFundProfileData) GetInceptionDate() string

GetInceptionDate returns the InceptionDate field value if set, zero value otherwise.

func (*MutualFundProfileData) GetInceptionDateOk

func (o *MutualFundProfileData) GetInceptionDateOk() (*string, bool)

GetInceptionDateOk returns a tuple with the InceptionDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetInvestmentSegment

func (o *MutualFundProfileData) GetInvestmentSegment() string

GetInvestmentSegment returns the InvestmentSegment field value if set, zero value otherwise.

func (*MutualFundProfileData) GetInvestmentSegmentOk

func (o *MutualFundProfileData) GetInvestmentSegmentOk() (*string, bool)

GetInvestmentSegmentOk returns a tuple with the InvestmentSegment field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetIraMinInvestment

func (o *MutualFundProfileData) GetIraMinInvestment() float32

GetIraMinInvestment returns the IraMinInvestment field value if set, zero value otherwise.

func (*MutualFundProfileData) GetIraMinInvestmentOk

func (o *MutualFundProfileData) GetIraMinInvestmentOk() (*float32, bool)

GetIraMinInvestmentOk returns a tuple with the IraMinInvestment field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetIsin

func (o *MutualFundProfileData) GetIsin() string

GetIsin returns the Isin field value if set, zero value otherwise.

func (*MutualFundProfileData) GetIsinOk

func (o *MutualFundProfileData) GetIsinOk() (*string, bool)

GetIsinOk returns a tuple with the Isin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetManager

func (o *MutualFundProfileData) GetManager() string

GetManager returns the Manager field value if set, zero value otherwise.

func (*MutualFundProfileData) GetManagerOk

func (o *MutualFundProfileData) GetManagerOk() (*string, bool)

GetManagerOk returns a tuple with the Manager field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetMaxRedemptionFee

func (o *MutualFundProfileData) GetMaxRedemptionFee() float32

GetMaxRedemptionFee returns the MaxRedemptionFee field value if set, zero value otherwise.

func (*MutualFundProfileData) GetMaxRedemptionFeeOk

func (o *MutualFundProfileData) GetMaxRedemptionFeeOk() (*float32, bool)

GetMaxRedemptionFeeOk returns a tuple with the MaxRedemptionFee field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetName

func (o *MutualFundProfileData) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*MutualFundProfileData) GetNameOk

func (o *MutualFundProfileData) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetSeriesId added in v2.0.8

func (o *MutualFundProfileData) GetSeriesId() string

GetSeriesId returns the SeriesId field value if set, zero value otherwise.

func (*MutualFundProfileData) GetSeriesIdOk added in v2.0.8

func (o *MutualFundProfileData) GetSeriesIdOk() (*string, bool)

GetSeriesIdOk returns a tuple with the SeriesId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetSeriesName added in v2.0.8

func (o *MutualFundProfileData) GetSeriesName() string

GetSeriesName returns the SeriesName field value if set, zero value otherwise.

func (*MutualFundProfileData) GetSeriesNameOk added in v2.0.8

func (o *MutualFundProfileData) GetSeriesNameOk() (*string, bool)

GetSeriesNameOk returns a tuple with the SeriesName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetSfdrClassification added in v2.0.14

func (o *MutualFundProfileData) GetSfdrClassification() string

GetSfdrClassification returns the SfdrClassification field value if set, zero value otherwise.

func (*MutualFundProfileData) GetSfdrClassificationOk added in v2.0.14

func (o *MutualFundProfileData) GetSfdrClassificationOk() (*string, bool)

GetSfdrClassificationOk returns a tuple with the SfdrClassification field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetStandardMinInvestment

func (o *MutualFundProfileData) GetStandardMinInvestment() float32

GetStandardMinInvestment returns the StandardMinInvestment field value if set, zero value otherwise.

func (*MutualFundProfileData) GetStandardMinInvestmentOk

func (o *MutualFundProfileData) GetStandardMinInvestmentOk() (*float32, bool)

GetStandardMinInvestmentOk returns a tuple with the StandardMinInvestment field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetStatus

func (o *MutualFundProfileData) GetStatus() string

GetStatus returns the Status field value if set, zero value otherwise.

func (*MutualFundProfileData) GetStatusOk

func (o *MutualFundProfileData) GetStatusOk() (*string, bool)

GetStatusOk returns a tuple with the Status field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetTotalNav

func (o *MutualFundProfileData) GetTotalNav() float32

GetTotalNav returns the TotalNav field value if set, zero value otherwise.

func (*MutualFundProfileData) GetTotalNavOk

func (o *MutualFundProfileData) GetTotalNavOk() (*float32, bool)

GetTotalNavOk returns a tuple with the TotalNav field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) GetTurnover

func (o *MutualFundProfileData) GetTurnover() float32

GetTurnover returns the Turnover field value if set, zero value otherwise.

func (*MutualFundProfileData) GetTurnoverOk

func (o *MutualFundProfileData) GetTurnoverOk() (*float32, bool)

GetTurnoverOk returns a tuple with the Turnover field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundProfileData) HasBenchmark

func (o *MutualFundProfileData) HasBenchmark() bool

HasBenchmark returns a boolean if a field has been set.

func (*MutualFundProfileData) HasBeta

func (o *MutualFundProfileData) HasBeta() bool

HasBeta returns a boolean if a field has been set.

func (*MutualFundProfileData) HasCategory

func (o *MutualFundProfileData) HasCategory() bool

HasCategory returns a boolean if a field has been set.

func (*MutualFundProfileData) HasClassId added in v2.0.8

func (o *MutualFundProfileData) HasClassId() bool

HasClassId returns a boolean if a field has been set.

func (*MutualFundProfileData) HasClassName added in v2.0.8

func (o *MutualFundProfileData) HasClassName() bool

HasClassName returns a boolean if a field has been set.

func (*MutualFundProfileData) HasCurrency added in v2.0.14

func (o *MutualFundProfileData) HasCurrency() bool

HasCurrency returns a boolean if a field has been set.

func (*MutualFundProfileData) HasCusip

func (o *MutualFundProfileData) HasCusip() bool

HasCusip returns a boolean if a field has been set.

func (*MutualFundProfileData) HasDeferredLoad

func (o *MutualFundProfileData) HasDeferredLoad() bool

HasDeferredLoad returns a boolean if a field has been set.

func (*MutualFundProfileData) HasDescription

func (o *MutualFundProfileData) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*MutualFundProfileData) HasExpenseRatio

func (o *MutualFundProfileData) HasExpenseRatio() bool

HasExpenseRatio returns a boolean if a field has been set.

func (*MutualFundProfileData) HasFee12b1

func (o *MutualFundProfileData) HasFee12b1() bool

HasFee12b1 returns a boolean if a field has been set.

func (*MutualFundProfileData) HasFrontLoad

func (o *MutualFundProfileData) HasFrontLoad() bool

HasFrontLoad returns a boolean if a field has been set.

func (*MutualFundProfileData) HasFundCompany added in v2.0.17

func (o *MutualFundProfileData) HasFundCompany() bool

HasFundCompany returns a boolean if a field has been set.

func (*MutualFundProfileData) HasFundFamily

func (o *MutualFundProfileData) HasFundFamily() bool

HasFundFamily returns a boolean if a field has been set.

func (*MutualFundProfileData) HasInceptionDate

func (o *MutualFundProfileData) HasInceptionDate() bool

HasInceptionDate returns a boolean if a field has been set.

func (*MutualFundProfileData) HasInvestmentSegment

func (o *MutualFundProfileData) HasInvestmentSegment() bool

HasInvestmentSegment returns a boolean if a field has been set.

func (*MutualFundProfileData) HasIraMinInvestment

func (o *MutualFundProfileData) HasIraMinInvestment() bool

HasIraMinInvestment returns a boolean if a field has been set.

func (*MutualFundProfileData) HasIsin

func (o *MutualFundProfileData) HasIsin() bool

HasIsin returns a boolean if a field has been set.

func (*MutualFundProfileData) HasManager

func (o *MutualFundProfileData) HasManager() bool

HasManager returns a boolean if a field has been set.

func (*MutualFundProfileData) HasMaxRedemptionFee

func (o *MutualFundProfileData) HasMaxRedemptionFee() bool

HasMaxRedemptionFee returns a boolean if a field has been set.

func (*MutualFundProfileData) HasName

func (o *MutualFundProfileData) HasName() bool

HasName returns a boolean if a field has been set.

func (*MutualFundProfileData) HasSeriesId added in v2.0.8

func (o *MutualFundProfileData) HasSeriesId() bool

HasSeriesId returns a boolean if a field has been set.

func (*MutualFundProfileData) HasSeriesName added in v2.0.8

func (o *MutualFundProfileData) HasSeriesName() bool

HasSeriesName returns a boolean if a field has been set.

func (*MutualFundProfileData) HasSfdrClassification added in v2.0.14

func (o *MutualFundProfileData) HasSfdrClassification() bool

HasSfdrClassification returns a boolean if a field has been set.

func (*MutualFundProfileData) HasStandardMinInvestment

func (o *MutualFundProfileData) HasStandardMinInvestment() bool

HasStandardMinInvestment returns a boolean if a field has been set.

func (*MutualFundProfileData) HasStatus

func (o *MutualFundProfileData) HasStatus() bool

HasStatus returns a boolean if a field has been set.

func (*MutualFundProfileData) HasTotalNav

func (o *MutualFundProfileData) HasTotalNav() bool

HasTotalNav returns a boolean if a field has been set.

func (*MutualFundProfileData) HasTurnover

func (o *MutualFundProfileData) HasTurnover() bool

HasTurnover returns a boolean if a field has been set.

func (MutualFundProfileData) MarshalJSON

func (o MutualFundProfileData) MarshalJSON() ([]byte, error)

func (*MutualFundProfileData) SetBenchmark

func (o *MutualFundProfileData) SetBenchmark(v string)

SetBenchmark gets a reference to the given string and assigns it to the Benchmark field.

func (*MutualFundProfileData) SetBeta

func (o *MutualFundProfileData) SetBeta(v float32)

SetBeta gets a reference to the given float32 and assigns it to the Beta field.

func (*MutualFundProfileData) SetCategory

func (o *MutualFundProfileData) SetCategory(v string)

SetCategory gets a reference to the given string and assigns it to the Category field.

func (*MutualFundProfileData) SetClassId added in v2.0.8

func (o *MutualFundProfileData) SetClassId(v string)

SetClassId gets a reference to the given string and assigns it to the ClassId field.

func (*MutualFundProfileData) SetClassName added in v2.0.8

func (o *MutualFundProfileData) SetClassName(v string)

SetClassName gets a reference to the given string and assigns it to the ClassName field.

func (*MutualFundProfileData) SetCurrency added in v2.0.14

func (o *MutualFundProfileData) SetCurrency(v string)

SetCurrency gets a reference to the given string and assigns it to the Currency field.

func (*MutualFundProfileData) SetCusip

func (o *MutualFundProfileData) SetCusip(v string)

SetCusip gets a reference to the given string and assigns it to the Cusip field.

func (*MutualFundProfileData) SetDeferredLoad

func (o *MutualFundProfileData) SetDeferredLoad(v float32)

SetDeferredLoad gets a reference to the given float32 and assigns it to the DeferredLoad field.

func (*MutualFundProfileData) SetDescription

func (o *MutualFundProfileData) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*MutualFundProfileData) SetExpenseRatio

func (o *MutualFundProfileData) SetExpenseRatio(v float32)

SetExpenseRatio gets a reference to the given float32 and assigns it to the ExpenseRatio field.

func (*MutualFundProfileData) SetFee12b1

func (o *MutualFundProfileData) SetFee12b1(v float32)

SetFee12b1 gets a reference to the given float32 and assigns it to the Fee12b1 field.

func (*MutualFundProfileData) SetFrontLoad

func (o *MutualFundProfileData) SetFrontLoad(v float32)

SetFrontLoad gets a reference to the given float32 and assigns it to the FrontLoad field.

func (*MutualFundProfileData) SetFundCompany added in v2.0.17

func (o *MutualFundProfileData) SetFundCompany(v string)

SetFundCompany gets a reference to the given string and assigns it to the FundCompany field.

func (*MutualFundProfileData) SetFundFamily

func (o *MutualFundProfileData) SetFundFamily(v string)

SetFundFamily gets a reference to the given string and assigns it to the FundFamily field.

func (*MutualFundProfileData) SetInceptionDate

func (o *MutualFundProfileData) SetInceptionDate(v string)

SetInceptionDate gets a reference to the given string and assigns it to the InceptionDate field.

func (*MutualFundProfileData) SetInvestmentSegment

func (o *MutualFundProfileData) SetInvestmentSegment(v string)

SetInvestmentSegment gets a reference to the given string and assigns it to the InvestmentSegment field.

func (*MutualFundProfileData) SetIraMinInvestment

func (o *MutualFundProfileData) SetIraMinInvestment(v float32)

SetIraMinInvestment gets a reference to the given float32 and assigns it to the IraMinInvestment field.

func (*MutualFundProfileData) SetIsin

func (o *MutualFundProfileData) SetIsin(v string)

SetIsin gets a reference to the given string and assigns it to the Isin field.

func (*MutualFundProfileData) SetManager

func (o *MutualFundProfileData) SetManager(v string)

SetManager gets a reference to the given string and assigns it to the Manager field.

func (*MutualFundProfileData) SetMaxRedemptionFee

func (o *MutualFundProfileData) SetMaxRedemptionFee(v float32)

SetMaxRedemptionFee gets a reference to the given float32 and assigns it to the MaxRedemptionFee field.

func (*MutualFundProfileData) SetName

func (o *MutualFundProfileData) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*MutualFundProfileData) SetSeriesId added in v2.0.8

func (o *MutualFundProfileData) SetSeriesId(v string)

SetSeriesId gets a reference to the given string and assigns it to the SeriesId field.

func (*MutualFundProfileData) SetSeriesName added in v2.0.8

func (o *MutualFundProfileData) SetSeriesName(v string)

SetSeriesName gets a reference to the given string and assigns it to the SeriesName field.

func (*MutualFundProfileData) SetSfdrClassification added in v2.0.14

func (o *MutualFundProfileData) SetSfdrClassification(v string)

SetSfdrClassification gets a reference to the given string and assigns it to the SfdrClassification field.

func (*MutualFundProfileData) SetStandardMinInvestment

func (o *MutualFundProfileData) SetStandardMinInvestment(v float32)

SetStandardMinInvestment gets a reference to the given float32 and assigns it to the StandardMinInvestment field.

func (*MutualFundProfileData) SetStatus

func (o *MutualFundProfileData) SetStatus(v string)

SetStatus gets a reference to the given string and assigns it to the Status field.

func (*MutualFundProfileData) SetTotalNav

func (o *MutualFundProfileData) SetTotalNav(v float32)

SetTotalNav gets a reference to the given float32 and assigns it to the TotalNav field.

func (*MutualFundProfileData) SetTurnover

func (o *MutualFundProfileData) SetTurnover(v float32)

SetTurnover gets a reference to the given float32 and assigns it to the Turnover field.

type MutualFundSectorExposure

type MutualFundSectorExposure struct {
	// Mutual symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Array of sector and exposure levels.
	SectorExposure *[]MutualFundSectorExposureData `json:"sectorExposure,omitempty"`
}

MutualFundSectorExposure struct for MutualFundSectorExposure

func NewMutualFundSectorExposure

func NewMutualFundSectorExposure() *MutualFundSectorExposure

NewMutualFundSectorExposure instantiates a new MutualFundSectorExposure object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewMutualFundSectorExposureWithDefaults

func NewMutualFundSectorExposureWithDefaults() *MutualFundSectorExposure

NewMutualFundSectorExposureWithDefaults instantiates a new MutualFundSectorExposure object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*MutualFundSectorExposure) GetSectorExposure

func (o *MutualFundSectorExposure) GetSectorExposure() []MutualFundSectorExposureData

GetSectorExposure returns the SectorExposure field value if set, zero value otherwise.

func (*MutualFundSectorExposure) GetSectorExposureOk

func (o *MutualFundSectorExposure) GetSectorExposureOk() (*[]MutualFundSectorExposureData, bool)

GetSectorExposureOk returns a tuple with the SectorExposure field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundSectorExposure) GetSymbol

func (o *MutualFundSectorExposure) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*MutualFundSectorExposure) GetSymbolOk

func (o *MutualFundSectorExposure) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundSectorExposure) HasSectorExposure

func (o *MutualFundSectorExposure) HasSectorExposure() bool

HasSectorExposure returns a boolean if a field has been set.

func (*MutualFundSectorExposure) HasSymbol

func (o *MutualFundSectorExposure) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (MutualFundSectorExposure) MarshalJSON

func (o MutualFundSectorExposure) MarshalJSON() ([]byte, error)

func (*MutualFundSectorExposure) SetSectorExposure

func (o *MutualFundSectorExposure) SetSectorExposure(v []MutualFundSectorExposureData)

SetSectorExposure gets a reference to the given []MutualFundSectorExposureData and assigns it to the SectorExposure field.

func (*MutualFundSectorExposure) SetSymbol

func (o *MutualFundSectorExposure) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type MutualFundSectorExposureData

type MutualFundSectorExposureData struct {
	// Sector
	Sector *string `json:"sector,omitempty"`
	// Percent of exposure.
	Exposure *float32 `json:"exposure,omitempty"`
}

MutualFundSectorExposureData struct for MutualFundSectorExposureData

func NewMutualFundSectorExposureData

func NewMutualFundSectorExposureData() *MutualFundSectorExposureData

NewMutualFundSectorExposureData instantiates a new MutualFundSectorExposureData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewMutualFundSectorExposureDataWithDefaults

func NewMutualFundSectorExposureDataWithDefaults() *MutualFundSectorExposureData

NewMutualFundSectorExposureDataWithDefaults instantiates a new MutualFundSectorExposureData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*MutualFundSectorExposureData) GetExposure

func (o *MutualFundSectorExposureData) GetExposure() float32

GetExposure returns the Exposure field value if set, zero value otherwise.

func (*MutualFundSectorExposureData) GetExposureOk

func (o *MutualFundSectorExposureData) GetExposureOk() (*float32, bool)

GetExposureOk returns a tuple with the Exposure field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundSectorExposureData) GetSector

func (o *MutualFundSectorExposureData) GetSector() string

GetSector returns the Sector field value if set, zero value otherwise.

func (*MutualFundSectorExposureData) GetSectorOk

func (o *MutualFundSectorExposureData) GetSectorOk() (*string, bool)

GetSectorOk returns a tuple with the Sector field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MutualFundSectorExposureData) HasExposure

func (o *MutualFundSectorExposureData) HasExposure() bool

HasExposure returns a boolean if a field has been set.

func (*MutualFundSectorExposureData) HasSector

func (o *MutualFundSectorExposureData) HasSector() bool

HasSector returns a boolean if a field has been set.

func (MutualFundSectorExposureData) MarshalJSON

func (o MutualFundSectorExposureData) MarshalJSON() ([]byte, error)

func (*MutualFundSectorExposureData) SetExposure

func (o *MutualFundSectorExposureData) SetExposure(v float32)

SetExposure gets a reference to the given float32 and assigns it to the Exposure field.

func (*MutualFundSectorExposureData) SetSector

func (o *MutualFundSectorExposureData) SetSector(v string)

SetSector gets a reference to the given string and assigns it to the Sector field.

type NewsSentiment

type NewsSentiment struct {
	Buzz *CompanyNewsStatistics `json:"buzz,omitempty"`
	// News score.
	CompanyNewsScore *float32 `json:"companyNewsScore,omitempty"`
	// Sector average bullish percent.
	SectorAverageBullishPercent *float32 `json:"sectorAverageBullishPercent,omitempty"`
	// Sectore average score.
	SectorAverageNewsScore *float32   `json:"sectorAverageNewsScore,omitempty"`
	Sentiment              *Sentiment `json:"sentiment,omitempty"`
	// Requested symbol.
	Symbol *string `json:"symbol,omitempty"`
}

NewsSentiment struct for NewsSentiment

func NewNewsSentiment

func NewNewsSentiment() *NewsSentiment

NewNewsSentiment instantiates a new NewsSentiment object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewNewsSentimentWithDefaults

func NewNewsSentimentWithDefaults() *NewsSentiment

NewNewsSentimentWithDefaults instantiates a new NewsSentiment object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*NewsSentiment) GetBuzz

func (o *NewsSentiment) GetBuzz() CompanyNewsStatistics

GetBuzz returns the Buzz field value if set, zero value otherwise.

func (*NewsSentiment) GetBuzzOk

func (o *NewsSentiment) GetBuzzOk() (*CompanyNewsStatistics, bool)

GetBuzzOk returns a tuple with the Buzz field value if set, nil otherwise and a boolean to check if the value has been set.

func (*NewsSentiment) GetCompanyNewsScore

func (o *NewsSentiment) GetCompanyNewsScore() float32

GetCompanyNewsScore returns the CompanyNewsScore field value if set, zero value otherwise.

func (*NewsSentiment) GetCompanyNewsScoreOk

func (o *NewsSentiment) GetCompanyNewsScoreOk() (*float32, bool)

GetCompanyNewsScoreOk returns a tuple with the CompanyNewsScore field value if set, nil otherwise and a boolean to check if the value has been set.

func (*NewsSentiment) GetSectorAverageBullishPercent

func (o *NewsSentiment) GetSectorAverageBullishPercent() float32

GetSectorAverageBullishPercent returns the SectorAverageBullishPercent field value if set, zero value otherwise.

func (*NewsSentiment) GetSectorAverageBullishPercentOk

func (o *NewsSentiment) GetSectorAverageBullishPercentOk() (*float32, bool)

GetSectorAverageBullishPercentOk returns a tuple with the SectorAverageBullishPercent field value if set, nil otherwise and a boolean to check if the value has been set.

func (*NewsSentiment) GetSectorAverageNewsScore

func (o *NewsSentiment) GetSectorAverageNewsScore() float32

GetSectorAverageNewsScore returns the SectorAverageNewsScore field value if set, zero value otherwise.

func (*NewsSentiment) GetSectorAverageNewsScoreOk

func (o *NewsSentiment) GetSectorAverageNewsScoreOk() (*float32, bool)

GetSectorAverageNewsScoreOk returns a tuple with the SectorAverageNewsScore field value if set, nil otherwise and a boolean to check if the value has been set.

func (*NewsSentiment) GetSentiment

func (o *NewsSentiment) GetSentiment() Sentiment

GetSentiment returns the Sentiment field value if set, zero value otherwise.

func (*NewsSentiment) GetSentimentOk

func (o *NewsSentiment) GetSentimentOk() (*Sentiment, bool)

GetSentimentOk returns a tuple with the Sentiment field value if set, nil otherwise and a boolean to check if the value has been set.

func (*NewsSentiment) GetSymbol

func (o *NewsSentiment) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*NewsSentiment) GetSymbolOk

func (o *NewsSentiment) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*NewsSentiment) HasBuzz

func (o *NewsSentiment) HasBuzz() bool

HasBuzz returns a boolean if a field has been set.

func (*NewsSentiment) HasCompanyNewsScore

func (o *NewsSentiment) HasCompanyNewsScore() bool

HasCompanyNewsScore returns a boolean if a field has been set.

func (*NewsSentiment) HasSectorAverageBullishPercent

func (o *NewsSentiment) HasSectorAverageBullishPercent() bool

HasSectorAverageBullishPercent returns a boolean if a field has been set.

func (*NewsSentiment) HasSectorAverageNewsScore

func (o *NewsSentiment) HasSectorAverageNewsScore() bool

HasSectorAverageNewsScore returns a boolean if a field has been set.

func (*NewsSentiment) HasSentiment

func (o *NewsSentiment) HasSentiment() bool

HasSentiment returns a boolean if a field has been set.

func (*NewsSentiment) HasSymbol

func (o *NewsSentiment) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (NewsSentiment) MarshalJSON

func (o NewsSentiment) MarshalJSON() ([]byte, error)

func (*NewsSentiment) SetBuzz

func (o *NewsSentiment) SetBuzz(v CompanyNewsStatistics)

SetBuzz gets a reference to the given CompanyNewsStatistics and assigns it to the Buzz field.

func (*NewsSentiment) SetCompanyNewsScore

func (o *NewsSentiment) SetCompanyNewsScore(v float32)

SetCompanyNewsScore gets a reference to the given float32 and assigns it to the CompanyNewsScore field.

func (*NewsSentiment) SetSectorAverageBullishPercent

func (o *NewsSentiment) SetSectorAverageBullishPercent(v float32)

SetSectorAverageBullishPercent gets a reference to the given float32 and assigns it to the SectorAverageBullishPercent field.

func (*NewsSentiment) SetSectorAverageNewsScore

func (o *NewsSentiment) SetSectorAverageNewsScore(v float32)

SetSectorAverageNewsScore gets a reference to the given float32 and assigns it to the SectorAverageNewsScore field.

func (*NewsSentiment) SetSentiment

func (o *NewsSentiment) SetSentiment(v Sentiment)

SetSentiment gets a reference to the given Sentiment and assigns it to the Sentiment field.

func (*NewsSentiment) SetSymbol

func (o *NewsSentiment) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type NullableAggregateIndicators

type NullableAggregateIndicators struct {
	// contains filtered or unexported fields
}

func NewNullableAggregateIndicators

func NewNullableAggregateIndicators(val *AggregateIndicators) *NullableAggregateIndicators

func (NullableAggregateIndicators) Get

func (NullableAggregateIndicators) IsSet

func (NullableAggregateIndicators) MarshalJSON

func (v NullableAggregateIndicators) MarshalJSON() ([]byte, error)

func (*NullableAggregateIndicators) Set

func (*NullableAggregateIndicators) UnmarshalJSON

func (v *NullableAggregateIndicators) UnmarshalJSON(src []byte) error

func (*NullableAggregateIndicators) Unset

func (v *NullableAggregateIndicators) Unset()

type NullableBasicFinancials

type NullableBasicFinancials struct {
	// contains filtered or unexported fields
}

func NewNullableBasicFinancials

func NewNullableBasicFinancials(val *BasicFinancials) *NullableBasicFinancials

func (NullableBasicFinancials) Get

func (NullableBasicFinancials) IsSet

func (v NullableBasicFinancials) IsSet() bool

func (NullableBasicFinancials) MarshalJSON

func (v NullableBasicFinancials) MarshalJSON() ([]byte, error)

func (*NullableBasicFinancials) Set

func (*NullableBasicFinancials) UnmarshalJSON

func (v *NullableBasicFinancials) UnmarshalJSON(src []byte) error

func (*NullableBasicFinancials) Unset

func (v *NullableBasicFinancials) Unset()

type NullableBondCandles added in v2.0.12

type NullableBondCandles struct {
	// contains filtered or unexported fields
}

func NewNullableBondCandles added in v2.0.12

func NewNullableBondCandles(val *BondCandles) *NullableBondCandles

func (NullableBondCandles) Get added in v2.0.12

func (NullableBondCandles) IsSet added in v2.0.12

func (v NullableBondCandles) IsSet() bool

func (NullableBondCandles) MarshalJSON added in v2.0.12

func (v NullableBondCandles) MarshalJSON() ([]byte, error)

func (*NullableBondCandles) Set added in v2.0.12

func (v *NullableBondCandles) Set(val *BondCandles)

func (*NullableBondCandles) UnmarshalJSON added in v2.0.12

func (v *NullableBondCandles) UnmarshalJSON(src []byte) error

func (*NullableBondCandles) Unset added in v2.0.12

func (v *NullableBondCandles) Unset()

type NullableBondProfile added in v2.0.12

type NullableBondProfile struct {
	// contains filtered or unexported fields
}

func NewNullableBondProfile added in v2.0.12

func NewNullableBondProfile(val *BondProfile) *NullableBondProfile

func (NullableBondProfile) Get added in v2.0.12

func (NullableBondProfile) IsSet added in v2.0.12

func (v NullableBondProfile) IsSet() bool

func (NullableBondProfile) MarshalJSON added in v2.0.12

func (v NullableBondProfile) MarshalJSON() ([]byte, error)

func (*NullableBondProfile) Set added in v2.0.12

func (v *NullableBondProfile) Set(val *BondProfile)

func (*NullableBondProfile) UnmarshalJSON added in v2.0.12

func (v *NullableBondProfile) UnmarshalJSON(src []byte) error

func (*NullableBondProfile) Unset added in v2.0.12

func (v *NullableBondProfile) Unset()

type NullableBondTickData added in v2.0.15

type NullableBondTickData struct {
	// contains filtered or unexported fields
}

func NewNullableBondTickData added in v2.0.15

func NewNullableBondTickData(val *BondTickData) *NullableBondTickData

func (NullableBondTickData) Get added in v2.0.15

func (NullableBondTickData) IsSet added in v2.0.15

func (v NullableBondTickData) IsSet() bool

func (NullableBondTickData) MarshalJSON added in v2.0.15

func (v NullableBondTickData) MarshalJSON() ([]byte, error)

func (*NullableBondTickData) Set added in v2.0.15

func (v *NullableBondTickData) Set(val *BondTickData)

func (*NullableBondTickData) UnmarshalJSON added in v2.0.15

func (v *NullableBondTickData) UnmarshalJSON(src []byte) error

func (*NullableBondTickData) Unset added in v2.0.15

func (v *NullableBondTickData) Unset()

type NullableBondYieldCurve added in v2.0.16

type NullableBondYieldCurve struct {
	// contains filtered or unexported fields
}

func NewNullableBondYieldCurve added in v2.0.16

func NewNullableBondYieldCurve(val *BondYieldCurve) *NullableBondYieldCurve

func (NullableBondYieldCurve) Get added in v2.0.16

func (NullableBondYieldCurve) IsSet added in v2.0.16

func (v NullableBondYieldCurve) IsSet() bool

func (NullableBondYieldCurve) MarshalJSON added in v2.0.16

func (v NullableBondYieldCurve) MarshalJSON() ([]byte, error)

func (*NullableBondYieldCurve) Set added in v2.0.16

func (*NullableBondYieldCurve) UnmarshalJSON added in v2.0.16

func (v *NullableBondYieldCurve) UnmarshalJSON(src []byte) error

func (*NullableBondYieldCurve) Unset added in v2.0.16

func (v *NullableBondYieldCurve) Unset()

type NullableBondYieldCurveInfo added in v2.0.16

type NullableBondYieldCurveInfo struct {
	// contains filtered or unexported fields
}

func NewNullableBondYieldCurveInfo added in v2.0.16

func NewNullableBondYieldCurveInfo(val *BondYieldCurveInfo) *NullableBondYieldCurveInfo

func (NullableBondYieldCurveInfo) Get added in v2.0.16

func (NullableBondYieldCurveInfo) IsSet added in v2.0.16

func (v NullableBondYieldCurveInfo) IsSet() bool

func (NullableBondYieldCurveInfo) MarshalJSON added in v2.0.16

func (v NullableBondYieldCurveInfo) MarshalJSON() ([]byte, error)

func (*NullableBondYieldCurveInfo) Set added in v2.0.16

func (*NullableBondYieldCurveInfo) UnmarshalJSON added in v2.0.16

func (v *NullableBondYieldCurveInfo) UnmarshalJSON(src []byte) error

func (*NullableBondYieldCurveInfo) Unset added in v2.0.16

func (v *NullableBondYieldCurveInfo) Unset()

type NullableBool

type NullableBool struct {
	// contains filtered or unexported fields
}

func NewNullableBool

func NewNullableBool(val *bool) *NullableBool

func (NullableBool) Get

func (v NullableBool) Get() *bool

func (NullableBool) IsSet

func (v NullableBool) IsSet() bool

func (NullableBool) MarshalJSON

func (v NullableBool) MarshalJSON() ([]byte, error)

func (*NullableBool) Set

func (v *NullableBool) Set(val *bool)

func (*NullableBool) UnmarshalJSON

func (v *NullableBool) UnmarshalJSON(src []byte) error

func (*NullableBool) Unset

func (v *NullableBool) Unset()

type NullableBreakdownItem

type NullableBreakdownItem struct {
	// contains filtered or unexported fields
}

func NewNullableBreakdownItem

func NewNullableBreakdownItem(val *BreakdownItem) *NullableBreakdownItem

func (NullableBreakdownItem) Get

func (NullableBreakdownItem) IsSet

func (v NullableBreakdownItem) IsSet() bool

func (NullableBreakdownItem) MarshalJSON

func (v NullableBreakdownItem) MarshalJSON() ([]byte, error)

func (*NullableBreakdownItem) Set

func (v *NullableBreakdownItem) Set(val *BreakdownItem)

func (*NullableBreakdownItem) UnmarshalJSON

func (v *NullableBreakdownItem) UnmarshalJSON(src []byte) error

func (*NullableBreakdownItem) Unset

func (v *NullableBreakdownItem) Unset()

type NullableCompany

type NullableCompany struct {
	// contains filtered or unexported fields
}

func NewNullableCompany

func NewNullableCompany(val *Company) *NullableCompany

func (NullableCompany) Get

func (v NullableCompany) Get() *Company

func (NullableCompany) IsSet

func (v NullableCompany) IsSet() bool

func (NullableCompany) MarshalJSON

func (v NullableCompany) MarshalJSON() ([]byte, error)

func (*NullableCompany) Set

func (v *NullableCompany) Set(val *Company)

func (*NullableCompany) UnmarshalJSON

func (v *NullableCompany) UnmarshalJSON(src []byte) error

func (*NullableCompany) Unset

func (v *NullableCompany) Unset()

type NullableCompanyESG added in v2.0.5

type NullableCompanyESG struct {
	// contains filtered or unexported fields
}

func NewNullableCompanyESG added in v2.0.5

func NewNullableCompanyESG(val *CompanyESG) *NullableCompanyESG

func (NullableCompanyESG) Get added in v2.0.5

func (v NullableCompanyESG) Get() *CompanyESG

func (NullableCompanyESG) IsSet added in v2.0.5

func (v NullableCompanyESG) IsSet() bool

func (NullableCompanyESG) MarshalJSON added in v2.0.5

func (v NullableCompanyESG) MarshalJSON() ([]byte, error)

func (*NullableCompanyESG) Set added in v2.0.5

func (v *NullableCompanyESG) Set(val *CompanyESG)

func (*NullableCompanyESG) UnmarshalJSON added in v2.0.5

func (v *NullableCompanyESG) UnmarshalJSON(src []byte) error

func (*NullableCompanyESG) Unset added in v2.0.5

func (v *NullableCompanyESG) Unset()

type NullableCompanyEarningsQualityScore added in v2.0.6

type NullableCompanyEarningsQualityScore struct {
	// contains filtered or unexported fields
}

func NewNullableCompanyEarningsQualityScore added in v2.0.6

func NewNullableCompanyEarningsQualityScore(val *CompanyEarningsQualityScore) *NullableCompanyEarningsQualityScore

func (NullableCompanyEarningsQualityScore) Get added in v2.0.6

func (NullableCompanyEarningsQualityScore) IsSet added in v2.0.6

func (NullableCompanyEarningsQualityScore) MarshalJSON added in v2.0.6

func (v NullableCompanyEarningsQualityScore) MarshalJSON() ([]byte, error)

func (*NullableCompanyEarningsQualityScore) Set added in v2.0.6

func (*NullableCompanyEarningsQualityScore) UnmarshalJSON added in v2.0.6

func (v *NullableCompanyEarningsQualityScore) UnmarshalJSON(src []byte) error

func (*NullableCompanyEarningsQualityScore) Unset added in v2.0.6

type NullableCompanyEarningsQualityScoreData added in v2.0.6

type NullableCompanyEarningsQualityScoreData struct {
	// contains filtered or unexported fields
}

func NewNullableCompanyEarningsQualityScoreData added in v2.0.6

func NewNullableCompanyEarningsQualityScoreData(val *CompanyEarningsQualityScoreData) *NullableCompanyEarningsQualityScoreData

func (NullableCompanyEarningsQualityScoreData) Get added in v2.0.6

func (NullableCompanyEarningsQualityScoreData) IsSet added in v2.0.6

func (NullableCompanyEarningsQualityScoreData) MarshalJSON added in v2.0.6

func (v NullableCompanyEarningsQualityScoreData) MarshalJSON() ([]byte, error)

func (*NullableCompanyEarningsQualityScoreData) Set added in v2.0.6

func (*NullableCompanyEarningsQualityScoreData) UnmarshalJSON added in v2.0.6

func (v *NullableCompanyEarningsQualityScoreData) UnmarshalJSON(src []byte) error

func (*NullableCompanyEarningsQualityScoreData) Unset added in v2.0.6

type NullableCompanyExecutive

type NullableCompanyExecutive struct {
	// contains filtered or unexported fields
}

func NewNullableCompanyExecutive

func NewNullableCompanyExecutive(val *CompanyExecutive) *NullableCompanyExecutive

func (NullableCompanyExecutive) Get

func (NullableCompanyExecutive) IsSet

func (v NullableCompanyExecutive) IsSet() bool

func (NullableCompanyExecutive) MarshalJSON

func (v NullableCompanyExecutive) MarshalJSON() ([]byte, error)

func (*NullableCompanyExecutive) Set

func (*NullableCompanyExecutive) UnmarshalJSON

func (v *NullableCompanyExecutive) UnmarshalJSON(src []byte) error

func (*NullableCompanyExecutive) Unset

func (v *NullableCompanyExecutive) Unset()

type NullableCompanyNews

type NullableCompanyNews struct {
	// contains filtered or unexported fields
}

func NewNullableCompanyNews

func NewNullableCompanyNews(val *CompanyNews) *NullableCompanyNews

func (NullableCompanyNews) Get

func (NullableCompanyNews) IsSet

func (v NullableCompanyNews) IsSet() bool

func (NullableCompanyNews) MarshalJSON

func (v NullableCompanyNews) MarshalJSON() ([]byte, error)

func (*NullableCompanyNews) Set

func (v *NullableCompanyNews) Set(val *CompanyNews)

func (*NullableCompanyNews) UnmarshalJSON

func (v *NullableCompanyNews) UnmarshalJSON(src []byte) error

func (*NullableCompanyNews) Unset

func (v *NullableCompanyNews) Unset()

type NullableCompanyNewsStatistics

type NullableCompanyNewsStatistics struct {
	// contains filtered or unexported fields
}

func (NullableCompanyNewsStatistics) Get

func (NullableCompanyNewsStatistics) IsSet

func (NullableCompanyNewsStatistics) MarshalJSON

func (v NullableCompanyNewsStatistics) MarshalJSON() ([]byte, error)

func (*NullableCompanyNewsStatistics) Set

func (*NullableCompanyNewsStatistics) UnmarshalJSON

func (v *NullableCompanyNewsStatistics) UnmarshalJSON(src []byte) error

func (*NullableCompanyNewsStatistics) Unset

func (v *NullableCompanyNewsStatistics) Unset()

type NullableCompanyProfile

type NullableCompanyProfile struct {
	// contains filtered or unexported fields
}

func NewNullableCompanyProfile

func NewNullableCompanyProfile(val *CompanyProfile) *NullableCompanyProfile

func (NullableCompanyProfile) Get

func (NullableCompanyProfile) IsSet

func (v NullableCompanyProfile) IsSet() bool

func (NullableCompanyProfile) MarshalJSON

func (v NullableCompanyProfile) MarshalJSON() ([]byte, error)

func (*NullableCompanyProfile) Set

func (*NullableCompanyProfile) UnmarshalJSON

func (v *NullableCompanyProfile) UnmarshalJSON(src []byte) error

func (*NullableCompanyProfile) Unset

func (v *NullableCompanyProfile) Unset()

type NullableCompanyProfile2

type NullableCompanyProfile2 struct {
	// contains filtered or unexported fields
}

func NewNullableCompanyProfile2

func NewNullableCompanyProfile2(val *CompanyProfile2) *NullableCompanyProfile2

func (NullableCompanyProfile2) Get

func (NullableCompanyProfile2) IsSet

func (v NullableCompanyProfile2) IsSet() bool

func (NullableCompanyProfile2) MarshalJSON

func (v NullableCompanyProfile2) MarshalJSON() ([]byte, error)

func (*NullableCompanyProfile2) Set

func (*NullableCompanyProfile2) UnmarshalJSON

func (v *NullableCompanyProfile2) UnmarshalJSON(src []byte) error

func (*NullableCompanyProfile2) Unset

func (v *NullableCompanyProfile2) Unset()

type NullableCongressionalTrading added in v2.0.16

type NullableCongressionalTrading struct {
	// contains filtered or unexported fields
}

func NewNullableCongressionalTrading added in v2.0.16

func NewNullableCongressionalTrading(val *CongressionalTrading) *NullableCongressionalTrading

func (NullableCongressionalTrading) Get added in v2.0.16

func (NullableCongressionalTrading) IsSet added in v2.0.16

func (NullableCongressionalTrading) MarshalJSON added in v2.0.16

func (v NullableCongressionalTrading) MarshalJSON() ([]byte, error)

func (*NullableCongressionalTrading) Set added in v2.0.16

func (*NullableCongressionalTrading) UnmarshalJSON added in v2.0.16

func (v *NullableCongressionalTrading) UnmarshalJSON(src []byte) error

func (*NullableCongressionalTrading) Unset added in v2.0.16

func (v *NullableCongressionalTrading) Unset()

type NullableCongressionalTransaction added in v2.0.16

type NullableCongressionalTransaction struct {
	// contains filtered or unexported fields
}

func NewNullableCongressionalTransaction added in v2.0.16

func NewNullableCongressionalTransaction(val *CongressionalTransaction) *NullableCongressionalTransaction

func (NullableCongressionalTransaction) Get added in v2.0.16

func (NullableCongressionalTransaction) IsSet added in v2.0.16

func (NullableCongressionalTransaction) MarshalJSON added in v2.0.16

func (v NullableCongressionalTransaction) MarshalJSON() ([]byte, error)

func (*NullableCongressionalTransaction) Set added in v2.0.16

func (*NullableCongressionalTransaction) UnmarshalJSON added in v2.0.16

func (v *NullableCongressionalTransaction) UnmarshalJSON(src []byte) error

func (*NullableCongressionalTransaction) Unset added in v2.0.16

type NullableCountryMetadata

type NullableCountryMetadata struct {
	// contains filtered or unexported fields
}

func NewNullableCountryMetadata

func NewNullableCountryMetadata(val *CountryMetadata) *NullableCountryMetadata

func (NullableCountryMetadata) Get

func (NullableCountryMetadata) IsSet

func (v NullableCountryMetadata) IsSet() bool

func (NullableCountryMetadata) MarshalJSON

func (v NullableCountryMetadata) MarshalJSON() ([]byte, error)

func (*NullableCountryMetadata) Set

func (*NullableCountryMetadata) UnmarshalJSON

func (v *NullableCountryMetadata) UnmarshalJSON(src []byte) error

func (*NullableCountryMetadata) Unset

func (v *NullableCountryMetadata) Unset()

type NullableCovidInfo

type NullableCovidInfo struct {
	// contains filtered or unexported fields
}

func NewNullableCovidInfo

func NewNullableCovidInfo(val *CovidInfo) *NullableCovidInfo

func (NullableCovidInfo) Get

func (v NullableCovidInfo) Get() *CovidInfo

func (NullableCovidInfo) IsSet

func (v NullableCovidInfo) IsSet() bool

func (NullableCovidInfo) MarshalJSON

func (v NullableCovidInfo) MarshalJSON() ([]byte, error)

func (*NullableCovidInfo) Set

func (v *NullableCovidInfo) Set(val *CovidInfo)

func (*NullableCovidInfo) UnmarshalJSON

func (v *NullableCovidInfo) UnmarshalJSON(src []byte) error

func (*NullableCovidInfo) Unset

func (v *NullableCovidInfo) Unset()

type NullableCryptoCandles

type NullableCryptoCandles struct {
	// contains filtered or unexported fields
}

func NewNullableCryptoCandles

func NewNullableCryptoCandles(val *CryptoCandles) *NullableCryptoCandles

func (NullableCryptoCandles) Get

func (NullableCryptoCandles) IsSet

func (v NullableCryptoCandles) IsSet() bool

func (NullableCryptoCandles) MarshalJSON

func (v NullableCryptoCandles) MarshalJSON() ([]byte, error)

func (*NullableCryptoCandles) Set

func (v *NullableCryptoCandles) Set(val *CryptoCandles)

func (*NullableCryptoCandles) UnmarshalJSON

func (v *NullableCryptoCandles) UnmarshalJSON(src []byte) error

func (*NullableCryptoCandles) Unset

func (v *NullableCryptoCandles) Unset()

type NullableCryptoProfile added in v2.0.7

type NullableCryptoProfile struct {
	// contains filtered or unexported fields
}

func NewNullableCryptoProfile added in v2.0.7

func NewNullableCryptoProfile(val *CryptoProfile) *NullableCryptoProfile

func (NullableCryptoProfile) Get added in v2.0.7

func (NullableCryptoProfile) IsSet added in v2.0.7

func (v NullableCryptoProfile) IsSet() bool

func (NullableCryptoProfile) MarshalJSON added in v2.0.7

func (v NullableCryptoProfile) MarshalJSON() ([]byte, error)

func (*NullableCryptoProfile) Set added in v2.0.7

func (v *NullableCryptoProfile) Set(val *CryptoProfile)

func (*NullableCryptoProfile) UnmarshalJSON added in v2.0.7

func (v *NullableCryptoProfile) UnmarshalJSON(src []byte) error

func (*NullableCryptoProfile) Unset added in v2.0.7

func (v *NullableCryptoProfile) Unset()

type NullableCryptoSymbol

type NullableCryptoSymbol struct {
	// contains filtered or unexported fields
}

func NewNullableCryptoSymbol

func NewNullableCryptoSymbol(val *CryptoSymbol) *NullableCryptoSymbol

func (NullableCryptoSymbol) Get

func (NullableCryptoSymbol) IsSet

func (v NullableCryptoSymbol) IsSet() bool

func (NullableCryptoSymbol) MarshalJSON

func (v NullableCryptoSymbol) MarshalJSON() ([]byte, error)

func (*NullableCryptoSymbol) Set

func (v *NullableCryptoSymbol) Set(val *CryptoSymbol)

func (*NullableCryptoSymbol) UnmarshalJSON

func (v *NullableCryptoSymbol) UnmarshalJSON(src []byte) error

func (*NullableCryptoSymbol) Unset

func (v *NullableCryptoSymbol) Unset()

type NullableDevelopment

type NullableDevelopment struct {
	// contains filtered or unexported fields
}

func NewNullableDevelopment

func NewNullableDevelopment(val *Development) *NullableDevelopment

func (NullableDevelopment) Get

func (NullableDevelopment) IsSet

func (v NullableDevelopment) IsSet() bool

func (NullableDevelopment) MarshalJSON

func (v NullableDevelopment) MarshalJSON() ([]byte, error)

func (*NullableDevelopment) Set

func (v *NullableDevelopment) Set(val *Development)

func (*NullableDevelopment) UnmarshalJSON

func (v *NullableDevelopment) UnmarshalJSON(src []byte) error

func (*NullableDevelopment) Unset

func (v *NullableDevelopment) Unset()

type NullableDividends

type NullableDividends struct {
	// contains filtered or unexported fields
}

func NewNullableDividends

func NewNullableDividends(val *Dividends) *NullableDividends

func (NullableDividends) Get

func (v NullableDividends) Get() *Dividends

func (NullableDividends) IsSet

func (v NullableDividends) IsSet() bool

func (NullableDividends) MarshalJSON

func (v NullableDividends) MarshalJSON() ([]byte, error)

func (*NullableDividends) Set

func (v *NullableDividends) Set(val *Dividends)

func (*NullableDividends) UnmarshalJSON

func (v *NullableDividends) UnmarshalJSON(src []byte) error

func (*NullableDividends) Unset

func (v *NullableDividends) Unset()

type NullableDividends2

type NullableDividends2 struct {
	// contains filtered or unexported fields
}

func NewNullableDividends2

func NewNullableDividends2(val *Dividends2) *NullableDividends2

func (NullableDividends2) Get

func (v NullableDividends2) Get() *Dividends2

func (NullableDividends2) IsSet

func (v NullableDividends2) IsSet() bool

func (NullableDividends2) MarshalJSON

func (v NullableDividends2) MarshalJSON() ([]byte, error)

func (*NullableDividends2) Set

func (v *NullableDividends2) Set(val *Dividends2)

func (*NullableDividends2) UnmarshalJSON

func (v *NullableDividends2) UnmarshalJSON(src []byte) error

func (*NullableDividends2) Unset

func (v *NullableDividends2) Unset()

type NullableDividends2Info

type NullableDividends2Info struct {
	// contains filtered or unexported fields
}

func NewNullableDividends2Info

func NewNullableDividends2Info(val *Dividends2Info) *NullableDividends2Info

func (NullableDividends2Info) Get

func (NullableDividends2Info) IsSet

func (v NullableDividends2Info) IsSet() bool

func (NullableDividends2Info) MarshalJSON

func (v NullableDividends2Info) MarshalJSON() ([]byte, error)

func (*NullableDividends2Info) Set

func (*NullableDividends2Info) UnmarshalJSON

func (v *NullableDividends2Info) UnmarshalJSON(src []byte) error

func (*NullableDividends2Info) Unset

func (v *NullableDividends2Info) Unset()

type NullableDocumentResponse added in v2.0.16

type NullableDocumentResponse struct {
	// contains filtered or unexported fields
}

func NewNullableDocumentResponse added in v2.0.16

func NewNullableDocumentResponse(val *DocumentResponse) *NullableDocumentResponse

func (NullableDocumentResponse) Get added in v2.0.16

func (NullableDocumentResponse) IsSet added in v2.0.16

func (v NullableDocumentResponse) IsSet() bool

func (NullableDocumentResponse) MarshalJSON added in v2.0.16

func (v NullableDocumentResponse) MarshalJSON() ([]byte, error)

func (*NullableDocumentResponse) Set added in v2.0.16

func (*NullableDocumentResponse) UnmarshalJSON added in v2.0.16

func (v *NullableDocumentResponse) UnmarshalJSON(src []byte) error

func (*NullableDocumentResponse) Unset added in v2.0.16

func (v *NullableDocumentResponse) Unset()

type NullableETFCountryExposureData

type NullableETFCountryExposureData struct {
	// contains filtered or unexported fields
}

func (NullableETFCountryExposureData) Get

func (NullableETFCountryExposureData) IsSet

func (NullableETFCountryExposureData) MarshalJSON

func (v NullableETFCountryExposureData) MarshalJSON() ([]byte, error)

func (*NullableETFCountryExposureData) Set

func (*NullableETFCountryExposureData) UnmarshalJSON

func (v *NullableETFCountryExposureData) UnmarshalJSON(src []byte) error

func (*NullableETFCountryExposureData) Unset

func (v *NullableETFCountryExposureData) Unset()

type NullableETFHoldingsData

type NullableETFHoldingsData struct {
	// contains filtered or unexported fields
}

func NewNullableETFHoldingsData

func NewNullableETFHoldingsData(val *ETFHoldingsData) *NullableETFHoldingsData

func (NullableETFHoldingsData) Get

func (NullableETFHoldingsData) IsSet

func (v NullableETFHoldingsData) IsSet() bool

func (NullableETFHoldingsData) MarshalJSON

func (v NullableETFHoldingsData) MarshalJSON() ([]byte, error)

func (*NullableETFHoldingsData) Set

func (*NullableETFHoldingsData) UnmarshalJSON

func (v *NullableETFHoldingsData) UnmarshalJSON(src []byte) error

func (*NullableETFHoldingsData) Unset

func (v *NullableETFHoldingsData) Unset()

type NullableETFProfileData

type NullableETFProfileData struct {
	// contains filtered or unexported fields
}

func NewNullableETFProfileData

func NewNullableETFProfileData(val *ETFProfileData) *NullableETFProfileData

func (NullableETFProfileData) Get

func (NullableETFProfileData) IsSet

func (v NullableETFProfileData) IsSet() bool

func (NullableETFProfileData) MarshalJSON

func (v NullableETFProfileData) MarshalJSON() ([]byte, error)

func (*NullableETFProfileData) Set

func (*NullableETFProfileData) UnmarshalJSON

func (v *NullableETFProfileData) UnmarshalJSON(src []byte) error

func (*NullableETFProfileData) Unset

func (v *NullableETFProfileData) Unset()

type NullableETFSectorExposureData

type NullableETFSectorExposureData struct {
	// contains filtered or unexported fields
}

func (NullableETFSectorExposureData) Get

func (NullableETFSectorExposureData) IsSet

func (NullableETFSectorExposureData) MarshalJSON

func (v NullableETFSectorExposureData) MarshalJSON() ([]byte, error)

func (*NullableETFSectorExposureData) Set

func (*NullableETFSectorExposureData) UnmarshalJSON

func (v *NullableETFSectorExposureData) UnmarshalJSON(src []byte) error

func (*NullableETFSectorExposureData) Unset

func (v *NullableETFSectorExposureData) Unset()

type NullableETFsCountryExposure

type NullableETFsCountryExposure struct {
	// contains filtered or unexported fields
}

func NewNullableETFsCountryExposure

func NewNullableETFsCountryExposure(val *ETFsCountryExposure) *NullableETFsCountryExposure

func (NullableETFsCountryExposure) Get

func (NullableETFsCountryExposure) IsSet

func (NullableETFsCountryExposure) MarshalJSON

func (v NullableETFsCountryExposure) MarshalJSON() ([]byte, error)

func (*NullableETFsCountryExposure) Set

func (*NullableETFsCountryExposure) UnmarshalJSON

func (v *NullableETFsCountryExposure) UnmarshalJSON(src []byte) error

func (*NullableETFsCountryExposure) Unset

func (v *NullableETFsCountryExposure) Unset()

type NullableETFsHoldings

type NullableETFsHoldings struct {
	// contains filtered or unexported fields
}

func NewNullableETFsHoldings

func NewNullableETFsHoldings(val *ETFsHoldings) *NullableETFsHoldings

func (NullableETFsHoldings) Get

func (NullableETFsHoldings) IsSet

func (v NullableETFsHoldings) IsSet() bool

func (NullableETFsHoldings) MarshalJSON

func (v NullableETFsHoldings) MarshalJSON() ([]byte, error)

func (*NullableETFsHoldings) Set

func (v *NullableETFsHoldings) Set(val *ETFsHoldings)

func (*NullableETFsHoldings) UnmarshalJSON

func (v *NullableETFsHoldings) UnmarshalJSON(src []byte) error

func (*NullableETFsHoldings) Unset

func (v *NullableETFsHoldings) Unset()

type NullableETFsProfile

type NullableETFsProfile struct {
	// contains filtered or unexported fields
}

func NewNullableETFsProfile

func NewNullableETFsProfile(val *ETFsProfile) *NullableETFsProfile

func (NullableETFsProfile) Get

func (NullableETFsProfile) IsSet

func (v NullableETFsProfile) IsSet() bool

func (NullableETFsProfile) MarshalJSON

func (v NullableETFsProfile) MarshalJSON() ([]byte, error)

func (*NullableETFsProfile) Set

func (v *NullableETFsProfile) Set(val *ETFsProfile)

func (*NullableETFsProfile) UnmarshalJSON

func (v *NullableETFsProfile) UnmarshalJSON(src []byte) error

func (*NullableETFsProfile) Unset

func (v *NullableETFsProfile) Unset()

type NullableETFsSectorExposure

type NullableETFsSectorExposure struct {
	// contains filtered or unexported fields
}

func NewNullableETFsSectorExposure

func NewNullableETFsSectorExposure(val *ETFsSectorExposure) *NullableETFsSectorExposure

func (NullableETFsSectorExposure) Get

func (NullableETFsSectorExposure) IsSet

func (v NullableETFsSectorExposure) IsSet() bool

func (NullableETFsSectorExposure) MarshalJSON

func (v NullableETFsSectorExposure) MarshalJSON() ([]byte, error)

func (*NullableETFsSectorExposure) Set

func (*NullableETFsSectorExposure) UnmarshalJSON

func (v *NullableETFsSectorExposure) UnmarshalJSON(src []byte) error

func (*NullableETFsSectorExposure) Unset

func (v *NullableETFsSectorExposure) Unset()

type NullableEarningRelease

type NullableEarningRelease struct {
	// contains filtered or unexported fields
}

func NewNullableEarningRelease

func NewNullableEarningRelease(val *EarningRelease) *NullableEarningRelease

func (NullableEarningRelease) Get

func (NullableEarningRelease) IsSet

func (v NullableEarningRelease) IsSet() bool

func (NullableEarningRelease) MarshalJSON

func (v NullableEarningRelease) MarshalJSON() ([]byte, error)

func (*NullableEarningRelease) Set

func (*NullableEarningRelease) UnmarshalJSON

func (v *NullableEarningRelease) UnmarshalJSON(src []byte) error

func (*NullableEarningRelease) Unset

func (v *NullableEarningRelease) Unset()

type NullableEarningResult

type NullableEarningResult struct {
	// contains filtered or unexported fields
}

func NewNullableEarningResult

func NewNullableEarningResult(val *EarningResult) *NullableEarningResult

func (NullableEarningResult) Get

func (NullableEarningResult) IsSet

func (v NullableEarningResult) IsSet() bool

func (NullableEarningResult) MarshalJSON

func (v NullableEarningResult) MarshalJSON() ([]byte, error)

func (*NullableEarningResult) Set

func (v *NullableEarningResult) Set(val *EarningResult)

func (*NullableEarningResult) UnmarshalJSON

func (v *NullableEarningResult) UnmarshalJSON(src []byte) error

func (*NullableEarningResult) Unset

func (v *NullableEarningResult) Unset()

type NullableEarningsCalendar

type NullableEarningsCalendar struct {
	// contains filtered or unexported fields
}

func NewNullableEarningsCalendar

func NewNullableEarningsCalendar(val *EarningsCalendar) *NullableEarningsCalendar

func (NullableEarningsCalendar) Get

func (NullableEarningsCalendar) IsSet

func (v NullableEarningsCalendar) IsSet() bool

func (NullableEarningsCalendar) MarshalJSON

func (v NullableEarningsCalendar) MarshalJSON() ([]byte, error)

func (*NullableEarningsCalendar) Set

func (*NullableEarningsCalendar) UnmarshalJSON

func (v *NullableEarningsCalendar) UnmarshalJSON(src []byte) error

func (*NullableEarningsCalendar) Unset

func (v *NullableEarningsCalendar) Unset()

type NullableEarningsCallTranscripts

type NullableEarningsCallTranscripts struct {
	// contains filtered or unexported fields
}

func (NullableEarningsCallTranscripts) Get

func (NullableEarningsCallTranscripts) IsSet

func (NullableEarningsCallTranscripts) MarshalJSON

func (v NullableEarningsCallTranscripts) MarshalJSON() ([]byte, error)

func (*NullableEarningsCallTranscripts) Set

func (*NullableEarningsCallTranscripts) UnmarshalJSON

func (v *NullableEarningsCallTranscripts) UnmarshalJSON(src []byte) error

func (*NullableEarningsCallTranscripts) Unset

type NullableEarningsCallTranscriptsList

type NullableEarningsCallTranscriptsList struct {
	// contains filtered or unexported fields
}

func (NullableEarningsCallTranscriptsList) Get

func (NullableEarningsCallTranscriptsList) IsSet

func (NullableEarningsCallTranscriptsList) MarshalJSON

func (v NullableEarningsCallTranscriptsList) MarshalJSON() ([]byte, error)

func (*NullableEarningsCallTranscriptsList) Set

func (*NullableEarningsCallTranscriptsList) UnmarshalJSON

func (v *NullableEarningsCallTranscriptsList) UnmarshalJSON(src []byte) error

func (*NullableEarningsCallTranscriptsList) Unset

type NullableEarningsEstimates

type NullableEarningsEstimates struct {
	// contains filtered or unexported fields
}

func NewNullableEarningsEstimates

func NewNullableEarningsEstimates(val *EarningsEstimates) *NullableEarningsEstimates

func (NullableEarningsEstimates) Get

func (NullableEarningsEstimates) IsSet

func (v NullableEarningsEstimates) IsSet() bool

func (NullableEarningsEstimates) MarshalJSON

func (v NullableEarningsEstimates) MarshalJSON() ([]byte, error)

func (*NullableEarningsEstimates) Set

func (*NullableEarningsEstimates) UnmarshalJSON

func (v *NullableEarningsEstimates) UnmarshalJSON(src []byte) error

func (*NullableEarningsEstimates) Unset

func (v *NullableEarningsEstimates) Unset()

type NullableEarningsEstimatesInfo

type NullableEarningsEstimatesInfo struct {
	// contains filtered or unexported fields
}

func (NullableEarningsEstimatesInfo) Get

func (NullableEarningsEstimatesInfo) IsSet

func (NullableEarningsEstimatesInfo) MarshalJSON

func (v NullableEarningsEstimatesInfo) MarshalJSON() ([]byte, error)

func (*NullableEarningsEstimatesInfo) Set

func (*NullableEarningsEstimatesInfo) UnmarshalJSON

func (v *NullableEarningsEstimatesInfo) UnmarshalJSON(src []byte) error

func (*NullableEarningsEstimatesInfo) Unset

func (v *NullableEarningsEstimatesInfo) Unset()

type NullableEbitEstimates added in v2.0.8

type NullableEbitEstimates struct {
	// contains filtered or unexported fields
}

func NewNullableEbitEstimates added in v2.0.8

func NewNullableEbitEstimates(val *EbitEstimates) *NullableEbitEstimates

func (NullableEbitEstimates) Get added in v2.0.8

func (NullableEbitEstimates) IsSet added in v2.0.8

func (v NullableEbitEstimates) IsSet() bool

func (NullableEbitEstimates) MarshalJSON added in v2.0.8

func (v NullableEbitEstimates) MarshalJSON() ([]byte, error)

func (*NullableEbitEstimates) Set added in v2.0.8

func (v *NullableEbitEstimates) Set(val *EbitEstimates)

func (*NullableEbitEstimates) UnmarshalJSON added in v2.0.8

func (v *NullableEbitEstimates) UnmarshalJSON(src []byte) error

func (*NullableEbitEstimates) Unset added in v2.0.8

func (v *NullableEbitEstimates) Unset()

type NullableEbitEstimatesInfo added in v2.0.8

type NullableEbitEstimatesInfo struct {
	// contains filtered or unexported fields
}

func NewNullableEbitEstimatesInfo added in v2.0.8

func NewNullableEbitEstimatesInfo(val *EbitEstimatesInfo) *NullableEbitEstimatesInfo

func (NullableEbitEstimatesInfo) Get added in v2.0.8

func (NullableEbitEstimatesInfo) IsSet added in v2.0.8

func (v NullableEbitEstimatesInfo) IsSet() bool

func (NullableEbitEstimatesInfo) MarshalJSON added in v2.0.8

func (v NullableEbitEstimatesInfo) MarshalJSON() ([]byte, error)

func (*NullableEbitEstimatesInfo) Set added in v2.0.8

func (*NullableEbitEstimatesInfo) UnmarshalJSON added in v2.0.8

func (v *NullableEbitEstimatesInfo) UnmarshalJSON(src []byte) error

func (*NullableEbitEstimatesInfo) Unset added in v2.0.8

func (v *NullableEbitEstimatesInfo) Unset()

type NullableEbitdaEstimates added in v2.0.8

type NullableEbitdaEstimates struct {
	// contains filtered or unexported fields
}

func NewNullableEbitdaEstimates added in v2.0.8

func NewNullableEbitdaEstimates(val *EbitdaEstimates) *NullableEbitdaEstimates

func (NullableEbitdaEstimates) Get added in v2.0.8

func (NullableEbitdaEstimates) IsSet added in v2.0.8

func (v NullableEbitdaEstimates) IsSet() bool

func (NullableEbitdaEstimates) MarshalJSON added in v2.0.8

func (v NullableEbitdaEstimates) MarshalJSON() ([]byte, error)

func (*NullableEbitdaEstimates) Set added in v2.0.8

func (*NullableEbitdaEstimates) UnmarshalJSON added in v2.0.8

func (v *NullableEbitdaEstimates) UnmarshalJSON(src []byte) error

func (*NullableEbitdaEstimates) Unset added in v2.0.8

func (v *NullableEbitdaEstimates) Unset()

type NullableEbitdaEstimatesInfo added in v2.0.8

type NullableEbitdaEstimatesInfo struct {
	// contains filtered or unexported fields
}

func NewNullableEbitdaEstimatesInfo added in v2.0.8

func NewNullableEbitdaEstimatesInfo(val *EbitdaEstimatesInfo) *NullableEbitdaEstimatesInfo

func (NullableEbitdaEstimatesInfo) Get added in v2.0.8

func (NullableEbitdaEstimatesInfo) IsSet added in v2.0.8

func (NullableEbitdaEstimatesInfo) MarshalJSON added in v2.0.8

func (v NullableEbitdaEstimatesInfo) MarshalJSON() ([]byte, error)

func (*NullableEbitdaEstimatesInfo) Set added in v2.0.8

func (*NullableEbitdaEstimatesInfo) UnmarshalJSON added in v2.0.8

func (v *NullableEbitdaEstimatesInfo) UnmarshalJSON(src []byte) error

func (*NullableEbitdaEstimatesInfo) Unset added in v2.0.8

func (v *NullableEbitdaEstimatesInfo) Unset()

type NullableEconomicCalendar

type NullableEconomicCalendar struct {
	// contains filtered or unexported fields
}

func NewNullableEconomicCalendar

func NewNullableEconomicCalendar(val *EconomicCalendar) *NullableEconomicCalendar

func (NullableEconomicCalendar) Get

func (NullableEconomicCalendar) IsSet

func (v NullableEconomicCalendar) IsSet() bool

func (NullableEconomicCalendar) MarshalJSON

func (v NullableEconomicCalendar) MarshalJSON() ([]byte, error)

func (*NullableEconomicCalendar) Set

func (*NullableEconomicCalendar) UnmarshalJSON

func (v *NullableEconomicCalendar) UnmarshalJSON(src []byte) error

func (*NullableEconomicCalendar) Unset

func (v *NullableEconomicCalendar) Unset()

type NullableEconomicCode

type NullableEconomicCode struct {
	// contains filtered or unexported fields
}

func NewNullableEconomicCode

func NewNullableEconomicCode(val *EconomicCode) *NullableEconomicCode

func (NullableEconomicCode) Get

func (NullableEconomicCode) IsSet

func (v NullableEconomicCode) IsSet() bool

func (NullableEconomicCode) MarshalJSON

func (v NullableEconomicCode) MarshalJSON() ([]byte, error)

func (*NullableEconomicCode) Set

func (v *NullableEconomicCode) Set(val *EconomicCode)

func (*NullableEconomicCode) UnmarshalJSON

func (v *NullableEconomicCode) UnmarshalJSON(src []byte) error

func (*NullableEconomicCode) Unset

func (v *NullableEconomicCode) Unset()

type NullableEconomicData

type NullableEconomicData struct {
	// contains filtered or unexported fields
}

func NewNullableEconomicData

func NewNullableEconomicData(val *EconomicData) *NullableEconomicData

func (NullableEconomicData) Get

func (NullableEconomicData) IsSet

func (v NullableEconomicData) IsSet() bool

func (NullableEconomicData) MarshalJSON

func (v NullableEconomicData) MarshalJSON() ([]byte, error)

func (*NullableEconomicData) Set

func (v *NullableEconomicData) Set(val *EconomicData)

func (*NullableEconomicData) UnmarshalJSON

func (v *NullableEconomicData) UnmarshalJSON(src []byte) error

func (*NullableEconomicData) Unset

func (v *NullableEconomicData) Unset()

type NullableEconomicDataInfo

type NullableEconomicDataInfo struct {
	// contains filtered or unexported fields
}

func NewNullableEconomicDataInfo

func NewNullableEconomicDataInfo(val *EconomicDataInfo) *NullableEconomicDataInfo

func (NullableEconomicDataInfo) Get

func (NullableEconomicDataInfo) IsSet

func (v NullableEconomicDataInfo) IsSet() bool

func (NullableEconomicDataInfo) MarshalJSON

func (v NullableEconomicDataInfo) MarshalJSON() ([]byte, error)

func (*NullableEconomicDataInfo) Set

func (*NullableEconomicDataInfo) UnmarshalJSON

func (v *NullableEconomicDataInfo) UnmarshalJSON(src []byte) error

func (*NullableEconomicDataInfo) Unset

func (v *NullableEconomicDataInfo) Unset()

type NullableEconomicEvent

type NullableEconomicEvent struct {
	// contains filtered or unexported fields
}

func NewNullableEconomicEvent

func NewNullableEconomicEvent(val *EconomicEvent) *NullableEconomicEvent

func (NullableEconomicEvent) Get

func (NullableEconomicEvent) IsSet

func (v NullableEconomicEvent) IsSet() bool

func (NullableEconomicEvent) MarshalJSON

func (v NullableEconomicEvent) MarshalJSON() ([]byte, error)

func (*NullableEconomicEvent) Set

func (v *NullableEconomicEvent) Set(val *EconomicEvent)

func (*NullableEconomicEvent) UnmarshalJSON

func (v *NullableEconomicEvent) UnmarshalJSON(src []byte) error

func (*NullableEconomicEvent) Unset

func (v *NullableEconomicEvent) Unset()

type NullableExcerptResponse added in v2.0.16

type NullableExcerptResponse struct {
	// contains filtered or unexported fields
}

func NewNullableExcerptResponse added in v2.0.16

func NewNullableExcerptResponse(val *ExcerptResponse) *NullableExcerptResponse

func (NullableExcerptResponse) Get added in v2.0.16

func (NullableExcerptResponse) IsSet added in v2.0.16

func (v NullableExcerptResponse) IsSet() bool

func (NullableExcerptResponse) MarshalJSON added in v2.0.16

func (v NullableExcerptResponse) MarshalJSON() ([]byte, error)

func (*NullableExcerptResponse) Set added in v2.0.16

func (*NullableExcerptResponse) UnmarshalJSON added in v2.0.16

func (v *NullableExcerptResponse) UnmarshalJSON(src []byte) error

func (*NullableExcerptResponse) Unset added in v2.0.16

func (v *NullableExcerptResponse) Unset()

type NullableFDAComitteeMeeting

type NullableFDAComitteeMeeting struct {
	// contains filtered or unexported fields
}

func NewNullableFDAComitteeMeeting

func NewNullableFDAComitteeMeeting(val *FDAComitteeMeeting) *NullableFDAComitteeMeeting

func (NullableFDAComitteeMeeting) Get

func (NullableFDAComitteeMeeting) IsSet

func (v NullableFDAComitteeMeeting) IsSet() bool

func (NullableFDAComitteeMeeting) MarshalJSON

func (v NullableFDAComitteeMeeting) MarshalJSON() ([]byte, error)

func (*NullableFDAComitteeMeeting) Set

func (*NullableFDAComitteeMeeting) UnmarshalJSON

func (v *NullableFDAComitteeMeeting) UnmarshalJSON(src []byte) error

func (*NullableFDAComitteeMeeting) Unset

func (v *NullableFDAComitteeMeeting) Unset()

type NullableFiling

type NullableFiling struct {
	// contains filtered or unexported fields
}

func NewNullableFiling

func NewNullableFiling(val *Filing) *NullableFiling

func (NullableFiling) Get

func (v NullableFiling) Get() *Filing

func (NullableFiling) IsSet

func (v NullableFiling) IsSet() bool

func (NullableFiling) MarshalJSON

func (v NullableFiling) MarshalJSON() ([]byte, error)

func (*NullableFiling) Set

func (v *NullableFiling) Set(val *Filing)

func (*NullableFiling) UnmarshalJSON

func (v *NullableFiling) UnmarshalJSON(src []byte) error

func (*NullableFiling) Unset

func (v *NullableFiling) Unset()

type NullableFilingResponse added in v2.0.16

type NullableFilingResponse struct {
	// contains filtered or unexported fields
}

func NewNullableFilingResponse added in v2.0.16

func NewNullableFilingResponse(val *FilingResponse) *NullableFilingResponse

func (NullableFilingResponse) Get added in v2.0.16

func (NullableFilingResponse) IsSet added in v2.0.16

func (v NullableFilingResponse) IsSet() bool

func (NullableFilingResponse) MarshalJSON added in v2.0.16

func (v NullableFilingResponse) MarshalJSON() ([]byte, error)

func (*NullableFilingResponse) Set added in v2.0.16

func (*NullableFilingResponse) UnmarshalJSON added in v2.0.16

func (v *NullableFilingResponse) UnmarshalJSON(src []byte) error

func (*NullableFilingResponse) Unset added in v2.0.16

func (v *NullableFilingResponse) Unset()

type NullableFilingSentiment

type NullableFilingSentiment struct {
	// contains filtered or unexported fields
}

func NewNullableFilingSentiment

func NewNullableFilingSentiment(val *FilingSentiment) *NullableFilingSentiment

func (NullableFilingSentiment) Get

func (NullableFilingSentiment) IsSet

func (v NullableFilingSentiment) IsSet() bool

func (NullableFilingSentiment) MarshalJSON

func (v NullableFilingSentiment) MarshalJSON() ([]byte, error)

func (*NullableFilingSentiment) Set

func (*NullableFilingSentiment) UnmarshalJSON

func (v *NullableFilingSentiment) UnmarshalJSON(src []byte) error

func (*NullableFilingSentiment) Unset

func (v *NullableFilingSentiment) Unset()

type NullableFinancialStatements

type NullableFinancialStatements struct {
	// contains filtered or unexported fields
}

func NewNullableFinancialStatements

func NewNullableFinancialStatements(val *FinancialStatements) *NullableFinancialStatements

func (NullableFinancialStatements) Get

func (NullableFinancialStatements) IsSet

func (NullableFinancialStatements) MarshalJSON

func (v NullableFinancialStatements) MarshalJSON() ([]byte, error)

func (*NullableFinancialStatements) Set

func (*NullableFinancialStatements) UnmarshalJSON

func (v *NullableFinancialStatements) UnmarshalJSON(src []byte) error

func (*NullableFinancialStatements) Unset

func (v *NullableFinancialStatements) Unset()

type NullableFinancialsAsReported

type NullableFinancialsAsReported struct {
	// contains filtered or unexported fields
}

func NewNullableFinancialsAsReported

func NewNullableFinancialsAsReported(val *FinancialsAsReported) *NullableFinancialsAsReported

func (NullableFinancialsAsReported) Get

func (NullableFinancialsAsReported) IsSet

func (NullableFinancialsAsReported) MarshalJSON

func (v NullableFinancialsAsReported) MarshalJSON() ([]byte, error)

func (*NullableFinancialsAsReported) Set

func (*NullableFinancialsAsReported) UnmarshalJSON

func (v *NullableFinancialsAsReported) UnmarshalJSON(src []byte) error

func (*NullableFinancialsAsReported) Unset

func (v *NullableFinancialsAsReported) Unset()

type NullableFloat32

type NullableFloat32 struct {
	// contains filtered or unexported fields
}

func NewNullableFloat32

func NewNullableFloat32(val *float32) *NullableFloat32

func (NullableFloat32) Get

func (v NullableFloat32) Get() *float32

func (NullableFloat32) IsSet

func (v NullableFloat32) IsSet() bool

func (NullableFloat32) MarshalJSON

func (v NullableFloat32) MarshalJSON() ([]byte, error)

func (*NullableFloat32) Set

func (v *NullableFloat32) Set(val *float32)

func (*NullableFloat32) UnmarshalJSON

func (v *NullableFloat32) UnmarshalJSON(src []byte) error

func (*NullableFloat32) Unset

func (v *NullableFloat32) Unset()

type NullableFloat64

type NullableFloat64 struct {
	// contains filtered or unexported fields
}

func NewNullableFloat64

func NewNullableFloat64(val *float64) *NullableFloat64

func (NullableFloat64) Get

func (v NullableFloat64) Get() *float64

func (NullableFloat64) IsSet

func (v NullableFloat64) IsSet() bool

func (NullableFloat64) MarshalJSON

func (v NullableFloat64) MarshalJSON() ([]byte, error)

func (*NullableFloat64) Set

func (v *NullableFloat64) Set(val *float64)

func (*NullableFloat64) UnmarshalJSON

func (v *NullableFloat64) UnmarshalJSON(src []byte) error

func (*NullableFloat64) Unset

func (v *NullableFloat64) Unset()

type NullableForexCandles

type NullableForexCandles struct {
	// contains filtered or unexported fields
}

func NewNullableForexCandles

func NewNullableForexCandles(val *ForexCandles) *NullableForexCandles

func (NullableForexCandles) Get

func (NullableForexCandles) IsSet

func (v NullableForexCandles) IsSet() bool

func (NullableForexCandles) MarshalJSON

func (v NullableForexCandles) MarshalJSON() ([]byte, error)

func (*NullableForexCandles) Set

func (v *NullableForexCandles) Set(val *ForexCandles)

func (*NullableForexCandles) UnmarshalJSON

func (v *NullableForexCandles) UnmarshalJSON(src []byte) error

func (*NullableForexCandles) Unset

func (v *NullableForexCandles) Unset()

type NullableForexSymbol

type NullableForexSymbol struct {
	// contains filtered or unexported fields
}

func NewNullableForexSymbol

func NewNullableForexSymbol(val *ForexSymbol) *NullableForexSymbol

func (NullableForexSymbol) Get

func (NullableForexSymbol) IsSet

func (v NullableForexSymbol) IsSet() bool

func (NullableForexSymbol) MarshalJSON

func (v NullableForexSymbol) MarshalJSON() ([]byte, error)

func (*NullableForexSymbol) Set

func (v *NullableForexSymbol) Set(val *ForexSymbol)

func (*NullableForexSymbol) UnmarshalJSON

func (v *NullableForexSymbol) UnmarshalJSON(src []byte) error

func (*NullableForexSymbol) Unset

func (v *NullableForexSymbol) Unset()

type NullableForexrates

type NullableForexrates struct {
	// contains filtered or unexported fields
}

func NewNullableForexrates

func NewNullableForexrates(val *Forexrates) *NullableForexrates

func (NullableForexrates) Get

func (v NullableForexrates) Get() *Forexrates

func (NullableForexrates) IsSet

func (v NullableForexrates) IsSet() bool

func (NullableForexrates) MarshalJSON

func (v NullableForexrates) MarshalJSON() ([]byte, error)

func (*NullableForexrates) Set

func (v *NullableForexrates) Set(val *Forexrates)

func (*NullableForexrates) UnmarshalJSON

func (v *NullableForexrates) UnmarshalJSON(src []byte) error

func (*NullableForexrates) Unset

func (v *NullableForexrates) Unset()

type NullableFundOwnership

type NullableFundOwnership struct {
	// contains filtered or unexported fields
}

func NewNullableFundOwnership

func NewNullableFundOwnership(val *FundOwnership) *NullableFundOwnership

func (NullableFundOwnership) Get

func (NullableFundOwnership) IsSet

func (v NullableFundOwnership) IsSet() bool

func (NullableFundOwnership) MarshalJSON

func (v NullableFundOwnership) MarshalJSON() ([]byte, error)

func (*NullableFundOwnership) Set

func (v *NullableFundOwnership) Set(val *FundOwnership)

func (*NullableFundOwnership) UnmarshalJSON

func (v *NullableFundOwnership) UnmarshalJSON(src []byte) error

func (*NullableFundOwnership) Unset

func (v *NullableFundOwnership) Unset()

type NullableFundOwnershipInfo

type NullableFundOwnershipInfo struct {
	// contains filtered or unexported fields
}

func NewNullableFundOwnershipInfo

func NewNullableFundOwnershipInfo(val *FundOwnershipInfo) *NullableFundOwnershipInfo

func (NullableFundOwnershipInfo) Get

func (NullableFundOwnershipInfo) IsSet

func (v NullableFundOwnershipInfo) IsSet() bool

func (NullableFundOwnershipInfo) MarshalJSON

func (v NullableFundOwnershipInfo) MarshalJSON() ([]byte, error)

func (*NullableFundOwnershipInfo) Set

func (*NullableFundOwnershipInfo) UnmarshalJSON

func (v *NullableFundOwnershipInfo) UnmarshalJSON(src []byte) error

func (*NullableFundOwnershipInfo) Unset

func (v *NullableFundOwnershipInfo) Unset()

type NullableHistoricalNBBO

type NullableHistoricalNBBO struct {
	// contains filtered or unexported fields
}

func NewNullableHistoricalNBBO

func NewNullableHistoricalNBBO(val *HistoricalNBBO) *NullableHistoricalNBBO

func (NullableHistoricalNBBO) Get

func (NullableHistoricalNBBO) IsSet

func (v NullableHistoricalNBBO) IsSet() bool

func (NullableHistoricalNBBO) MarshalJSON

func (v NullableHistoricalNBBO) MarshalJSON() ([]byte, error)

func (*NullableHistoricalNBBO) Set

func (*NullableHistoricalNBBO) UnmarshalJSON

func (v *NullableHistoricalNBBO) UnmarshalJSON(src []byte) error

func (*NullableHistoricalNBBO) Unset

func (v *NullableHistoricalNBBO) Unset()

type NullableIPOCalendar

type NullableIPOCalendar struct {
	// contains filtered or unexported fields
}

func NewNullableIPOCalendar

func NewNullableIPOCalendar(val *IPOCalendar) *NullableIPOCalendar

func (NullableIPOCalendar) Get

func (NullableIPOCalendar) IsSet

func (v NullableIPOCalendar) IsSet() bool

func (NullableIPOCalendar) MarshalJSON

func (v NullableIPOCalendar) MarshalJSON() ([]byte, error)

func (*NullableIPOCalendar) Set

func (v *NullableIPOCalendar) Set(val *IPOCalendar)

func (*NullableIPOCalendar) UnmarshalJSON

func (v *NullableIPOCalendar) UnmarshalJSON(src []byte) error

func (*NullableIPOCalendar) Unset

func (v *NullableIPOCalendar) Unset()

type NullableIPOEvent

type NullableIPOEvent struct {
	// contains filtered or unexported fields
}

func NewNullableIPOEvent

func NewNullableIPOEvent(val *IPOEvent) *NullableIPOEvent

func (NullableIPOEvent) Get

func (v NullableIPOEvent) Get() *IPOEvent

func (NullableIPOEvent) IsSet

func (v NullableIPOEvent) IsSet() bool

func (NullableIPOEvent) MarshalJSON

func (v NullableIPOEvent) MarshalJSON() ([]byte, error)

func (*NullableIPOEvent) Set

func (v *NullableIPOEvent) Set(val *IPOEvent)

func (*NullableIPOEvent) UnmarshalJSON

func (v *NullableIPOEvent) UnmarshalJSON(src []byte) error

func (*NullableIPOEvent) Unset

func (v *NullableIPOEvent) Unset()

type NullableInFilingResponse added in v2.0.16

type NullableInFilingResponse struct {
	// contains filtered or unexported fields
}

func NewNullableInFilingResponse added in v2.0.16

func NewNullableInFilingResponse(val *InFilingResponse) *NullableInFilingResponse

func (NullableInFilingResponse) Get added in v2.0.16

func (NullableInFilingResponse) IsSet added in v2.0.16

func (v NullableInFilingResponse) IsSet() bool

func (NullableInFilingResponse) MarshalJSON added in v2.0.16

func (v NullableInFilingResponse) MarshalJSON() ([]byte, error)

func (*NullableInFilingResponse) Set added in v2.0.16

func (*NullableInFilingResponse) UnmarshalJSON added in v2.0.16

func (v *NullableInFilingResponse) UnmarshalJSON(src []byte) error

func (*NullableInFilingResponse) Unset added in v2.0.16

func (v *NullableInFilingResponse) Unset()

type NullableInFilingSearchBody added in v2.0.16

type NullableInFilingSearchBody struct {
	// contains filtered or unexported fields
}

func NewNullableInFilingSearchBody added in v2.0.16

func NewNullableInFilingSearchBody(val *InFilingSearchBody) *NullableInFilingSearchBody

func (NullableInFilingSearchBody) Get added in v2.0.16

func (NullableInFilingSearchBody) IsSet added in v2.0.16

func (v NullableInFilingSearchBody) IsSet() bool

func (NullableInFilingSearchBody) MarshalJSON added in v2.0.16

func (v NullableInFilingSearchBody) MarshalJSON() ([]byte, error)

func (*NullableInFilingSearchBody) Set added in v2.0.16

func (*NullableInFilingSearchBody) UnmarshalJSON added in v2.0.16

func (v *NullableInFilingSearchBody) UnmarshalJSON(src []byte) error

func (*NullableInFilingSearchBody) Unset added in v2.0.16

func (v *NullableInFilingSearchBody) Unset()

type NullableIndexHistoricalConstituent

type NullableIndexHistoricalConstituent struct {
	// contains filtered or unexported fields
}

func (NullableIndexHistoricalConstituent) Get

func (NullableIndexHistoricalConstituent) IsSet

func (NullableIndexHistoricalConstituent) MarshalJSON

func (v NullableIndexHistoricalConstituent) MarshalJSON() ([]byte, error)

func (*NullableIndexHistoricalConstituent) Set

func (*NullableIndexHistoricalConstituent) UnmarshalJSON

func (v *NullableIndexHistoricalConstituent) UnmarshalJSON(src []byte) error

func (*NullableIndexHistoricalConstituent) Unset

type NullableIndicator

type NullableIndicator struct {
	// contains filtered or unexported fields
}

func NewNullableIndicator

func NewNullableIndicator(val *Indicator) *NullableIndicator

func (NullableIndicator) Get

func (v NullableIndicator) Get() *Indicator

func (NullableIndicator) IsSet

func (v NullableIndicator) IsSet() bool

func (NullableIndicator) MarshalJSON

func (v NullableIndicator) MarshalJSON() ([]byte, error)

func (*NullableIndicator) Set

func (v *NullableIndicator) Set(val *Indicator)

func (*NullableIndicator) UnmarshalJSON

func (v *NullableIndicator) UnmarshalJSON(src []byte) error

func (*NullableIndicator) Unset

func (v *NullableIndicator) Unset()

type NullableIndicesConstituents

type NullableIndicesConstituents struct {
	// contains filtered or unexported fields
}

func NewNullableIndicesConstituents

func NewNullableIndicesConstituents(val *IndicesConstituents) *NullableIndicesConstituents

func (NullableIndicesConstituents) Get

func (NullableIndicesConstituents) IsSet

func (NullableIndicesConstituents) MarshalJSON

func (v NullableIndicesConstituents) MarshalJSON() ([]byte, error)

func (*NullableIndicesConstituents) Set

func (*NullableIndicesConstituents) UnmarshalJSON

func (v *NullableIndicesConstituents) UnmarshalJSON(src []byte) error

func (*NullableIndicesConstituents) Unset

func (v *NullableIndicesConstituents) Unset()

type NullableIndicesConstituentsBreakdown added in v2.0.17

type NullableIndicesConstituentsBreakdown struct {
	// contains filtered or unexported fields
}

func NewNullableIndicesConstituentsBreakdown added in v2.0.17

func NewNullableIndicesConstituentsBreakdown(val *IndicesConstituentsBreakdown) *NullableIndicesConstituentsBreakdown

func (NullableIndicesConstituentsBreakdown) Get added in v2.0.17

func (NullableIndicesConstituentsBreakdown) IsSet added in v2.0.17

func (NullableIndicesConstituentsBreakdown) MarshalJSON added in v2.0.17

func (v NullableIndicesConstituentsBreakdown) MarshalJSON() ([]byte, error)

func (*NullableIndicesConstituentsBreakdown) Set added in v2.0.17

func (*NullableIndicesConstituentsBreakdown) UnmarshalJSON added in v2.0.17

func (v *NullableIndicesConstituentsBreakdown) UnmarshalJSON(src []byte) error

func (*NullableIndicesConstituentsBreakdown) Unset added in v2.0.17

type NullableIndicesHistoricalConstituents

type NullableIndicesHistoricalConstituents struct {
	// contains filtered or unexported fields
}

func (NullableIndicesHistoricalConstituents) Get

func (NullableIndicesHistoricalConstituents) IsSet

func (NullableIndicesHistoricalConstituents) MarshalJSON

func (v NullableIndicesHistoricalConstituents) MarshalJSON() ([]byte, error)

func (*NullableIndicesHistoricalConstituents) Set

func (*NullableIndicesHistoricalConstituents) UnmarshalJSON

func (v *NullableIndicesHistoricalConstituents) UnmarshalJSON(src []byte) error

func (*NullableIndicesHistoricalConstituents) Unset

type NullableInsiderSentiments added in v2.0.11

type NullableInsiderSentiments struct {
	// contains filtered or unexported fields
}

func NewNullableInsiderSentiments added in v2.0.11

func NewNullableInsiderSentiments(val *InsiderSentiments) *NullableInsiderSentiments

func (NullableInsiderSentiments) Get added in v2.0.11

func (NullableInsiderSentiments) IsSet added in v2.0.11

func (v NullableInsiderSentiments) IsSet() bool

func (NullableInsiderSentiments) MarshalJSON added in v2.0.11

func (v NullableInsiderSentiments) MarshalJSON() ([]byte, error)

func (*NullableInsiderSentiments) Set added in v2.0.11

func (*NullableInsiderSentiments) UnmarshalJSON added in v2.0.11

func (v *NullableInsiderSentiments) UnmarshalJSON(src []byte) error

func (*NullableInsiderSentiments) Unset added in v2.0.11

func (v *NullableInsiderSentiments) Unset()

type NullableInsiderSentimentsData added in v2.0.11

type NullableInsiderSentimentsData struct {
	// contains filtered or unexported fields
}

func NewNullableInsiderSentimentsData added in v2.0.11

func NewNullableInsiderSentimentsData(val *InsiderSentimentsData) *NullableInsiderSentimentsData

func (NullableInsiderSentimentsData) Get added in v2.0.11

func (NullableInsiderSentimentsData) IsSet added in v2.0.11

func (NullableInsiderSentimentsData) MarshalJSON added in v2.0.11

func (v NullableInsiderSentimentsData) MarshalJSON() ([]byte, error)

func (*NullableInsiderSentimentsData) Set added in v2.0.11

func (*NullableInsiderSentimentsData) UnmarshalJSON added in v2.0.11

func (v *NullableInsiderSentimentsData) UnmarshalJSON(src []byte) error

func (*NullableInsiderSentimentsData) Unset added in v2.0.11

func (v *NullableInsiderSentimentsData) Unset()

type NullableInsiderTransactions

type NullableInsiderTransactions struct {
	// contains filtered or unexported fields
}

func NewNullableInsiderTransactions

func NewNullableInsiderTransactions(val *InsiderTransactions) *NullableInsiderTransactions

func (NullableInsiderTransactions) Get

func (NullableInsiderTransactions) IsSet

func (NullableInsiderTransactions) MarshalJSON

func (v NullableInsiderTransactions) MarshalJSON() ([]byte, error)

func (*NullableInsiderTransactions) Set

func (*NullableInsiderTransactions) UnmarshalJSON

func (v *NullableInsiderTransactions) UnmarshalJSON(src []byte) error

func (*NullableInsiderTransactions) Unset

func (v *NullableInsiderTransactions) Unset()

type NullableInstitutionalOwnership added in v2.0.15

type NullableInstitutionalOwnership struct {
	// contains filtered or unexported fields
}

func NewNullableInstitutionalOwnership added in v2.0.15

func NewNullableInstitutionalOwnership(val *InstitutionalOwnership) *NullableInstitutionalOwnership

func (NullableInstitutionalOwnership) Get added in v2.0.15

func (NullableInstitutionalOwnership) IsSet added in v2.0.15

func (NullableInstitutionalOwnership) MarshalJSON added in v2.0.15

func (v NullableInstitutionalOwnership) MarshalJSON() ([]byte, error)

func (*NullableInstitutionalOwnership) Set added in v2.0.15

func (*NullableInstitutionalOwnership) UnmarshalJSON added in v2.0.15

func (v *NullableInstitutionalOwnership) UnmarshalJSON(src []byte) error

func (*NullableInstitutionalOwnership) Unset added in v2.0.15

func (v *NullableInstitutionalOwnership) Unset()

type NullableInstitutionalOwnershipGroup added in v2.0.15

type NullableInstitutionalOwnershipGroup struct {
	// contains filtered or unexported fields
}

func NewNullableInstitutionalOwnershipGroup added in v2.0.15

func NewNullableInstitutionalOwnershipGroup(val *InstitutionalOwnershipGroup) *NullableInstitutionalOwnershipGroup

func (NullableInstitutionalOwnershipGroup) Get added in v2.0.15

func (NullableInstitutionalOwnershipGroup) IsSet added in v2.0.15

func (NullableInstitutionalOwnershipGroup) MarshalJSON added in v2.0.15

func (v NullableInstitutionalOwnershipGroup) MarshalJSON() ([]byte, error)

func (*NullableInstitutionalOwnershipGroup) Set added in v2.0.15

func (*NullableInstitutionalOwnershipGroup) UnmarshalJSON added in v2.0.15

func (v *NullableInstitutionalOwnershipGroup) UnmarshalJSON(src []byte) error

func (*NullableInstitutionalOwnershipGroup) Unset added in v2.0.15

type NullableInstitutionalOwnershipInfo added in v2.0.15

type NullableInstitutionalOwnershipInfo struct {
	// contains filtered or unexported fields
}

func NewNullableInstitutionalOwnershipInfo added in v2.0.15

func NewNullableInstitutionalOwnershipInfo(val *InstitutionalOwnershipInfo) *NullableInstitutionalOwnershipInfo

func (NullableInstitutionalOwnershipInfo) Get added in v2.0.15

func (NullableInstitutionalOwnershipInfo) IsSet added in v2.0.15

func (NullableInstitutionalOwnershipInfo) MarshalJSON added in v2.0.15

func (v NullableInstitutionalOwnershipInfo) MarshalJSON() ([]byte, error)

func (*NullableInstitutionalOwnershipInfo) Set added in v2.0.15

func (*NullableInstitutionalOwnershipInfo) UnmarshalJSON added in v2.0.15

func (v *NullableInstitutionalOwnershipInfo) UnmarshalJSON(src []byte) error

func (*NullableInstitutionalOwnershipInfo) Unset added in v2.0.15

type NullableInstitutionalPortfolio added in v2.0.15

type NullableInstitutionalPortfolio struct {
	// contains filtered or unexported fields
}

func NewNullableInstitutionalPortfolio added in v2.0.15

func NewNullableInstitutionalPortfolio(val *InstitutionalPortfolio) *NullableInstitutionalPortfolio

func (NullableInstitutionalPortfolio) Get added in v2.0.15

func (NullableInstitutionalPortfolio) IsSet added in v2.0.15

func (NullableInstitutionalPortfolio) MarshalJSON added in v2.0.15

func (v NullableInstitutionalPortfolio) MarshalJSON() ([]byte, error)

func (*NullableInstitutionalPortfolio) Set added in v2.0.15

func (*NullableInstitutionalPortfolio) UnmarshalJSON added in v2.0.15

func (v *NullableInstitutionalPortfolio) UnmarshalJSON(src []byte) error

func (*NullableInstitutionalPortfolio) Unset added in v2.0.15

func (v *NullableInstitutionalPortfolio) Unset()

type NullableInstitutionalPortfolioGroup added in v2.0.15

type NullableInstitutionalPortfolioGroup struct {
	// contains filtered or unexported fields
}

func NewNullableInstitutionalPortfolioGroup added in v2.0.15

func NewNullableInstitutionalPortfolioGroup(val *InstitutionalPortfolioGroup) *NullableInstitutionalPortfolioGroup

func (NullableInstitutionalPortfolioGroup) Get added in v2.0.15

func (NullableInstitutionalPortfolioGroup) IsSet added in v2.0.15

func (NullableInstitutionalPortfolioGroup) MarshalJSON added in v2.0.15

func (v NullableInstitutionalPortfolioGroup) MarshalJSON() ([]byte, error)

func (*NullableInstitutionalPortfolioGroup) Set added in v2.0.15

func (*NullableInstitutionalPortfolioGroup) UnmarshalJSON added in v2.0.15

func (v *NullableInstitutionalPortfolioGroup) UnmarshalJSON(src []byte) error

func (*NullableInstitutionalPortfolioGroup) Unset added in v2.0.15

type NullableInstitutionalPortfolioInfo added in v2.0.15

type NullableInstitutionalPortfolioInfo struct {
	// contains filtered or unexported fields
}

func NewNullableInstitutionalPortfolioInfo added in v2.0.15

func NewNullableInstitutionalPortfolioInfo(val *InstitutionalPortfolioInfo) *NullableInstitutionalPortfolioInfo

func (NullableInstitutionalPortfolioInfo) Get added in v2.0.15

func (NullableInstitutionalPortfolioInfo) IsSet added in v2.0.15

func (NullableInstitutionalPortfolioInfo) MarshalJSON added in v2.0.15

func (v NullableInstitutionalPortfolioInfo) MarshalJSON() ([]byte, error)

func (*NullableInstitutionalPortfolioInfo) Set added in v2.0.15

func (*NullableInstitutionalPortfolioInfo) UnmarshalJSON added in v2.0.15

func (v *NullableInstitutionalPortfolioInfo) UnmarshalJSON(src []byte) error

func (*NullableInstitutionalPortfolioInfo) Unset added in v2.0.15

type NullableInstitutionalProfile added in v2.0.15

type NullableInstitutionalProfile struct {
	// contains filtered or unexported fields
}

func NewNullableInstitutionalProfile added in v2.0.15

func NewNullableInstitutionalProfile(val *InstitutionalProfile) *NullableInstitutionalProfile

func (NullableInstitutionalProfile) Get added in v2.0.15

func (NullableInstitutionalProfile) IsSet added in v2.0.15

func (NullableInstitutionalProfile) MarshalJSON added in v2.0.15

func (v NullableInstitutionalProfile) MarshalJSON() ([]byte, error)

func (*NullableInstitutionalProfile) Set added in v2.0.15

func (*NullableInstitutionalProfile) UnmarshalJSON added in v2.0.15

func (v *NullableInstitutionalProfile) UnmarshalJSON(src []byte) error

func (*NullableInstitutionalProfile) Unset added in v2.0.15

func (v *NullableInstitutionalProfile) Unset()

type NullableInstitutionalProfileInfo added in v2.0.15

type NullableInstitutionalProfileInfo struct {
	// contains filtered or unexported fields
}

func NewNullableInstitutionalProfileInfo added in v2.0.15

func NewNullableInstitutionalProfileInfo(val *InstitutionalProfileInfo) *NullableInstitutionalProfileInfo

func (NullableInstitutionalProfileInfo) Get added in v2.0.15

func (NullableInstitutionalProfileInfo) IsSet added in v2.0.15

func (NullableInstitutionalProfileInfo) MarshalJSON added in v2.0.15

func (v NullableInstitutionalProfileInfo) MarshalJSON() ([]byte, error)

func (*NullableInstitutionalProfileInfo) Set added in v2.0.15

func (*NullableInstitutionalProfileInfo) UnmarshalJSON added in v2.0.15

func (v *NullableInstitutionalProfileInfo) UnmarshalJSON(src []byte) error

func (*NullableInstitutionalProfileInfo) Unset added in v2.0.15

type NullableInt

type NullableInt struct {
	// contains filtered or unexported fields
}

func NewNullableInt

func NewNullableInt(val *int) *NullableInt

func (NullableInt) Get

func (v NullableInt) Get() *int

func (NullableInt) IsSet

func (v NullableInt) IsSet() bool

func (NullableInt) MarshalJSON

func (v NullableInt) MarshalJSON() ([]byte, error)

func (*NullableInt) Set

func (v *NullableInt) Set(val *int)

func (*NullableInt) UnmarshalJSON

func (v *NullableInt) UnmarshalJSON(src []byte) error

func (*NullableInt) Unset

func (v *NullableInt) Unset()

type NullableInt32

type NullableInt32 struct {
	// contains filtered or unexported fields
}

func NewNullableInt32

func NewNullableInt32(val *int32) *NullableInt32

func (NullableInt32) Get

func (v NullableInt32) Get() *int32

func (NullableInt32) IsSet

func (v NullableInt32) IsSet() bool

func (NullableInt32) MarshalJSON

func (v NullableInt32) MarshalJSON() ([]byte, error)

func (*NullableInt32) Set

func (v *NullableInt32) Set(val *int32)

func (*NullableInt32) UnmarshalJSON

func (v *NullableInt32) UnmarshalJSON(src []byte) error

func (*NullableInt32) Unset

func (v *NullableInt32) Unset()

type NullableInt64

type NullableInt64 struct {
	// contains filtered or unexported fields
}

func NewNullableInt64

func NewNullableInt64(val *int64) *NullableInt64

func (NullableInt64) Get

func (v NullableInt64) Get() *int64

func (NullableInt64) IsSet

func (v NullableInt64) IsSet() bool

func (NullableInt64) MarshalJSON

func (v NullableInt64) MarshalJSON() ([]byte, error)

func (*NullableInt64) Set

func (v *NullableInt64) Set(val *int64)

func (*NullableInt64) UnmarshalJSON

func (v *NullableInt64) UnmarshalJSON(src []byte) error

func (*NullableInt64) Unset

func (v *NullableInt64) Unset()

type NullableInternationalFiling

type NullableInternationalFiling struct {
	// contains filtered or unexported fields
}

func NewNullableInternationalFiling

func NewNullableInternationalFiling(val *InternationalFiling) *NullableInternationalFiling

func (NullableInternationalFiling) Get

func (NullableInternationalFiling) IsSet

func (NullableInternationalFiling) MarshalJSON

func (v NullableInternationalFiling) MarshalJSON() ([]byte, error)

func (*NullableInternationalFiling) Set

func (*NullableInternationalFiling) UnmarshalJSON

func (v *NullableInternationalFiling) UnmarshalJSON(src []byte) error

func (*NullableInternationalFiling) Unset

func (v *NullableInternationalFiling) Unset()

type NullableInvestmentThemePortfolio

type NullableInvestmentThemePortfolio struct {
	// contains filtered or unexported fields
}

func (NullableInvestmentThemePortfolio) Get

func (NullableInvestmentThemePortfolio) IsSet

func (NullableInvestmentThemePortfolio) MarshalJSON

func (v NullableInvestmentThemePortfolio) MarshalJSON() ([]byte, error)

func (*NullableInvestmentThemePortfolio) Set

func (*NullableInvestmentThemePortfolio) UnmarshalJSON

func (v *NullableInvestmentThemePortfolio) UnmarshalJSON(src []byte) error

func (*NullableInvestmentThemePortfolio) Unset

type NullableInvestmentThemes

type NullableInvestmentThemes struct {
	// contains filtered or unexported fields
}

func NewNullableInvestmentThemes

func NewNullableInvestmentThemes(val *InvestmentThemes) *NullableInvestmentThemes

func (NullableInvestmentThemes) Get

func (NullableInvestmentThemes) IsSet

func (v NullableInvestmentThemes) IsSet() bool

func (NullableInvestmentThemes) MarshalJSON

func (v NullableInvestmentThemes) MarshalJSON() ([]byte, error)

func (*NullableInvestmentThemes) Set

func (*NullableInvestmentThemes) UnmarshalJSON

func (v *NullableInvestmentThemes) UnmarshalJSON(src []byte) error

func (*NullableInvestmentThemes) Unset

func (v *NullableInvestmentThemes) Unset()

type NullableIsinChange added in v2.0.15

type NullableIsinChange struct {
	// contains filtered or unexported fields
}

func NewNullableIsinChange added in v2.0.15

func NewNullableIsinChange(val *IsinChange) *NullableIsinChange

func (NullableIsinChange) Get added in v2.0.15

func (v NullableIsinChange) Get() *IsinChange

func (NullableIsinChange) IsSet added in v2.0.15

func (v NullableIsinChange) IsSet() bool

func (NullableIsinChange) MarshalJSON added in v2.0.15

func (v NullableIsinChange) MarshalJSON() ([]byte, error)

func (*NullableIsinChange) Set added in v2.0.15

func (v *NullableIsinChange) Set(val *IsinChange)

func (*NullableIsinChange) UnmarshalJSON added in v2.0.15

func (v *NullableIsinChange) UnmarshalJSON(src []byte) error

func (*NullableIsinChange) Unset added in v2.0.15

func (v *NullableIsinChange) Unset()

type NullableIsinChangeInfo added in v2.0.15

type NullableIsinChangeInfo struct {
	// contains filtered or unexported fields
}

func NewNullableIsinChangeInfo added in v2.0.15

func NewNullableIsinChangeInfo(val *IsinChangeInfo) *NullableIsinChangeInfo

func (NullableIsinChangeInfo) Get added in v2.0.15

func (NullableIsinChangeInfo) IsSet added in v2.0.15

func (v NullableIsinChangeInfo) IsSet() bool

func (NullableIsinChangeInfo) MarshalJSON added in v2.0.15

func (v NullableIsinChangeInfo) MarshalJSON() ([]byte, error)

func (*NullableIsinChangeInfo) Set added in v2.0.15

func (*NullableIsinChangeInfo) UnmarshalJSON added in v2.0.15

func (v *NullableIsinChangeInfo) UnmarshalJSON(src []byte) error

func (*NullableIsinChangeInfo) Unset added in v2.0.15

func (v *NullableIsinChangeInfo) Unset()

type NullableKeyCustomersSuppliers

type NullableKeyCustomersSuppliers struct {
	// contains filtered or unexported fields
}

func (NullableKeyCustomersSuppliers) Get

func (NullableKeyCustomersSuppliers) IsSet

func (NullableKeyCustomersSuppliers) MarshalJSON

func (v NullableKeyCustomersSuppliers) MarshalJSON() ([]byte, error)

func (*NullableKeyCustomersSuppliers) Set

func (*NullableKeyCustomersSuppliers) UnmarshalJSON

func (v *NullableKeyCustomersSuppliers) UnmarshalJSON(src []byte) error

func (*NullableKeyCustomersSuppliers) Unset

func (v *NullableKeyCustomersSuppliers) Unset()

type NullableLastBidAsk

type NullableLastBidAsk struct {
	// contains filtered or unexported fields
}

func NewNullableLastBidAsk

func NewNullableLastBidAsk(val *LastBidAsk) *NullableLastBidAsk

func (NullableLastBidAsk) Get

func (v NullableLastBidAsk) Get() *LastBidAsk

func (NullableLastBidAsk) IsSet

func (v NullableLastBidAsk) IsSet() bool

func (NullableLastBidAsk) MarshalJSON

func (v NullableLastBidAsk) MarshalJSON() ([]byte, error)

func (*NullableLastBidAsk) Set

func (v *NullableLastBidAsk) Set(val *LastBidAsk)

func (*NullableLastBidAsk) UnmarshalJSON

func (v *NullableLastBidAsk) UnmarshalJSON(src []byte) error

func (*NullableLastBidAsk) Unset

func (v *NullableLastBidAsk) Unset()

type NullableLobbyingData added in v2.0.12

type NullableLobbyingData struct {
	// contains filtered or unexported fields
}

func NewNullableLobbyingData added in v2.0.12

func NewNullableLobbyingData(val *LobbyingData) *NullableLobbyingData

func (NullableLobbyingData) Get added in v2.0.12

func (NullableLobbyingData) IsSet added in v2.0.12

func (v NullableLobbyingData) IsSet() bool

func (NullableLobbyingData) MarshalJSON added in v2.0.12

func (v NullableLobbyingData) MarshalJSON() ([]byte, error)

func (*NullableLobbyingData) Set added in v2.0.12

func (v *NullableLobbyingData) Set(val *LobbyingData)

func (*NullableLobbyingData) UnmarshalJSON added in v2.0.12

func (v *NullableLobbyingData) UnmarshalJSON(src []byte) error

func (*NullableLobbyingData) Unset added in v2.0.12

func (v *NullableLobbyingData) Unset()

type NullableLobbyingResult added in v2.0.12

type NullableLobbyingResult struct {
	// contains filtered or unexported fields
}

func NewNullableLobbyingResult added in v2.0.12

func NewNullableLobbyingResult(val *LobbyingResult) *NullableLobbyingResult

func (NullableLobbyingResult) Get added in v2.0.12

func (NullableLobbyingResult) IsSet added in v2.0.12

func (v NullableLobbyingResult) IsSet() bool

func (NullableLobbyingResult) MarshalJSON added in v2.0.12

func (v NullableLobbyingResult) MarshalJSON() ([]byte, error)

func (*NullableLobbyingResult) Set added in v2.0.12

func (*NullableLobbyingResult) UnmarshalJSON added in v2.0.12

func (v *NullableLobbyingResult) UnmarshalJSON(src []byte) error

func (*NullableLobbyingResult) Unset added in v2.0.12

func (v *NullableLobbyingResult) Unset()

type NullableMarketHoliday added in v2.0.17

type NullableMarketHoliday struct {
	// contains filtered or unexported fields
}

func NewNullableMarketHoliday added in v2.0.17

func NewNullableMarketHoliday(val *MarketHoliday) *NullableMarketHoliday

func (NullableMarketHoliday) Get added in v2.0.17

func (NullableMarketHoliday) IsSet added in v2.0.17

func (v NullableMarketHoliday) IsSet() bool

func (NullableMarketHoliday) MarshalJSON added in v2.0.17

func (v NullableMarketHoliday) MarshalJSON() ([]byte, error)

func (*NullableMarketHoliday) Set added in v2.0.17

func (v *NullableMarketHoliday) Set(val *MarketHoliday)

func (*NullableMarketHoliday) UnmarshalJSON added in v2.0.17

func (v *NullableMarketHoliday) UnmarshalJSON(src []byte) error

func (*NullableMarketHoliday) Unset added in v2.0.17

func (v *NullableMarketHoliday) Unset()

type NullableMarketHolidayData added in v2.0.17

type NullableMarketHolidayData struct {
	// contains filtered or unexported fields
}

func NewNullableMarketHolidayData added in v2.0.17

func NewNullableMarketHolidayData(val *MarketHolidayData) *NullableMarketHolidayData

func (NullableMarketHolidayData) Get added in v2.0.17

func (NullableMarketHolidayData) IsSet added in v2.0.17

func (v NullableMarketHolidayData) IsSet() bool

func (NullableMarketHolidayData) MarshalJSON added in v2.0.17

func (v NullableMarketHolidayData) MarshalJSON() ([]byte, error)

func (*NullableMarketHolidayData) Set added in v2.0.17

func (*NullableMarketHolidayData) UnmarshalJSON added in v2.0.17

func (v *NullableMarketHolidayData) UnmarshalJSON(src []byte) error

func (*NullableMarketHolidayData) Unset added in v2.0.17

func (v *NullableMarketHolidayData) Unset()

type NullableMarketNews

type NullableMarketNews struct {
	// contains filtered or unexported fields
}

func NewNullableMarketNews

func NewNullableMarketNews(val *MarketNews) *NullableMarketNews

func (NullableMarketNews) Get

func (v NullableMarketNews) Get() *MarketNews

func (NullableMarketNews) IsSet

func (v NullableMarketNews) IsSet() bool

func (NullableMarketNews) MarshalJSON

func (v NullableMarketNews) MarshalJSON() ([]byte, error)

func (*NullableMarketNews) Set

func (v *NullableMarketNews) Set(val *MarketNews)

func (*NullableMarketNews) UnmarshalJSON

func (v *NullableMarketNews) UnmarshalJSON(src []byte) error

func (*NullableMarketNews) Unset

func (v *NullableMarketNews) Unset()

type NullableMarketStatus added in v2.0.17

type NullableMarketStatus struct {
	// contains filtered or unexported fields
}

func NewNullableMarketStatus added in v2.0.17

func NewNullableMarketStatus(val *MarketStatus) *NullableMarketStatus

func (NullableMarketStatus) Get added in v2.0.17

func (NullableMarketStatus) IsSet added in v2.0.17

func (v NullableMarketStatus) IsSet() bool

func (NullableMarketStatus) MarshalJSON added in v2.0.17

func (v NullableMarketStatus) MarshalJSON() ([]byte, error)

func (*NullableMarketStatus) Set added in v2.0.17

func (v *NullableMarketStatus) Set(val *MarketStatus)

func (*NullableMarketStatus) UnmarshalJSON added in v2.0.17

func (v *NullableMarketStatus) UnmarshalJSON(src []byte) error

func (*NullableMarketStatus) Unset added in v2.0.17

func (v *NullableMarketStatus) Unset()

type NullableMutualFundCountryExposure

type NullableMutualFundCountryExposure struct {
	// contains filtered or unexported fields
}

func (NullableMutualFundCountryExposure) Get

func (NullableMutualFundCountryExposure) IsSet

func (NullableMutualFundCountryExposure) MarshalJSON

func (v NullableMutualFundCountryExposure) MarshalJSON() ([]byte, error)

func (*NullableMutualFundCountryExposure) Set

func (*NullableMutualFundCountryExposure) UnmarshalJSON

func (v *NullableMutualFundCountryExposure) UnmarshalJSON(src []byte) error

func (*NullableMutualFundCountryExposure) Unset

type NullableMutualFundCountryExposureData

type NullableMutualFundCountryExposureData struct {
	// contains filtered or unexported fields
}

func (NullableMutualFundCountryExposureData) Get

func (NullableMutualFundCountryExposureData) IsSet

func (NullableMutualFundCountryExposureData) MarshalJSON

func (v NullableMutualFundCountryExposureData) MarshalJSON() ([]byte, error)

func (*NullableMutualFundCountryExposureData) Set

func (*NullableMutualFundCountryExposureData) UnmarshalJSON

func (v *NullableMutualFundCountryExposureData) UnmarshalJSON(src []byte) error

func (*NullableMutualFundCountryExposureData) Unset

type NullableMutualFundEet added in v2.0.16

type NullableMutualFundEet struct {
	// contains filtered or unexported fields
}

func NewNullableMutualFundEet added in v2.0.16

func NewNullableMutualFundEet(val *MutualFundEet) *NullableMutualFundEet

func (NullableMutualFundEet) Get added in v2.0.16

func (NullableMutualFundEet) IsSet added in v2.0.16

func (v NullableMutualFundEet) IsSet() bool

func (NullableMutualFundEet) MarshalJSON added in v2.0.16

func (v NullableMutualFundEet) MarshalJSON() ([]byte, error)

func (*NullableMutualFundEet) Set added in v2.0.16

func (v *NullableMutualFundEet) Set(val *MutualFundEet)

func (*NullableMutualFundEet) UnmarshalJSON added in v2.0.16

func (v *NullableMutualFundEet) UnmarshalJSON(src []byte) error

func (*NullableMutualFundEet) Unset added in v2.0.16

func (v *NullableMutualFundEet) Unset()

type NullableMutualFundEetPai added in v2.0.16

type NullableMutualFundEetPai struct {
	// contains filtered or unexported fields
}

func NewNullableMutualFundEetPai added in v2.0.16

func NewNullableMutualFundEetPai(val *MutualFundEetPai) *NullableMutualFundEetPai

func (NullableMutualFundEetPai) Get added in v2.0.16

func (NullableMutualFundEetPai) IsSet added in v2.0.16

func (v NullableMutualFundEetPai) IsSet() bool

func (NullableMutualFundEetPai) MarshalJSON added in v2.0.16

func (v NullableMutualFundEetPai) MarshalJSON() ([]byte, error)

func (*NullableMutualFundEetPai) Set added in v2.0.16

func (*NullableMutualFundEetPai) UnmarshalJSON added in v2.0.16

func (v *NullableMutualFundEetPai) UnmarshalJSON(src []byte) error

func (*NullableMutualFundEetPai) Unset added in v2.0.16

func (v *NullableMutualFundEetPai) Unset()

type NullableMutualFundHoldings

type NullableMutualFundHoldings struct {
	// contains filtered or unexported fields
}

func NewNullableMutualFundHoldings

func NewNullableMutualFundHoldings(val *MutualFundHoldings) *NullableMutualFundHoldings

func (NullableMutualFundHoldings) Get

func (NullableMutualFundHoldings) IsSet

func (v NullableMutualFundHoldings) IsSet() bool

func (NullableMutualFundHoldings) MarshalJSON

func (v NullableMutualFundHoldings) MarshalJSON() ([]byte, error)

func (*NullableMutualFundHoldings) Set

func (*NullableMutualFundHoldings) UnmarshalJSON

func (v *NullableMutualFundHoldings) UnmarshalJSON(src []byte) error

func (*NullableMutualFundHoldings) Unset

func (v *NullableMutualFundHoldings) Unset()

type NullableMutualFundHoldingsData

type NullableMutualFundHoldingsData struct {
	// contains filtered or unexported fields
}

func (NullableMutualFundHoldingsData) Get

func (NullableMutualFundHoldingsData) IsSet

func (NullableMutualFundHoldingsData) MarshalJSON

func (v NullableMutualFundHoldingsData) MarshalJSON() ([]byte, error)

func (*NullableMutualFundHoldingsData) Set

func (*NullableMutualFundHoldingsData) UnmarshalJSON

func (v *NullableMutualFundHoldingsData) UnmarshalJSON(src []byte) error

func (*NullableMutualFundHoldingsData) Unset

func (v *NullableMutualFundHoldingsData) Unset()

type NullableMutualFundProfile

type NullableMutualFundProfile struct {
	// contains filtered or unexported fields
}

func NewNullableMutualFundProfile

func NewNullableMutualFundProfile(val *MutualFundProfile) *NullableMutualFundProfile

func (NullableMutualFundProfile) Get

func (NullableMutualFundProfile) IsSet

func (v NullableMutualFundProfile) IsSet() bool

func (NullableMutualFundProfile) MarshalJSON

func (v NullableMutualFundProfile) MarshalJSON() ([]byte, error)

func (*NullableMutualFundProfile) Set

func (*NullableMutualFundProfile) UnmarshalJSON

func (v *NullableMutualFundProfile) UnmarshalJSON(src []byte) error

func (*NullableMutualFundProfile) Unset

func (v *NullableMutualFundProfile) Unset()

type NullableMutualFundProfileData

type NullableMutualFundProfileData struct {
	// contains filtered or unexported fields
}

func (NullableMutualFundProfileData) Get

func (NullableMutualFundProfileData) IsSet

func (NullableMutualFundProfileData) MarshalJSON

func (v NullableMutualFundProfileData) MarshalJSON() ([]byte, error)

func (*NullableMutualFundProfileData) Set

func (*NullableMutualFundProfileData) UnmarshalJSON

func (v *NullableMutualFundProfileData) UnmarshalJSON(src []byte) error

func (*NullableMutualFundProfileData) Unset

func (v *NullableMutualFundProfileData) Unset()

type NullableMutualFundSectorExposure

type NullableMutualFundSectorExposure struct {
	// contains filtered or unexported fields
}

func (NullableMutualFundSectorExposure) Get

func (NullableMutualFundSectorExposure) IsSet

func (NullableMutualFundSectorExposure) MarshalJSON

func (v NullableMutualFundSectorExposure) MarshalJSON() ([]byte, error)

func (*NullableMutualFundSectorExposure) Set

func (*NullableMutualFundSectorExposure) UnmarshalJSON

func (v *NullableMutualFundSectorExposure) UnmarshalJSON(src []byte) error

func (*NullableMutualFundSectorExposure) Unset

type NullableMutualFundSectorExposureData

type NullableMutualFundSectorExposureData struct {
	// contains filtered or unexported fields
}

func (NullableMutualFundSectorExposureData) Get

func (NullableMutualFundSectorExposureData) IsSet

func (NullableMutualFundSectorExposureData) MarshalJSON

func (v NullableMutualFundSectorExposureData) MarshalJSON() ([]byte, error)

func (*NullableMutualFundSectorExposureData) Set

func (*NullableMutualFundSectorExposureData) UnmarshalJSON

func (v *NullableMutualFundSectorExposureData) UnmarshalJSON(src []byte) error

func (*NullableMutualFundSectorExposureData) Unset

type NullableNewsSentiment

type NullableNewsSentiment struct {
	// contains filtered or unexported fields
}

func NewNullableNewsSentiment

func NewNullableNewsSentiment(val *NewsSentiment) *NullableNewsSentiment

func (NullableNewsSentiment) Get

func (NullableNewsSentiment) IsSet

func (v NullableNewsSentiment) IsSet() bool

func (NullableNewsSentiment) MarshalJSON

func (v NullableNewsSentiment) MarshalJSON() ([]byte, error)

func (*NullableNewsSentiment) Set

func (v *NullableNewsSentiment) Set(val *NewsSentiment)

func (*NullableNewsSentiment) UnmarshalJSON

func (v *NullableNewsSentiment) UnmarshalJSON(src []byte) error

func (*NullableNewsSentiment) Unset

func (v *NullableNewsSentiment) Unset()

type NullableOwnership

type NullableOwnership struct {
	// contains filtered or unexported fields
}

func NewNullableOwnership

func NewNullableOwnership(val *Ownership) *NullableOwnership

func (NullableOwnership) Get

func (v NullableOwnership) Get() *Ownership

func (NullableOwnership) IsSet

func (v NullableOwnership) IsSet() bool

func (NullableOwnership) MarshalJSON

func (v NullableOwnership) MarshalJSON() ([]byte, error)

func (*NullableOwnership) Set

func (v *NullableOwnership) Set(val *Ownership)

func (*NullableOwnership) UnmarshalJSON

func (v *NullableOwnership) UnmarshalJSON(src []byte) error

func (*NullableOwnership) Unset

func (v *NullableOwnership) Unset()

type NullableOwnershipInfo

type NullableOwnershipInfo struct {
	// contains filtered or unexported fields
}

func NewNullableOwnershipInfo

func NewNullableOwnershipInfo(val *OwnershipInfo) *NullableOwnershipInfo

func (NullableOwnershipInfo) Get

func (NullableOwnershipInfo) IsSet

func (v NullableOwnershipInfo) IsSet() bool

func (NullableOwnershipInfo) MarshalJSON

func (v NullableOwnershipInfo) MarshalJSON() ([]byte, error)

func (*NullableOwnershipInfo) Set

func (v *NullableOwnershipInfo) Set(val *OwnershipInfo)

func (*NullableOwnershipInfo) UnmarshalJSON

func (v *NullableOwnershipInfo) UnmarshalJSON(src []byte) error

func (*NullableOwnershipInfo) Unset

func (v *NullableOwnershipInfo) Unset()

type NullablePatternRecognition

type NullablePatternRecognition struct {
	// contains filtered or unexported fields
}

func NewNullablePatternRecognition

func NewNullablePatternRecognition(val *PatternRecognition) *NullablePatternRecognition

func (NullablePatternRecognition) Get

func (NullablePatternRecognition) IsSet

func (v NullablePatternRecognition) IsSet() bool

func (NullablePatternRecognition) MarshalJSON

func (v NullablePatternRecognition) MarshalJSON() ([]byte, error)

func (*NullablePatternRecognition) Set

func (*NullablePatternRecognition) UnmarshalJSON

func (v *NullablePatternRecognition) UnmarshalJSON(src []byte) error

func (*NullablePatternRecognition) Unset

func (v *NullablePatternRecognition) Unset()

type NullablePressRelease

type NullablePressRelease struct {
	// contains filtered or unexported fields
}

func NewNullablePressRelease

func NewNullablePressRelease(val *PressRelease) *NullablePressRelease

func (NullablePressRelease) Get

func (NullablePressRelease) IsSet

func (v NullablePressRelease) IsSet() bool

func (NullablePressRelease) MarshalJSON

func (v NullablePressRelease) MarshalJSON() ([]byte, error)

func (*NullablePressRelease) Set

func (v *NullablePressRelease) Set(val *PressRelease)

func (*NullablePressRelease) UnmarshalJSON

func (v *NullablePressRelease) UnmarshalJSON(src []byte) error

func (*NullablePressRelease) Unset

func (v *NullablePressRelease) Unset()

type NullablePriceMetrics added in v2.0.15

type NullablePriceMetrics struct {
	// contains filtered or unexported fields
}

func NewNullablePriceMetrics added in v2.0.15

func NewNullablePriceMetrics(val *PriceMetrics) *NullablePriceMetrics

func (NullablePriceMetrics) Get added in v2.0.15

func (NullablePriceMetrics) IsSet added in v2.0.15

func (v NullablePriceMetrics) IsSet() bool

func (NullablePriceMetrics) MarshalJSON added in v2.0.15

func (v NullablePriceMetrics) MarshalJSON() ([]byte, error)

func (*NullablePriceMetrics) Set added in v2.0.15

func (v *NullablePriceMetrics) Set(val *PriceMetrics)

func (*NullablePriceMetrics) UnmarshalJSON added in v2.0.15

func (v *NullablePriceMetrics) UnmarshalJSON(src []byte) error

func (*NullablePriceMetrics) Unset added in v2.0.15

func (v *NullablePriceMetrics) Unset()

type NullablePriceTarget

type NullablePriceTarget struct {
	// contains filtered or unexported fields
}

func NewNullablePriceTarget

func NewNullablePriceTarget(val *PriceTarget) *NullablePriceTarget

func (NullablePriceTarget) Get

func (NullablePriceTarget) IsSet

func (v NullablePriceTarget) IsSet() bool

func (NullablePriceTarget) MarshalJSON

func (v NullablePriceTarget) MarshalJSON() ([]byte, error)

func (*NullablePriceTarget) Set

func (v *NullablePriceTarget) Set(val *PriceTarget)

func (*NullablePriceTarget) UnmarshalJSON

func (v *NullablePriceTarget) UnmarshalJSON(src []byte) error

func (*NullablePriceTarget) Unset

func (v *NullablePriceTarget) Unset()

type NullableQuote

type NullableQuote struct {
	// contains filtered or unexported fields
}

func NewNullableQuote

func NewNullableQuote(val *Quote) *NullableQuote

func (NullableQuote) Get

func (v NullableQuote) Get() *Quote

func (NullableQuote) IsSet

func (v NullableQuote) IsSet() bool

func (NullableQuote) MarshalJSON

func (v NullableQuote) MarshalJSON() ([]byte, error)

func (*NullableQuote) Set

func (v *NullableQuote) Set(val *Quote)

func (*NullableQuote) UnmarshalJSON

func (v *NullableQuote) UnmarshalJSON(src []byte) error

func (*NullableQuote) Unset

func (v *NullableQuote) Unset()

type NullableRecommendationTrend

type NullableRecommendationTrend struct {
	// contains filtered or unexported fields
}

func NewNullableRecommendationTrend

func NewNullableRecommendationTrend(val *RecommendationTrend) *NullableRecommendationTrend

func (NullableRecommendationTrend) Get

func (NullableRecommendationTrend) IsSet

func (NullableRecommendationTrend) MarshalJSON

func (v NullableRecommendationTrend) MarshalJSON() ([]byte, error)

func (*NullableRecommendationTrend) Set

func (*NullableRecommendationTrend) UnmarshalJSON

func (v *NullableRecommendationTrend) UnmarshalJSON(src []byte) error

func (*NullableRecommendationTrend) Unset

func (v *NullableRecommendationTrend) Unset()

type NullableRedditSentimentContent

type NullableRedditSentimentContent struct {
	// contains filtered or unexported fields
}

func (NullableRedditSentimentContent) Get

func (NullableRedditSentimentContent) IsSet

func (NullableRedditSentimentContent) MarshalJSON

func (v NullableRedditSentimentContent) MarshalJSON() ([]byte, error)

func (*NullableRedditSentimentContent) Set

func (*NullableRedditSentimentContent) UnmarshalJSON

func (v *NullableRedditSentimentContent) UnmarshalJSON(src []byte) error

func (*NullableRedditSentimentContent) Unset

func (v *NullableRedditSentimentContent) Unset()

type NullableReport

type NullableReport struct {
	// contains filtered or unexported fields
}

func NewNullableReport

func NewNullableReport(val *Report) *NullableReport

func (NullableReport) Get

func (v NullableReport) Get() *Report

func (NullableReport) IsSet

func (v NullableReport) IsSet() bool

func (NullableReport) MarshalJSON

func (v NullableReport) MarshalJSON() ([]byte, error)

func (*NullableReport) Set

func (v *NullableReport) Set(val *Report)

func (*NullableReport) UnmarshalJSON

func (v *NullableReport) UnmarshalJSON(src []byte) error

func (*NullableReport) Unset

func (v *NullableReport) Unset()

type NullableRevenueBreakdown

type NullableRevenueBreakdown struct {
	// contains filtered or unexported fields
}

func NewNullableRevenueBreakdown

func NewNullableRevenueBreakdown(val *RevenueBreakdown) *NullableRevenueBreakdown

func (NullableRevenueBreakdown) Get

func (NullableRevenueBreakdown) IsSet

func (v NullableRevenueBreakdown) IsSet() bool

func (NullableRevenueBreakdown) MarshalJSON

func (v NullableRevenueBreakdown) MarshalJSON() ([]byte, error)

func (*NullableRevenueBreakdown) Set

func (*NullableRevenueBreakdown) UnmarshalJSON

func (v *NullableRevenueBreakdown) UnmarshalJSON(src []byte) error

func (*NullableRevenueBreakdown) Unset

func (v *NullableRevenueBreakdown) Unset()

type NullableRevenueEstimates

type NullableRevenueEstimates struct {
	// contains filtered or unexported fields
}

func NewNullableRevenueEstimates

func NewNullableRevenueEstimates(val *RevenueEstimates) *NullableRevenueEstimates

func (NullableRevenueEstimates) Get

func (NullableRevenueEstimates) IsSet

func (v NullableRevenueEstimates) IsSet() bool

func (NullableRevenueEstimates) MarshalJSON

func (v NullableRevenueEstimates) MarshalJSON() ([]byte, error)

func (*NullableRevenueEstimates) Set

func (*NullableRevenueEstimates) UnmarshalJSON

func (v *NullableRevenueEstimates) UnmarshalJSON(src []byte) error

func (*NullableRevenueEstimates) Unset

func (v *NullableRevenueEstimates) Unset()

type NullableRevenueEstimatesInfo

type NullableRevenueEstimatesInfo struct {
	// contains filtered or unexported fields
}

func NewNullableRevenueEstimatesInfo

func NewNullableRevenueEstimatesInfo(val *RevenueEstimatesInfo) *NullableRevenueEstimatesInfo

func (NullableRevenueEstimatesInfo) Get

func (NullableRevenueEstimatesInfo) IsSet

func (NullableRevenueEstimatesInfo) MarshalJSON

func (v NullableRevenueEstimatesInfo) MarshalJSON() ([]byte, error)

func (*NullableRevenueEstimatesInfo) Set

func (*NullableRevenueEstimatesInfo) UnmarshalJSON

func (v *NullableRevenueEstimatesInfo) UnmarshalJSON(src []byte) error

func (*NullableRevenueEstimatesInfo) Unset

func (v *NullableRevenueEstimatesInfo) Unset()

type NullableSECSentimentAnalysis

type NullableSECSentimentAnalysis struct {
	// contains filtered or unexported fields
}

func NewNullableSECSentimentAnalysis

func NewNullableSECSentimentAnalysis(val *SECSentimentAnalysis) *NullableSECSentimentAnalysis

func (NullableSECSentimentAnalysis) Get

func (NullableSECSentimentAnalysis) IsSet

func (NullableSECSentimentAnalysis) MarshalJSON

func (v NullableSECSentimentAnalysis) MarshalJSON() ([]byte, error)

func (*NullableSECSentimentAnalysis) Set

func (*NullableSECSentimentAnalysis) UnmarshalJSON

func (v *NullableSECSentimentAnalysis) UnmarshalJSON(src []byte) error

func (*NullableSECSentimentAnalysis) Unset

func (v *NullableSECSentimentAnalysis) Unset()

type NullableSearchBody added in v2.0.16

type NullableSearchBody struct {
	// contains filtered or unexported fields
}

func NewNullableSearchBody added in v2.0.16

func NewNullableSearchBody(val *SearchBody) *NullableSearchBody

func (NullableSearchBody) Get added in v2.0.16

func (v NullableSearchBody) Get() *SearchBody

func (NullableSearchBody) IsSet added in v2.0.16

func (v NullableSearchBody) IsSet() bool

func (NullableSearchBody) MarshalJSON added in v2.0.16

func (v NullableSearchBody) MarshalJSON() ([]byte, error)

func (*NullableSearchBody) Set added in v2.0.16

func (v *NullableSearchBody) Set(val *SearchBody)

func (*NullableSearchBody) UnmarshalJSON added in v2.0.16

func (v *NullableSearchBody) UnmarshalJSON(src []byte) error

func (*NullableSearchBody) Unset added in v2.0.16

func (v *NullableSearchBody) Unset()

type NullableSearchFilter added in v2.0.16

type NullableSearchFilter struct {
	// contains filtered or unexported fields
}

func NewNullableSearchFilter added in v2.0.16

func NewNullableSearchFilter(val *SearchFilter) *NullableSearchFilter

func (NullableSearchFilter) Get added in v2.0.16

func (NullableSearchFilter) IsSet added in v2.0.16

func (v NullableSearchFilter) IsSet() bool

func (NullableSearchFilter) MarshalJSON added in v2.0.16

func (v NullableSearchFilter) MarshalJSON() ([]byte, error)

func (*NullableSearchFilter) Set added in v2.0.16

func (v *NullableSearchFilter) Set(val *SearchFilter)

func (*NullableSearchFilter) UnmarshalJSON added in v2.0.16

func (v *NullableSearchFilter) UnmarshalJSON(src []byte) error

func (*NullableSearchFilter) Unset added in v2.0.16

func (v *NullableSearchFilter) Unset()

type NullableSearchResponse added in v2.0.16

type NullableSearchResponse struct {
	// contains filtered or unexported fields
}

func NewNullableSearchResponse added in v2.0.16

func NewNullableSearchResponse(val *SearchResponse) *NullableSearchResponse

func (NullableSearchResponse) Get added in v2.0.16

func (NullableSearchResponse) IsSet added in v2.0.16

func (v NullableSearchResponse) IsSet() bool

func (NullableSearchResponse) MarshalJSON added in v2.0.16

func (v NullableSearchResponse) MarshalJSON() ([]byte, error)

func (*NullableSearchResponse) Set added in v2.0.16

func (*NullableSearchResponse) UnmarshalJSON added in v2.0.16

func (v *NullableSearchResponse) UnmarshalJSON(src []byte) error

func (*NullableSearchResponse) Unset added in v2.0.16

func (v *NullableSearchResponse) Unset()

type NullableSectorMetric added in v2.0.14

type NullableSectorMetric struct {
	// contains filtered or unexported fields
}

func NewNullableSectorMetric added in v2.0.14

func NewNullableSectorMetric(val *SectorMetric) *NullableSectorMetric

func (NullableSectorMetric) Get added in v2.0.14

func (NullableSectorMetric) IsSet added in v2.0.14

func (v NullableSectorMetric) IsSet() bool

func (NullableSectorMetric) MarshalJSON added in v2.0.14

func (v NullableSectorMetric) MarshalJSON() ([]byte, error)

func (*NullableSectorMetric) Set added in v2.0.14

func (v *NullableSectorMetric) Set(val *SectorMetric)

func (*NullableSectorMetric) UnmarshalJSON added in v2.0.14

func (v *NullableSectorMetric) UnmarshalJSON(src []byte) error

func (*NullableSectorMetric) Unset added in v2.0.14

func (v *NullableSectorMetric) Unset()

type NullableSectorMetricData added in v2.0.14

type NullableSectorMetricData struct {
	// contains filtered or unexported fields
}

func NewNullableSectorMetricData added in v2.0.14

func NewNullableSectorMetricData(val *SectorMetricData) *NullableSectorMetricData

func (NullableSectorMetricData) Get added in v2.0.14

func (NullableSectorMetricData) IsSet added in v2.0.14

func (v NullableSectorMetricData) IsSet() bool

func (NullableSectorMetricData) MarshalJSON added in v2.0.14

func (v NullableSectorMetricData) MarshalJSON() ([]byte, error)

func (*NullableSectorMetricData) Set added in v2.0.14

func (*NullableSectorMetricData) UnmarshalJSON added in v2.0.14

func (v *NullableSectorMetricData) UnmarshalJSON(src []byte) error

func (*NullableSectorMetricData) Unset added in v2.0.14

func (v *NullableSectorMetricData) Unset()

type NullableSentiment

type NullableSentiment struct {
	// contains filtered or unexported fields
}

func NewNullableSentiment

func NewNullableSentiment(val *Sentiment) *NullableSentiment

func (NullableSentiment) Get

func (v NullableSentiment) Get() *Sentiment

func (NullableSentiment) IsSet

func (v NullableSentiment) IsSet() bool

func (NullableSentiment) MarshalJSON

func (v NullableSentiment) MarshalJSON() ([]byte, error)

func (*NullableSentiment) Set

func (v *NullableSentiment) Set(val *Sentiment)

func (*NullableSentiment) UnmarshalJSON

func (v *NullableSentiment) UnmarshalJSON(src []byte) error

func (*NullableSentiment) Unset

func (v *NullableSentiment) Unset()

type NullableSentimentContent added in v2.0.17

type NullableSentimentContent struct {
	// contains filtered or unexported fields
}

func NewNullableSentimentContent added in v2.0.17

func NewNullableSentimentContent(val *SentimentContent) *NullableSentimentContent

func (NullableSentimentContent) Get added in v2.0.17

func (NullableSentimentContent) IsSet added in v2.0.17

func (v NullableSentimentContent) IsSet() bool

func (NullableSentimentContent) MarshalJSON added in v2.0.17

func (v NullableSentimentContent) MarshalJSON() ([]byte, error)

func (*NullableSentimentContent) Set added in v2.0.17

func (*NullableSentimentContent) UnmarshalJSON added in v2.0.17

func (v *NullableSentimentContent) UnmarshalJSON(src []byte) error

func (*NullableSentimentContent) Unset added in v2.0.17

func (v *NullableSentimentContent) Unset()

type NullableSimilarityIndex

type NullableSimilarityIndex struct {
	// contains filtered or unexported fields
}

func NewNullableSimilarityIndex

func NewNullableSimilarityIndex(val *SimilarityIndex) *NullableSimilarityIndex

func (NullableSimilarityIndex) Get

func (NullableSimilarityIndex) IsSet

func (v NullableSimilarityIndex) IsSet() bool

func (NullableSimilarityIndex) MarshalJSON

func (v NullableSimilarityIndex) MarshalJSON() ([]byte, error)

func (*NullableSimilarityIndex) Set

func (*NullableSimilarityIndex) UnmarshalJSON

func (v *NullableSimilarityIndex) UnmarshalJSON(src []byte) error

func (*NullableSimilarityIndex) Unset

func (v *NullableSimilarityIndex) Unset()

type NullableSimilarityIndexInfo

type NullableSimilarityIndexInfo struct {
	// contains filtered or unexported fields
}

func NewNullableSimilarityIndexInfo

func NewNullableSimilarityIndexInfo(val *SimilarityIndexInfo) *NullableSimilarityIndexInfo

func (NullableSimilarityIndexInfo) Get

func (NullableSimilarityIndexInfo) IsSet

func (NullableSimilarityIndexInfo) MarshalJSON

func (v NullableSimilarityIndexInfo) MarshalJSON() ([]byte, error)

func (*NullableSimilarityIndexInfo) Set

func (*NullableSimilarityIndexInfo) UnmarshalJSON

func (v *NullableSimilarityIndexInfo) UnmarshalJSON(src []byte) error

func (*NullableSimilarityIndexInfo) Unset

func (v *NullableSimilarityIndexInfo) Unset()

type NullableSocialSentiment

type NullableSocialSentiment struct {
	// contains filtered or unexported fields
}

func NewNullableSocialSentiment

func NewNullableSocialSentiment(val *SocialSentiment) *NullableSocialSentiment

func (NullableSocialSentiment) Get

func (NullableSocialSentiment) IsSet

func (v NullableSocialSentiment) IsSet() bool

func (NullableSocialSentiment) MarshalJSON

func (v NullableSocialSentiment) MarshalJSON() ([]byte, error)

func (*NullableSocialSentiment) Set

func (*NullableSocialSentiment) UnmarshalJSON

func (v *NullableSocialSentiment) UnmarshalJSON(src []byte) error

func (*NullableSocialSentiment) Unset

func (v *NullableSocialSentiment) Unset()

type NullableSplit

type NullableSplit struct {
	// contains filtered or unexported fields
}

func NewNullableSplit

func NewNullableSplit(val *Split) *NullableSplit

func (NullableSplit) Get

func (v NullableSplit) Get() *Split

func (NullableSplit) IsSet

func (v NullableSplit) IsSet() bool

func (NullableSplit) MarshalJSON

func (v NullableSplit) MarshalJSON() ([]byte, error)

func (*NullableSplit) Set

func (v *NullableSplit) Set(val *Split)

func (*NullableSplit) UnmarshalJSON

func (v *NullableSplit) UnmarshalJSON(src []byte) error

func (*NullableSplit) Unset

func (v *NullableSplit) Unset()

type NullableStockCandles

type NullableStockCandles struct {
	// contains filtered or unexported fields
}

func NewNullableStockCandles

func NewNullableStockCandles(val *StockCandles) *NullableStockCandles

func (NullableStockCandles) Get

func (NullableStockCandles) IsSet

func (v NullableStockCandles) IsSet() bool

func (NullableStockCandles) MarshalJSON

func (v NullableStockCandles) MarshalJSON() ([]byte, error)

func (*NullableStockCandles) Set

func (v *NullableStockCandles) Set(val *StockCandles)

func (*NullableStockCandles) UnmarshalJSON

func (v *NullableStockCandles) UnmarshalJSON(src []byte) error

func (*NullableStockCandles) Unset

func (v *NullableStockCandles) Unset()

type NullableStockSymbol

type NullableStockSymbol struct {
	// contains filtered or unexported fields
}

func NewNullableStockSymbol

func NewNullableStockSymbol(val *StockSymbol) *NullableStockSymbol

func (NullableStockSymbol) Get

func (NullableStockSymbol) IsSet

func (v NullableStockSymbol) IsSet() bool

func (NullableStockSymbol) MarshalJSON

func (v NullableStockSymbol) MarshalJSON() ([]byte, error)

func (*NullableStockSymbol) Set

func (v *NullableStockSymbol) Set(val *StockSymbol)

func (*NullableStockSymbol) UnmarshalJSON

func (v *NullableStockSymbol) UnmarshalJSON(src []byte) error

func (*NullableStockSymbol) Unset

func (v *NullableStockSymbol) Unset()

type NullableStockTranscripts

type NullableStockTranscripts struct {
	// contains filtered or unexported fields
}

func NewNullableStockTranscripts

func NewNullableStockTranscripts(val *StockTranscripts) *NullableStockTranscripts

func (NullableStockTranscripts) Get

func (NullableStockTranscripts) IsSet

func (v NullableStockTranscripts) IsSet() bool

func (NullableStockTranscripts) MarshalJSON

func (v NullableStockTranscripts) MarshalJSON() ([]byte, error)

func (*NullableStockTranscripts) Set

func (*NullableStockTranscripts) UnmarshalJSON

func (v *NullableStockTranscripts) UnmarshalJSON(src []byte) error

func (*NullableStockTranscripts) Unset

func (v *NullableStockTranscripts) Unset()

type NullableString

type NullableString struct {
	// contains filtered or unexported fields
}

func NewNullableString

func NewNullableString(val *string) *NullableString

func (NullableString) Get

func (v NullableString) Get() *string

func (NullableString) IsSet

func (v NullableString) IsSet() bool

func (NullableString) MarshalJSON

func (v NullableString) MarshalJSON() ([]byte, error)

func (*NullableString) Set

func (v *NullableString) Set(val *string)

func (*NullableString) UnmarshalJSON

func (v *NullableString) UnmarshalJSON(src []byte) error

func (*NullableString) Unset

func (v *NullableString) Unset()

type NullableSupplyChainRelationships

type NullableSupplyChainRelationships struct {
	// contains filtered or unexported fields
}

func (NullableSupplyChainRelationships) Get

func (NullableSupplyChainRelationships) IsSet

func (NullableSupplyChainRelationships) MarshalJSON

func (v NullableSupplyChainRelationships) MarshalJSON() ([]byte, error)

func (*NullableSupplyChainRelationships) Set

func (*NullableSupplyChainRelationships) UnmarshalJSON

func (v *NullableSupplyChainRelationships) UnmarshalJSON(src []byte) error

func (*NullableSupplyChainRelationships) Unset

type NullableSupportResistance

type NullableSupportResistance struct {
	// contains filtered or unexported fields
}

func NewNullableSupportResistance

func NewNullableSupportResistance(val *SupportResistance) *NullableSupportResistance

func (NullableSupportResistance) Get

func (NullableSupportResistance) IsSet

func (v NullableSupportResistance) IsSet() bool

func (NullableSupportResistance) MarshalJSON

func (v NullableSupportResistance) MarshalJSON() ([]byte, error)

func (*NullableSupportResistance) Set

func (*NullableSupportResistance) UnmarshalJSON

func (v *NullableSupportResistance) UnmarshalJSON(src []byte) error

func (*NullableSupportResistance) Unset

func (v *NullableSupportResistance) Unset()

type NullableSymbolChange added in v2.0.15

type NullableSymbolChange struct {
	// contains filtered or unexported fields
}

func NewNullableSymbolChange added in v2.0.15

func NewNullableSymbolChange(val *SymbolChange) *NullableSymbolChange

func (NullableSymbolChange) Get added in v2.0.15

func (NullableSymbolChange) IsSet added in v2.0.15

func (v NullableSymbolChange) IsSet() bool

func (NullableSymbolChange) MarshalJSON added in v2.0.15

func (v NullableSymbolChange) MarshalJSON() ([]byte, error)

func (*NullableSymbolChange) Set added in v2.0.15

func (v *NullableSymbolChange) Set(val *SymbolChange)

func (*NullableSymbolChange) UnmarshalJSON added in v2.0.15

func (v *NullableSymbolChange) UnmarshalJSON(src []byte) error

func (*NullableSymbolChange) Unset added in v2.0.15

func (v *NullableSymbolChange) Unset()

type NullableSymbolChangeInfo added in v2.0.15

type NullableSymbolChangeInfo struct {
	// contains filtered or unexported fields
}

func NewNullableSymbolChangeInfo added in v2.0.15

func NewNullableSymbolChangeInfo(val *SymbolChangeInfo) *NullableSymbolChangeInfo

func (NullableSymbolChangeInfo) Get added in v2.0.15

func (NullableSymbolChangeInfo) IsSet added in v2.0.15

func (v NullableSymbolChangeInfo) IsSet() bool

func (NullableSymbolChangeInfo) MarshalJSON added in v2.0.15

func (v NullableSymbolChangeInfo) MarshalJSON() ([]byte, error)

func (*NullableSymbolChangeInfo) Set added in v2.0.15

func (*NullableSymbolChangeInfo) UnmarshalJSON added in v2.0.15

func (v *NullableSymbolChangeInfo) UnmarshalJSON(src []byte) error

func (*NullableSymbolChangeInfo) Unset added in v2.0.15

func (v *NullableSymbolChangeInfo) Unset()

type NullableSymbolLookup

type NullableSymbolLookup struct {
	// contains filtered or unexported fields
}

func NewNullableSymbolLookup

func NewNullableSymbolLookup(val *SymbolLookup) *NullableSymbolLookup

func (NullableSymbolLookup) Get

func (NullableSymbolLookup) IsSet

func (v NullableSymbolLookup) IsSet() bool

func (NullableSymbolLookup) MarshalJSON

func (v NullableSymbolLookup) MarshalJSON() ([]byte, error)

func (*NullableSymbolLookup) Set

func (v *NullableSymbolLookup) Set(val *SymbolLookup)

func (*NullableSymbolLookup) UnmarshalJSON

func (v *NullableSymbolLookup) UnmarshalJSON(src []byte) error

func (*NullableSymbolLookup) Unset

func (v *NullableSymbolLookup) Unset()

type NullableSymbolLookupInfo

type NullableSymbolLookupInfo struct {
	// contains filtered or unexported fields
}

func NewNullableSymbolLookupInfo

func NewNullableSymbolLookupInfo(val *SymbolLookupInfo) *NullableSymbolLookupInfo

func (NullableSymbolLookupInfo) Get

func (NullableSymbolLookupInfo) IsSet

func (v NullableSymbolLookupInfo) IsSet() bool

func (NullableSymbolLookupInfo) MarshalJSON

func (v NullableSymbolLookupInfo) MarshalJSON() ([]byte, error)

func (*NullableSymbolLookupInfo) Set

func (*NullableSymbolLookupInfo) UnmarshalJSON

func (v *NullableSymbolLookupInfo) UnmarshalJSON(src []byte) error

func (*NullableSymbolLookupInfo) Unset

func (v *NullableSymbolLookupInfo) Unset()

type NullableTechnicalAnalysis

type NullableTechnicalAnalysis struct {
	// contains filtered or unexported fields
}

func NewNullableTechnicalAnalysis

func NewNullableTechnicalAnalysis(val *TechnicalAnalysis) *NullableTechnicalAnalysis

func (NullableTechnicalAnalysis) Get

func (NullableTechnicalAnalysis) IsSet

func (v NullableTechnicalAnalysis) IsSet() bool

func (NullableTechnicalAnalysis) MarshalJSON

func (v NullableTechnicalAnalysis) MarshalJSON() ([]byte, error)

func (*NullableTechnicalAnalysis) Set

func (*NullableTechnicalAnalysis) UnmarshalJSON

func (v *NullableTechnicalAnalysis) UnmarshalJSON(src []byte) error

func (*NullableTechnicalAnalysis) Unset

func (v *NullableTechnicalAnalysis) Unset()

type NullableTickData

type NullableTickData struct {
	// contains filtered or unexported fields
}

func NewNullableTickData

func NewNullableTickData(val *TickData) *NullableTickData

func (NullableTickData) Get

func (v NullableTickData) Get() *TickData

func (NullableTickData) IsSet

func (v NullableTickData) IsSet() bool

func (NullableTickData) MarshalJSON

func (v NullableTickData) MarshalJSON() ([]byte, error)

func (*NullableTickData) Set

func (v *NullableTickData) Set(val *TickData)

func (*NullableTickData) UnmarshalJSON

func (v *NullableTickData) UnmarshalJSON(src []byte) error

func (*NullableTickData) Unset

func (v *NullableTickData) Unset()

type NullableTime

type NullableTime struct {
	// contains filtered or unexported fields
}

func NewNullableTime

func NewNullableTime(val *time.Time) *NullableTime

func (NullableTime) Get

func (v NullableTime) Get() *time.Time

func (NullableTime) IsSet

func (v NullableTime) IsSet() bool

func (NullableTime) MarshalJSON

func (v NullableTime) MarshalJSON() ([]byte, error)

func (*NullableTime) Set

func (v *NullableTime) Set(val *time.Time)

func (*NullableTime) UnmarshalJSON

func (v *NullableTime) UnmarshalJSON(src []byte) error

func (*NullableTime) Unset

func (v *NullableTime) Unset()

type NullableTransactions

type NullableTransactions struct {
	// contains filtered or unexported fields
}

func NewNullableTransactions

func NewNullableTransactions(val *Transactions) *NullableTransactions

func (NullableTransactions) Get

func (NullableTransactions) IsSet

func (v NullableTransactions) IsSet() bool

func (NullableTransactions) MarshalJSON

func (v NullableTransactions) MarshalJSON() ([]byte, error)

func (*NullableTransactions) Set

func (v *NullableTransactions) Set(val *Transactions)

func (*NullableTransactions) UnmarshalJSON

func (v *NullableTransactions) UnmarshalJSON(src []byte) error

func (*NullableTransactions) Unset

func (v *NullableTransactions) Unset()

type NullableTranscriptContent

type NullableTranscriptContent struct {
	// contains filtered or unexported fields
}

func NewNullableTranscriptContent

func NewNullableTranscriptContent(val *TranscriptContent) *NullableTranscriptContent

func (NullableTranscriptContent) Get

func (NullableTranscriptContent) IsSet

func (v NullableTranscriptContent) IsSet() bool

func (NullableTranscriptContent) MarshalJSON

func (v NullableTranscriptContent) MarshalJSON() ([]byte, error)

func (*NullableTranscriptContent) Set

func (*NullableTranscriptContent) UnmarshalJSON

func (v *NullableTranscriptContent) UnmarshalJSON(src []byte) error

func (*NullableTranscriptContent) Unset

func (v *NullableTranscriptContent) Unset()

type NullableTranscriptParticipant

type NullableTranscriptParticipant struct {
	// contains filtered or unexported fields
}

func (NullableTranscriptParticipant) Get

func (NullableTranscriptParticipant) IsSet

func (NullableTranscriptParticipant) MarshalJSON

func (v NullableTranscriptParticipant) MarshalJSON() ([]byte, error)

func (*NullableTranscriptParticipant) Set

func (*NullableTranscriptParticipant) UnmarshalJSON

func (v *NullableTranscriptParticipant) UnmarshalJSON(src []byte) error

func (*NullableTranscriptParticipant) Unset

func (v *NullableTranscriptParticipant) Unset()

type NullableTrend

type NullableTrend struct {
	// contains filtered or unexported fields
}

func NewNullableTrend

func NewNullableTrend(val *Trend) *NullableTrend

func (NullableTrend) Get

func (v NullableTrend) Get() *Trend

func (NullableTrend) IsSet

func (v NullableTrend) IsSet() bool

func (NullableTrend) MarshalJSON

func (v NullableTrend) MarshalJSON() ([]byte, error)

func (*NullableTrend) Set

func (v *NullableTrend) Set(val *Trend)

func (*NullableTrend) UnmarshalJSON

func (v *NullableTrend) UnmarshalJSON(src []byte) error

func (*NullableTrend) Unset

func (v *NullableTrend) Unset()

type NullableTwitterSentimentContent

type NullableTwitterSentimentContent struct {
	// contains filtered or unexported fields
}

func (NullableTwitterSentimentContent) Get

func (NullableTwitterSentimentContent) IsSet

func (NullableTwitterSentimentContent) MarshalJSON

func (v NullableTwitterSentimentContent) MarshalJSON() ([]byte, error)

func (*NullableTwitterSentimentContent) Set

func (*NullableTwitterSentimentContent) UnmarshalJSON

func (v *NullableTwitterSentimentContent) UnmarshalJSON(src []byte) error

func (*NullableTwitterSentimentContent) Unset

type NullableUpgradeDowngrade

type NullableUpgradeDowngrade struct {
	// contains filtered or unexported fields
}

func NewNullableUpgradeDowngrade

func NewNullableUpgradeDowngrade(val *UpgradeDowngrade) *NullableUpgradeDowngrade

func (NullableUpgradeDowngrade) Get

func (NullableUpgradeDowngrade) IsSet

func (v NullableUpgradeDowngrade) IsSet() bool

func (NullableUpgradeDowngrade) MarshalJSON

func (v NullableUpgradeDowngrade) MarshalJSON() ([]byte, error)

func (*NullableUpgradeDowngrade) Set

func (*NullableUpgradeDowngrade) UnmarshalJSON

func (v *NullableUpgradeDowngrade) UnmarshalJSON(src []byte) error

func (*NullableUpgradeDowngrade) Unset

func (v *NullableUpgradeDowngrade) Unset()

type NullableUsaSpending added in v2.0.13

type NullableUsaSpending struct {
	// contains filtered or unexported fields
}

func NewNullableUsaSpending added in v2.0.13

func NewNullableUsaSpending(val *UsaSpending) *NullableUsaSpending

func (NullableUsaSpending) Get added in v2.0.13

func (NullableUsaSpending) IsSet added in v2.0.13

func (v NullableUsaSpending) IsSet() bool

func (NullableUsaSpending) MarshalJSON added in v2.0.13

func (v NullableUsaSpending) MarshalJSON() ([]byte, error)

func (*NullableUsaSpending) Set added in v2.0.13

func (v *NullableUsaSpending) Set(val *UsaSpending)

func (*NullableUsaSpending) UnmarshalJSON added in v2.0.13

func (v *NullableUsaSpending) UnmarshalJSON(src []byte) error

func (*NullableUsaSpending) Unset added in v2.0.13

func (v *NullableUsaSpending) Unset()

type NullableUsaSpendingResult added in v2.0.13

type NullableUsaSpendingResult struct {
	// contains filtered or unexported fields
}

func NewNullableUsaSpendingResult added in v2.0.13

func NewNullableUsaSpendingResult(val *UsaSpendingResult) *NullableUsaSpendingResult

func (NullableUsaSpendingResult) Get added in v2.0.13

func (NullableUsaSpendingResult) IsSet added in v2.0.13

func (v NullableUsaSpendingResult) IsSet() bool

func (NullableUsaSpendingResult) MarshalJSON added in v2.0.13

func (v NullableUsaSpendingResult) MarshalJSON() ([]byte, error)

func (*NullableUsaSpendingResult) Set added in v2.0.13

func (*NullableUsaSpendingResult) UnmarshalJSON added in v2.0.13

func (v *NullableUsaSpendingResult) UnmarshalJSON(src []byte) error

func (*NullableUsaSpendingResult) Unset added in v2.0.13

func (v *NullableUsaSpendingResult) Unset()

type NullableUsptoPatent added in v2.0.9

type NullableUsptoPatent struct {
	// contains filtered or unexported fields
}

func NewNullableUsptoPatent added in v2.0.9

func NewNullableUsptoPatent(val *UsptoPatent) *NullableUsptoPatent

func (NullableUsptoPatent) Get added in v2.0.9

func (NullableUsptoPatent) IsSet added in v2.0.9

func (v NullableUsptoPatent) IsSet() bool

func (NullableUsptoPatent) MarshalJSON added in v2.0.9

func (v NullableUsptoPatent) MarshalJSON() ([]byte, error)

func (*NullableUsptoPatent) Set added in v2.0.9

func (v *NullableUsptoPatent) Set(val *UsptoPatent)

func (*NullableUsptoPatent) UnmarshalJSON added in v2.0.9

func (v *NullableUsptoPatent) UnmarshalJSON(src []byte) error

func (*NullableUsptoPatent) Unset added in v2.0.9

func (v *NullableUsptoPatent) Unset()

type NullableUsptoPatentResult added in v2.0.9

type NullableUsptoPatentResult struct {
	// contains filtered or unexported fields
}

func NewNullableUsptoPatentResult added in v2.0.9

func NewNullableUsptoPatentResult(val *UsptoPatentResult) *NullableUsptoPatentResult

func (NullableUsptoPatentResult) Get added in v2.0.9

func (NullableUsptoPatentResult) IsSet added in v2.0.9

func (v NullableUsptoPatentResult) IsSet() bool

func (NullableUsptoPatentResult) MarshalJSON added in v2.0.9

func (v NullableUsptoPatentResult) MarshalJSON() ([]byte, error)

func (*NullableUsptoPatentResult) Set added in v2.0.9

func (*NullableUsptoPatentResult) UnmarshalJSON added in v2.0.9

func (v *NullableUsptoPatentResult) UnmarshalJSON(src []byte) error

func (*NullableUsptoPatentResult) Unset added in v2.0.9

func (v *NullableUsptoPatentResult) Unset()

type NullableVisaApplication added in v2.0.10

type NullableVisaApplication struct {
	// contains filtered or unexported fields
}

func NewNullableVisaApplication added in v2.0.10

func NewNullableVisaApplication(val *VisaApplication) *NullableVisaApplication

func (NullableVisaApplication) Get added in v2.0.10

func (NullableVisaApplication) IsSet added in v2.0.10

func (v NullableVisaApplication) IsSet() bool

func (NullableVisaApplication) MarshalJSON added in v2.0.10

func (v NullableVisaApplication) MarshalJSON() ([]byte, error)

func (*NullableVisaApplication) Set added in v2.0.10

func (*NullableVisaApplication) UnmarshalJSON added in v2.0.10

func (v *NullableVisaApplication) UnmarshalJSON(src []byte) error

func (*NullableVisaApplication) Unset added in v2.0.10

func (v *NullableVisaApplication) Unset()

type NullableVisaApplicationResult added in v2.0.10

type NullableVisaApplicationResult struct {
	// contains filtered or unexported fields
}

func NewNullableVisaApplicationResult added in v2.0.10

func NewNullableVisaApplicationResult(val *VisaApplicationResult) *NullableVisaApplicationResult

func (NullableVisaApplicationResult) Get added in v2.0.10

func (NullableVisaApplicationResult) IsSet added in v2.0.10

func (NullableVisaApplicationResult) MarshalJSON added in v2.0.10

func (v NullableVisaApplicationResult) MarshalJSON() ([]byte, error)

func (*NullableVisaApplicationResult) Set added in v2.0.10

func (*NullableVisaApplicationResult) UnmarshalJSON added in v2.0.10

func (v *NullableVisaApplicationResult) UnmarshalJSON(src []byte) error

func (*NullableVisaApplicationResult) Unset added in v2.0.10

func (v *NullableVisaApplicationResult) Unset()

type Ownership

type Ownership struct {
	// Symbol of the company.
	Symbol *string `json:"symbol,omitempty"`
	// Array of investors with detailed information about their holdings.
	Ownership *[]OwnershipInfo `json:"ownership,omitempty"`
}

Ownership struct for Ownership

func NewOwnership

func NewOwnership() *Ownership

NewOwnership instantiates a new Ownership object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOwnershipWithDefaults

func NewOwnershipWithDefaults() *Ownership

NewOwnershipWithDefaults instantiates a new Ownership object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Ownership) GetOwnership

func (o *Ownership) GetOwnership() []OwnershipInfo

GetOwnership returns the Ownership field value if set, zero value otherwise.

func (*Ownership) GetOwnershipOk

func (o *Ownership) GetOwnershipOk() (*[]OwnershipInfo, bool)

GetOwnershipOk returns a tuple with the Ownership field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Ownership) GetSymbol

func (o *Ownership) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*Ownership) GetSymbolOk

func (o *Ownership) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Ownership) HasOwnership

func (o *Ownership) HasOwnership() bool

HasOwnership returns a boolean if a field has been set.

func (*Ownership) HasSymbol

func (o *Ownership) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (Ownership) MarshalJSON

func (o Ownership) MarshalJSON() ([]byte, error)

func (*Ownership) SetOwnership

func (o *Ownership) SetOwnership(v []OwnershipInfo)

SetOwnership gets a reference to the given []OwnershipInfo and assigns it to the Ownership field.

func (*Ownership) SetSymbol

func (o *Ownership) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type OwnershipInfo

type OwnershipInfo struct {
	// Investor's name.
	Name *string `json:"name,omitempty"`
	// Number of shares held by the investor.
	Share *int64 `json:"share,omitempty"`
	// Number of share changed (net buy or sell) from the last period.
	Change *int64 `json:"change,omitempty"`
	// Filing date.
	FilingDate *string `json:"filingDate,omitempty"`
}

OwnershipInfo struct for OwnershipInfo

func NewOwnershipInfo

func NewOwnershipInfo() *OwnershipInfo

NewOwnershipInfo instantiates a new OwnershipInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOwnershipInfoWithDefaults

func NewOwnershipInfoWithDefaults() *OwnershipInfo

NewOwnershipInfoWithDefaults instantiates a new OwnershipInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*OwnershipInfo) GetChange

func (o *OwnershipInfo) GetChange() int64

GetChange returns the Change field value if set, zero value otherwise.

func (*OwnershipInfo) GetChangeOk

func (o *OwnershipInfo) GetChangeOk() (*int64, bool)

GetChangeOk returns a tuple with the Change field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OwnershipInfo) GetFilingDate

func (o *OwnershipInfo) GetFilingDate() string

GetFilingDate returns the FilingDate field value if set, zero value otherwise.

func (*OwnershipInfo) GetFilingDateOk

func (o *OwnershipInfo) GetFilingDateOk() (*string, bool)

GetFilingDateOk returns a tuple with the FilingDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OwnershipInfo) GetName

func (o *OwnershipInfo) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*OwnershipInfo) GetNameOk

func (o *OwnershipInfo) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OwnershipInfo) GetShare

func (o *OwnershipInfo) GetShare() int64

GetShare returns the Share field value if set, zero value otherwise.

func (*OwnershipInfo) GetShareOk

func (o *OwnershipInfo) GetShareOk() (*int64, bool)

GetShareOk returns a tuple with the Share field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OwnershipInfo) HasChange

func (o *OwnershipInfo) HasChange() bool

HasChange returns a boolean if a field has been set.

func (*OwnershipInfo) HasFilingDate

func (o *OwnershipInfo) HasFilingDate() bool

HasFilingDate returns a boolean if a field has been set.

func (*OwnershipInfo) HasName

func (o *OwnershipInfo) HasName() bool

HasName returns a boolean if a field has been set.

func (*OwnershipInfo) HasShare

func (o *OwnershipInfo) HasShare() bool

HasShare returns a boolean if a field has been set.

func (OwnershipInfo) MarshalJSON

func (o OwnershipInfo) MarshalJSON() ([]byte, error)

func (*OwnershipInfo) SetChange

func (o *OwnershipInfo) SetChange(v int64)

SetChange gets a reference to the given int64 and assigns it to the Change field.

func (*OwnershipInfo) SetFilingDate

func (o *OwnershipInfo) SetFilingDate(v string)

SetFilingDate gets a reference to the given string and assigns it to the FilingDate field.

func (*OwnershipInfo) SetName

func (o *OwnershipInfo) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*OwnershipInfo) SetShare

func (o *OwnershipInfo) SetShare(v int64)

SetShare gets a reference to the given int64 and assigns it to the Share field.

type PatternRecognition

type PatternRecognition struct {
	// Array of patterns.
	Points *[]map[string]interface{} `json:"points,omitempty"`
}

PatternRecognition struct for PatternRecognition

func NewPatternRecognition

func NewPatternRecognition() *PatternRecognition

NewPatternRecognition instantiates a new PatternRecognition object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewPatternRecognitionWithDefaults

func NewPatternRecognitionWithDefaults() *PatternRecognition

NewPatternRecognitionWithDefaults instantiates a new PatternRecognition object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*PatternRecognition) GetPoints

func (o *PatternRecognition) GetPoints() []map[string]interface{}

GetPoints returns the Points field value if set, zero value otherwise.

func (*PatternRecognition) GetPointsOk

func (o *PatternRecognition) GetPointsOk() (*[]map[string]interface{}, bool)

GetPointsOk returns a tuple with the Points field value if set, nil otherwise and a boolean to check if the value has been set.

func (*PatternRecognition) HasPoints

func (o *PatternRecognition) HasPoints() bool

HasPoints returns a boolean if a field has been set.

func (PatternRecognition) MarshalJSON

func (o PatternRecognition) MarshalJSON() ([]byte, error)

func (*PatternRecognition) SetPoints

func (o *PatternRecognition) SetPoints(v []map[string]interface{})

SetPoints gets a reference to the given []map[string]interface{} and assigns it to the Points field.

type PressRelease

type PressRelease struct {
	// Company symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Array of major developments.
	MajorDevelopment *[]Development `json:"majorDevelopment,omitempty"`
}

PressRelease struct for PressRelease

func NewPressRelease

func NewPressRelease() *PressRelease

NewPressRelease instantiates a new PressRelease object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewPressReleaseWithDefaults

func NewPressReleaseWithDefaults() *PressRelease

NewPressReleaseWithDefaults instantiates a new PressRelease object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*PressRelease) GetMajorDevelopment

func (o *PressRelease) GetMajorDevelopment() []Development

GetMajorDevelopment returns the MajorDevelopment field value if set, zero value otherwise.

func (*PressRelease) GetMajorDevelopmentOk

func (o *PressRelease) GetMajorDevelopmentOk() (*[]Development, bool)

GetMajorDevelopmentOk returns a tuple with the MajorDevelopment field value if set, nil otherwise and a boolean to check if the value has been set.

func (*PressRelease) GetSymbol

func (o *PressRelease) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*PressRelease) GetSymbolOk

func (o *PressRelease) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*PressRelease) HasMajorDevelopment

func (o *PressRelease) HasMajorDevelopment() bool

HasMajorDevelopment returns a boolean if a field has been set.

func (*PressRelease) HasSymbol

func (o *PressRelease) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (PressRelease) MarshalJSON

func (o PressRelease) MarshalJSON() ([]byte, error)

func (*PressRelease) SetMajorDevelopment

func (o *PressRelease) SetMajorDevelopment(v []Development)

SetMajorDevelopment gets a reference to the given []Development and assigns it to the MajorDevelopment field.

func (*PressRelease) SetSymbol

func (o *PressRelease) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type PriceMetrics added in v2.0.15

type PriceMetrics struct {
	// Symbol of the company.
	Symbol *string `json:"symbol,omitempty"`
	// Data date.
	AtDate *string                 `json:"atDate,omitempty"`
	Data   *map[string]interface{} `json:"data,omitempty"`
}

PriceMetrics struct for PriceMetrics

func NewPriceMetrics added in v2.0.15

func NewPriceMetrics() *PriceMetrics

NewPriceMetrics instantiates a new PriceMetrics object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewPriceMetricsWithDefaults added in v2.0.15

func NewPriceMetricsWithDefaults() *PriceMetrics

NewPriceMetricsWithDefaults instantiates a new PriceMetrics object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*PriceMetrics) GetAtDate added in v2.0.16

func (o *PriceMetrics) GetAtDate() string

GetAtDate returns the AtDate field value if set, zero value otherwise.

func (*PriceMetrics) GetAtDateOk added in v2.0.16

func (o *PriceMetrics) GetAtDateOk() (*string, bool)

GetAtDateOk returns a tuple with the AtDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*PriceMetrics) GetData added in v2.0.15

func (o *PriceMetrics) GetData() map[string]interface{}

GetData returns the Data field value if set, zero value otherwise.

func (*PriceMetrics) GetDataOk added in v2.0.15

func (o *PriceMetrics) GetDataOk() (*map[string]interface{}, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*PriceMetrics) GetSymbol added in v2.0.15

func (o *PriceMetrics) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*PriceMetrics) GetSymbolOk added in v2.0.15

func (o *PriceMetrics) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*PriceMetrics) HasAtDate added in v2.0.16

func (o *PriceMetrics) HasAtDate() bool

HasAtDate returns a boolean if a field has been set.

func (*PriceMetrics) HasData added in v2.0.15

func (o *PriceMetrics) HasData() bool

HasData returns a boolean if a field has been set.

func (*PriceMetrics) HasSymbol added in v2.0.15

func (o *PriceMetrics) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (PriceMetrics) MarshalJSON added in v2.0.15

func (o PriceMetrics) MarshalJSON() ([]byte, error)

func (*PriceMetrics) SetAtDate added in v2.0.16

func (o *PriceMetrics) SetAtDate(v string)

SetAtDate gets a reference to the given string and assigns it to the AtDate field.

func (*PriceMetrics) SetData added in v2.0.15

func (o *PriceMetrics) SetData(v map[string]interface{})

SetData gets a reference to the given map[string]interface{} and assigns it to the Data field.

func (*PriceMetrics) SetSymbol added in v2.0.15

func (o *PriceMetrics) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type PriceTarget

type PriceTarget struct {
	// Company symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Highes analysts' target.
	TargetHigh *float32 `json:"targetHigh,omitempty"`
	// Lowest analysts' target.
	TargetLow *float32 `json:"targetLow,omitempty"`
	// Mean of all analysts' targets.
	TargetMean *float32 `json:"targetMean,omitempty"`
	// Median of all analysts' targets.
	TargetMedian *float32 `json:"targetMedian,omitempty"`
	// Updated time of the data
	LastUpdated *string `json:"lastUpdated,omitempty"`
}

PriceTarget struct for PriceTarget

func NewPriceTarget

func NewPriceTarget() *PriceTarget

NewPriceTarget instantiates a new PriceTarget object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewPriceTargetWithDefaults

func NewPriceTargetWithDefaults() *PriceTarget

NewPriceTargetWithDefaults instantiates a new PriceTarget object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*PriceTarget) GetLastUpdated

func (o *PriceTarget) GetLastUpdated() string

GetLastUpdated returns the LastUpdated field value if set, zero value otherwise.

func (*PriceTarget) GetLastUpdatedOk

func (o *PriceTarget) GetLastUpdatedOk() (*string, bool)

GetLastUpdatedOk returns a tuple with the LastUpdated field value if set, nil otherwise and a boolean to check if the value has been set.

func (*PriceTarget) GetSymbol

func (o *PriceTarget) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*PriceTarget) GetSymbolOk

func (o *PriceTarget) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*PriceTarget) GetTargetHigh

func (o *PriceTarget) GetTargetHigh() float32

GetTargetHigh returns the TargetHigh field value if set, zero value otherwise.

func (*PriceTarget) GetTargetHighOk

func (o *PriceTarget) GetTargetHighOk() (*float32, bool)

GetTargetHighOk returns a tuple with the TargetHigh field value if set, nil otherwise and a boolean to check if the value has been set.

func (*PriceTarget) GetTargetLow

func (o *PriceTarget) GetTargetLow() float32

GetTargetLow returns the TargetLow field value if set, zero value otherwise.

func (*PriceTarget) GetTargetLowOk

func (o *PriceTarget) GetTargetLowOk() (*float32, bool)

GetTargetLowOk returns a tuple with the TargetLow field value if set, nil otherwise and a boolean to check if the value has been set.

func (*PriceTarget) GetTargetMean

func (o *PriceTarget) GetTargetMean() float32

GetTargetMean returns the TargetMean field value if set, zero value otherwise.

func (*PriceTarget) GetTargetMeanOk

func (o *PriceTarget) GetTargetMeanOk() (*float32, bool)

GetTargetMeanOk returns a tuple with the TargetMean field value if set, nil otherwise and a boolean to check if the value has been set.

func (*PriceTarget) GetTargetMedian

func (o *PriceTarget) GetTargetMedian() float32

GetTargetMedian returns the TargetMedian field value if set, zero value otherwise.

func (*PriceTarget) GetTargetMedianOk

func (o *PriceTarget) GetTargetMedianOk() (*float32, bool)

GetTargetMedianOk returns a tuple with the TargetMedian field value if set, nil otherwise and a boolean to check if the value has been set.

func (*PriceTarget) HasLastUpdated

func (o *PriceTarget) HasLastUpdated() bool

HasLastUpdated returns a boolean if a field has been set.

func (*PriceTarget) HasSymbol

func (o *PriceTarget) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*PriceTarget) HasTargetHigh

func (o *PriceTarget) HasTargetHigh() bool

HasTargetHigh returns a boolean if a field has been set.

func (*PriceTarget) HasTargetLow

func (o *PriceTarget) HasTargetLow() bool

HasTargetLow returns a boolean if a field has been set.

func (*PriceTarget) HasTargetMean

func (o *PriceTarget) HasTargetMean() bool

HasTargetMean returns a boolean if a field has been set.

func (*PriceTarget) HasTargetMedian

func (o *PriceTarget) HasTargetMedian() bool

HasTargetMedian returns a boolean if a field has been set.

func (PriceTarget) MarshalJSON

func (o PriceTarget) MarshalJSON() ([]byte, error)

func (*PriceTarget) SetLastUpdated

func (o *PriceTarget) SetLastUpdated(v string)

SetLastUpdated gets a reference to the given string and assigns it to the LastUpdated field.

func (*PriceTarget) SetSymbol

func (o *PriceTarget) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*PriceTarget) SetTargetHigh

func (o *PriceTarget) SetTargetHigh(v float32)

SetTargetHigh gets a reference to the given float32 and assigns it to the TargetHigh field.

func (*PriceTarget) SetTargetLow

func (o *PriceTarget) SetTargetLow(v float32)

SetTargetLow gets a reference to the given float32 and assigns it to the TargetLow field.

func (*PriceTarget) SetTargetMean

func (o *PriceTarget) SetTargetMean(v float32)

SetTargetMean gets a reference to the given float32 and assigns it to the TargetMean field.

func (*PriceTarget) SetTargetMedian

func (o *PriceTarget) SetTargetMedian(v float32)

SetTargetMedian gets a reference to the given float32 and assigns it to the TargetMedian field.

type Quote

type Quote struct {
	// Open price of the day
	O *float32 `json:"o,omitempty"`
	// High price of the day
	H *float32 `json:"h,omitempty"`
	// Low price of the day
	L *float32 `json:"l,omitempty"`
	// Current price
	C *float32 `json:"c,omitempty"`
	// Previous close price
	Pc *float32 `json:"pc,omitempty"`
	// Change
	D *float32 `json:"d,omitempty"`
	// Percent change
	Dp *float32 `json:"dp,omitempty"`
}

Quote struct for Quote

func NewQuote

func NewQuote() *Quote

NewQuote instantiates a new Quote object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewQuoteWithDefaults

func NewQuoteWithDefaults() *Quote

NewQuoteWithDefaults instantiates a new Quote object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Quote) GetC

func (o *Quote) GetC() float32

GetC returns the C field value if set, zero value otherwise.

func (*Quote) GetCOk

func (o *Quote) GetCOk() (*float32, bool)

GetCOk returns a tuple with the C field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Quote) GetD

func (o *Quote) GetD() float32

GetD returns the D field value if set, zero value otherwise.

func (*Quote) GetDOk

func (o *Quote) GetDOk() (*float32, bool)

GetDOk returns a tuple with the D field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Quote) GetDp

func (o *Quote) GetDp() float32

GetDp returns the Dp field value if set, zero value otherwise.

func (*Quote) GetDpOk

func (o *Quote) GetDpOk() (*float32, bool)

GetDpOk returns a tuple with the Dp field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Quote) GetH

func (o *Quote) GetH() float32

GetH returns the H field value if set, zero value otherwise.

func (*Quote) GetHOk

func (o *Quote) GetHOk() (*float32, bool)

GetHOk returns a tuple with the H field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Quote) GetL

func (o *Quote) GetL() float32

GetL returns the L field value if set, zero value otherwise.

func (*Quote) GetLOk

func (o *Quote) GetLOk() (*float32, bool)

GetLOk returns a tuple with the L field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Quote) GetO

func (o *Quote) GetO() float32

GetO returns the O field value if set, zero value otherwise.

func (*Quote) GetOOk

func (o *Quote) GetOOk() (*float32, bool)

GetOOk returns a tuple with the O field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Quote) GetPc

func (o *Quote) GetPc() float32

GetPc returns the Pc field value if set, zero value otherwise.

func (*Quote) GetPcOk

func (o *Quote) GetPcOk() (*float32, bool)

GetPcOk returns a tuple with the Pc field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Quote) HasC

func (o *Quote) HasC() bool

HasC returns a boolean if a field has been set.

func (*Quote) HasD

func (o *Quote) HasD() bool

HasD returns a boolean if a field has been set.

func (*Quote) HasDp

func (o *Quote) HasDp() bool

HasDp returns a boolean if a field has been set.

func (*Quote) HasH

func (o *Quote) HasH() bool

HasH returns a boolean if a field has been set.

func (*Quote) HasL

func (o *Quote) HasL() bool

HasL returns a boolean if a field has been set.

func (*Quote) HasO

func (o *Quote) HasO() bool

HasO returns a boolean if a field has been set.

func (*Quote) HasPc

func (o *Quote) HasPc() bool

HasPc returns a boolean if a field has been set.

func (Quote) MarshalJSON

func (o Quote) MarshalJSON() ([]byte, error)

func (*Quote) SetC

func (o *Quote) SetC(v float32)

SetC gets a reference to the given float32 and assigns it to the C field.

func (*Quote) SetD

func (o *Quote) SetD(v float32)

SetD gets a reference to the given float32 and assigns it to the D field.

func (*Quote) SetDp

func (o *Quote) SetDp(v float32)

SetDp gets a reference to the given float32 and assigns it to the Dp field.

func (*Quote) SetH

func (o *Quote) SetH(v float32)

SetH gets a reference to the given float32 and assigns it to the H field.

func (*Quote) SetL

func (o *Quote) SetL(v float32)

SetL gets a reference to the given float32 and assigns it to the L field.

func (*Quote) SetO

func (o *Quote) SetO(v float32)

SetO gets a reference to the given float32 and assigns it to the O field.

func (*Quote) SetPc

func (o *Quote) SetPc(v float32)

SetPc gets a reference to the given float32 and assigns it to the Pc field.

type RecommendationTrend

type RecommendationTrend struct {
	// Company symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Number of recommendations that fall into the Buy category
	Buy *int64 `json:"buy,omitempty"`
	// Number of recommendations that fall into the Hold category
	Hold *int64 `json:"hold,omitempty"`
	// Updated period
	Period *string `json:"period,omitempty"`
	// Number of recommendations that fall into the Sell category
	Sell *int64 `json:"sell,omitempty"`
	// Number of recommendations that fall into the Strong Buy category
	StrongBuy *int64 `json:"strongBuy,omitempty"`
	// Number of recommendations that fall into the Strong Sell category
	StrongSell *int64 `json:"strongSell,omitempty"`
}

RecommendationTrend struct for RecommendationTrend

func NewRecommendationTrend

func NewRecommendationTrend() *RecommendationTrend

NewRecommendationTrend instantiates a new RecommendationTrend object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewRecommendationTrendWithDefaults

func NewRecommendationTrendWithDefaults() *RecommendationTrend

NewRecommendationTrendWithDefaults instantiates a new RecommendationTrend object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*RecommendationTrend) GetBuy

func (o *RecommendationTrend) GetBuy() int64

GetBuy returns the Buy field value if set, zero value otherwise.

func (*RecommendationTrend) GetBuyOk

func (o *RecommendationTrend) GetBuyOk() (*int64, bool)

GetBuyOk returns a tuple with the Buy field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RecommendationTrend) GetHold

func (o *RecommendationTrend) GetHold() int64

GetHold returns the Hold field value if set, zero value otherwise.

func (*RecommendationTrend) GetHoldOk

func (o *RecommendationTrend) GetHoldOk() (*int64, bool)

GetHoldOk returns a tuple with the Hold field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RecommendationTrend) GetPeriod

func (o *RecommendationTrend) GetPeriod() string

GetPeriod returns the Period field value if set, zero value otherwise.

func (*RecommendationTrend) GetPeriodOk

func (o *RecommendationTrend) GetPeriodOk() (*string, bool)

GetPeriodOk returns a tuple with the Period field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RecommendationTrend) GetSell

func (o *RecommendationTrend) GetSell() int64

GetSell returns the Sell field value if set, zero value otherwise.

func (*RecommendationTrend) GetSellOk

func (o *RecommendationTrend) GetSellOk() (*int64, bool)

GetSellOk returns a tuple with the Sell field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RecommendationTrend) GetStrongBuy

func (o *RecommendationTrend) GetStrongBuy() int64

GetStrongBuy returns the StrongBuy field value if set, zero value otherwise.

func (*RecommendationTrend) GetStrongBuyOk

func (o *RecommendationTrend) GetStrongBuyOk() (*int64, bool)

GetStrongBuyOk returns a tuple with the StrongBuy field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RecommendationTrend) GetStrongSell

func (o *RecommendationTrend) GetStrongSell() int64

GetStrongSell returns the StrongSell field value if set, zero value otherwise.

func (*RecommendationTrend) GetStrongSellOk

func (o *RecommendationTrend) GetStrongSellOk() (*int64, bool)

GetStrongSellOk returns a tuple with the StrongSell field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RecommendationTrend) GetSymbol

func (o *RecommendationTrend) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*RecommendationTrend) GetSymbolOk

func (o *RecommendationTrend) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RecommendationTrend) HasBuy

func (o *RecommendationTrend) HasBuy() bool

HasBuy returns a boolean if a field has been set.

func (*RecommendationTrend) HasHold

func (o *RecommendationTrend) HasHold() bool

HasHold returns a boolean if a field has been set.

func (*RecommendationTrend) HasPeriod

func (o *RecommendationTrend) HasPeriod() bool

HasPeriod returns a boolean if a field has been set.

func (*RecommendationTrend) HasSell

func (o *RecommendationTrend) HasSell() bool

HasSell returns a boolean if a field has been set.

func (*RecommendationTrend) HasStrongBuy

func (o *RecommendationTrend) HasStrongBuy() bool

HasStrongBuy returns a boolean if a field has been set.

func (*RecommendationTrend) HasStrongSell

func (o *RecommendationTrend) HasStrongSell() bool

HasStrongSell returns a boolean if a field has been set.

func (*RecommendationTrend) HasSymbol

func (o *RecommendationTrend) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (RecommendationTrend) MarshalJSON

func (o RecommendationTrend) MarshalJSON() ([]byte, error)

func (*RecommendationTrend) SetBuy

func (o *RecommendationTrend) SetBuy(v int64)

SetBuy gets a reference to the given int64 and assigns it to the Buy field.

func (*RecommendationTrend) SetHold

func (o *RecommendationTrend) SetHold(v int64)

SetHold gets a reference to the given int64 and assigns it to the Hold field.

func (*RecommendationTrend) SetPeriod

func (o *RecommendationTrend) SetPeriod(v string)

SetPeriod gets a reference to the given string and assigns it to the Period field.

func (*RecommendationTrend) SetSell

func (o *RecommendationTrend) SetSell(v int64)

SetSell gets a reference to the given int64 and assigns it to the Sell field.

func (*RecommendationTrend) SetStrongBuy

func (o *RecommendationTrend) SetStrongBuy(v int64)

SetStrongBuy gets a reference to the given int64 and assigns it to the StrongBuy field.

func (*RecommendationTrend) SetStrongSell

func (o *RecommendationTrend) SetStrongSell(v int64)

SetStrongSell gets a reference to the given int64 and assigns it to the StrongSell field.

func (*RecommendationTrend) SetSymbol

func (o *RecommendationTrend) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type RedditSentimentContent

type RedditSentimentContent struct {
	// Number of mentions
	Mention *int64 `json:"mention,omitempty"`
	// Number of positive mentions
	PositiveMention *int64 `json:"positiveMention,omitempty"`
	// Number of negative mentions
	NegativeMention *int64 `json:"negativeMention,omitempty"`
	// Positive score. Range 0-1
	PositiveScore *float32 `json:"positiveScore,omitempty"`
	// Negative score. Range 0-1
	NegativeScore *float32 `json:"negativeScore,omitempty"`
	// Final score. Range: -1 to 1 with 1 is very positive and -1 is very negative
	Score *float32 `json:"score,omitempty"`
	// Period.
	AtTime *string `json:"atTime,omitempty"`
}

RedditSentimentContent struct for RedditSentimentContent

func NewRedditSentimentContent

func NewRedditSentimentContent() *RedditSentimentContent

NewRedditSentimentContent instantiates a new RedditSentimentContent object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewRedditSentimentContentWithDefaults

func NewRedditSentimentContentWithDefaults() *RedditSentimentContent

NewRedditSentimentContentWithDefaults instantiates a new RedditSentimentContent object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*RedditSentimentContent) GetAtTime

func (o *RedditSentimentContent) GetAtTime() string

GetAtTime returns the AtTime field value if set, zero value otherwise.

func (*RedditSentimentContent) GetAtTimeOk

func (o *RedditSentimentContent) GetAtTimeOk() (*string, bool)

GetAtTimeOk returns a tuple with the AtTime field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RedditSentimentContent) GetMention

func (o *RedditSentimentContent) GetMention() int64

GetMention returns the Mention field value if set, zero value otherwise.

func (*RedditSentimentContent) GetMentionOk

func (o *RedditSentimentContent) GetMentionOk() (*int64, bool)

GetMentionOk returns a tuple with the Mention field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RedditSentimentContent) GetNegativeMention

func (o *RedditSentimentContent) GetNegativeMention() int64

GetNegativeMention returns the NegativeMention field value if set, zero value otherwise.

func (*RedditSentimentContent) GetNegativeMentionOk

func (o *RedditSentimentContent) GetNegativeMentionOk() (*int64, bool)

GetNegativeMentionOk returns a tuple with the NegativeMention field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RedditSentimentContent) GetNegativeScore

func (o *RedditSentimentContent) GetNegativeScore() float32

GetNegativeScore returns the NegativeScore field value if set, zero value otherwise.

func (*RedditSentimentContent) GetNegativeScoreOk

func (o *RedditSentimentContent) GetNegativeScoreOk() (*float32, bool)

GetNegativeScoreOk returns a tuple with the NegativeScore field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RedditSentimentContent) GetPositiveMention

func (o *RedditSentimentContent) GetPositiveMention() int64

GetPositiveMention returns the PositiveMention field value if set, zero value otherwise.

func (*RedditSentimentContent) GetPositiveMentionOk

func (o *RedditSentimentContent) GetPositiveMentionOk() (*int64, bool)

GetPositiveMentionOk returns a tuple with the PositiveMention field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RedditSentimentContent) GetPositiveScore

func (o *RedditSentimentContent) GetPositiveScore() float32

GetPositiveScore returns the PositiveScore field value if set, zero value otherwise.

func (*RedditSentimentContent) GetPositiveScoreOk

func (o *RedditSentimentContent) GetPositiveScoreOk() (*float32, bool)

GetPositiveScoreOk returns a tuple with the PositiveScore field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RedditSentimentContent) GetScore

func (o *RedditSentimentContent) GetScore() float32

GetScore returns the Score field value if set, zero value otherwise.

func (*RedditSentimentContent) GetScoreOk

func (o *RedditSentimentContent) GetScoreOk() (*float32, bool)

GetScoreOk returns a tuple with the Score field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RedditSentimentContent) HasAtTime

func (o *RedditSentimentContent) HasAtTime() bool

HasAtTime returns a boolean if a field has been set.

func (*RedditSentimentContent) HasMention

func (o *RedditSentimentContent) HasMention() bool

HasMention returns a boolean if a field has been set.

func (*RedditSentimentContent) HasNegativeMention

func (o *RedditSentimentContent) HasNegativeMention() bool

HasNegativeMention returns a boolean if a field has been set.

func (*RedditSentimentContent) HasNegativeScore

func (o *RedditSentimentContent) HasNegativeScore() bool

HasNegativeScore returns a boolean if a field has been set.

func (*RedditSentimentContent) HasPositiveMention

func (o *RedditSentimentContent) HasPositiveMention() bool

HasPositiveMention returns a boolean if a field has been set.

func (*RedditSentimentContent) HasPositiveScore

func (o *RedditSentimentContent) HasPositiveScore() bool

HasPositiveScore returns a boolean if a field has been set.

func (*RedditSentimentContent) HasScore

func (o *RedditSentimentContent) HasScore() bool

HasScore returns a boolean if a field has been set.

func (RedditSentimentContent) MarshalJSON

func (o RedditSentimentContent) MarshalJSON() ([]byte, error)

func (*RedditSentimentContent) SetAtTime

func (o *RedditSentimentContent) SetAtTime(v string)

SetAtTime gets a reference to the given string and assigns it to the AtTime field.

func (*RedditSentimentContent) SetMention

func (o *RedditSentimentContent) SetMention(v int64)

SetMention gets a reference to the given int64 and assigns it to the Mention field.

func (*RedditSentimentContent) SetNegativeMention

func (o *RedditSentimentContent) SetNegativeMention(v int64)

SetNegativeMention gets a reference to the given int64 and assigns it to the NegativeMention field.

func (*RedditSentimentContent) SetNegativeScore

func (o *RedditSentimentContent) SetNegativeScore(v float32)

SetNegativeScore gets a reference to the given float32 and assigns it to the NegativeScore field.

func (*RedditSentimentContent) SetPositiveMention

func (o *RedditSentimentContent) SetPositiveMention(v int64)

SetPositiveMention gets a reference to the given int64 and assigns it to the PositiveMention field.

func (*RedditSentimentContent) SetPositiveScore

func (o *RedditSentimentContent) SetPositiveScore(v float32)

SetPositiveScore gets a reference to the given float32 and assigns it to the PositiveScore field.

func (*RedditSentimentContent) SetScore

func (o *RedditSentimentContent) SetScore(v float32)

SetScore gets a reference to the given float32 and assigns it to the Score field.

type Report

type Report struct {
	// Access number.
	AccessNumber *string `json:"accessNumber,omitempty"`
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// CIK.
	Cik *string `json:"cik,omitempty"`
	// Year.
	Year *int64 `json:"year,omitempty"`
	// Quarter.
	Quarter *int64 `json:"quarter,omitempty"`
	// Form type.
	Form *string `json:"form,omitempty"`
	// Period start date <code>%Y-%m-%d %H:%M:%S</code>.
	StartDate *string `json:"startDate,omitempty"`
	// Period end date <code>%Y-%m-%d %H:%M:%S</code>.
	EndDate *string `json:"endDate,omitempty"`
	// Filed date <code>%Y-%m-%d %H:%M:%S</code>.
	FiledDate *string `json:"filedDate,omitempty"`
	// Accepted date <code>%Y-%m-%d %H:%M:%S</code>.
	AcceptedDate *string                 `json:"acceptedDate,omitempty"`
	Report       *map[string]interface{} `json:"report,omitempty"`
}

Report struct for Report

func NewReport

func NewReport() *Report

NewReport instantiates a new Report object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewReportWithDefaults

func NewReportWithDefaults() *Report

NewReportWithDefaults instantiates a new Report object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Report) GetAcceptedDate

func (o *Report) GetAcceptedDate() string

GetAcceptedDate returns the AcceptedDate field value if set, zero value otherwise.

func (*Report) GetAcceptedDateOk

func (o *Report) GetAcceptedDateOk() (*string, bool)

GetAcceptedDateOk returns a tuple with the AcceptedDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Report) GetAccessNumber

func (o *Report) GetAccessNumber() string

GetAccessNumber returns the AccessNumber field value if set, zero value otherwise.

func (*Report) GetAccessNumberOk

func (o *Report) GetAccessNumberOk() (*string, bool)

GetAccessNumberOk returns a tuple with the AccessNumber field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Report) GetCik

func (o *Report) GetCik() string

GetCik returns the Cik field value if set, zero value otherwise.

func (*Report) GetCikOk

func (o *Report) GetCikOk() (*string, bool)

GetCikOk returns a tuple with the Cik field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Report) GetEndDate

func (o *Report) GetEndDate() string

GetEndDate returns the EndDate field value if set, zero value otherwise.

func (*Report) GetEndDateOk

func (o *Report) GetEndDateOk() (*string, bool)

GetEndDateOk returns a tuple with the EndDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Report) GetFiledDate

func (o *Report) GetFiledDate() string

GetFiledDate returns the FiledDate field value if set, zero value otherwise.

func (*Report) GetFiledDateOk

func (o *Report) GetFiledDateOk() (*string, bool)

GetFiledDateOk returns a tuple with the FiledDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Report) GetForm

func (o *Report) GetForm() string

GetForm returns the Form field value if set, zero value otherwise.

func (*Report) GetFormOk

func (o *Report) GetFormOk() (*string, bool)

GetFormOk returns a tuple with the Form field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Report) GetQuarter

func (o *Report) GetQuarter() int64

GetQuarter returns the Quarter field value if set, zero value otherwise.

func (*Report) GetQuarterOk

func (o *Report) GetQuarterOk() (*int64, bool)

GetQuarterOk returns a tuple with the Quarter field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Report) GetReport

func (o *Report) GetReport() map[string]interface{}

GetReport returns the Report field value if set, zero value otherwise.

func (*Report) GetReportOk

func (o *Report) GetReportOk() (*map[string]interface{}, bool)

GetReportOk returns a tuple with the Report field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Report) GetStartDate

func (o *Report) GetStartDate() string

GetStartDate returns the StartDate field value if set, zero value otherwise.

func (*Report) GetStartDateOk

func (o *Report) GetStartDateOk() (*string, bool)

GetStartDateOk returns a tuple with the StartDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Report) GetSymbol

func (o *Report) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*Report) GetSymbolOk

func (o *Report) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Report) GetYear

func (o *Report) GetYear() int64

GetYear returns the Year field value if set, zero value otherwise.

func (*Report) GetYearOk

func (o *Report) GetYearOk() (*int64, bool)

GetYearOk returns a tuple with the Year field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Report) HasAcceptedDate

func (o *Report) HasAcceptedDate() bool

HasAcceptedDate returns a boolean if a field has been set.

func (*Report) HasAccessNumber

func (o *Report) HasAccessNumber() bool

HasAccessNumber returns a boolean if a field has been set.

func (*Report) HasCik

func (o *Report) HasCik() bool

HasCik returns a boolean if a field has been set.

func (*Report) HasEndDate

func (o *Report) HasEndDate() bool

HasEndDate returns a boolean if a field has been set.

func (*Report) HasFiledDate

func (o *Report) HasFiledDate() bool

HasFiledDate returns a boolean if a field has been set.

func (*Report) HasForm

func (o *Report) HasForm() bool

HasForm returns a boolean if a field has been set.

func (*Report) HasQuarter

func (o *Report) HasQuarter() bool

HasQuarter returns a boolean if a field has been set.

func (*Report) HasReport

func (o *Report) HasReport() bool

HasReport returns a boolean if a field has been set.

func (*Report) HasStartDate

func (o *Report) HasStartDate() bool

HasStartDate returns a boolean if a field has been set.

func (*Report) HasSymbol

func (o *Report) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*Report) HasYear

func (o *Report) HasYear() bool

HasYear returns a boolean if a field has been set.

func (Report) MarshalJSON

func (o Report) MarshalJSON() ([]byte, error)

func (*Report) SetAcceptedDate

func (o *Report) SetAcceptedDate(v string)

SetAcceptedDate gets a reference to the given string and assigns it to the AcceptedDate field.

func (*Report) SetAccessNumber

func (o *Report) SetAccessNumber(v string)

SetAccessNumber gets a reference to the given string and assigns it to the AccessNumber field.

func (*Report) SetCik

func (o *Report) SetCik(v string)

SetCik gets a reference to the given string and assigns it to the Cik field.

func (*Report) SetEndDate

func (o *Report) SetEndDate(v string)

SetEndDate gets a reference to the given string and assigns it to the EndDate field.

func (*Report) SetFiledDate

func (o *Report) SetFiledDate(v string)

SetFiledDate gets a reference to the given string and assigns it to the FiledDate field.

func (*Report) SetForm

func (o *Report) SetForm(v string)

SetForm gets a reference to the given string and assigns it to the Form field.

func (*Report) SetQuarter

func (o *Report) SetQuarter(v int64)

SetQuarter gets a reference to the given int64 and assigns it to the Quarter field.

func (*Report) SetReport

func (o *Report) SetReport(v map[string]interface{})

SetReport gets a reference to the given map[string]interface{} and assigns it to the Report field.

func (*Report) SetStartDate

func (o *Report) SetStartDate(v string)

SetStartDate gets a reference to the given string and assigns it to the StartDate field.

func (*Report) SetSymbol

func (o *Report) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*Report) SetYear

func (o *Report) SetYear(v int64)

SetYear gets a reference to the given int64 and assigns it to the Year field.

type RevenueBreakdown

type RevenueBreakdown struct {
	// Symbol
	Symbol *string `json:"symbol,omitempty"`
	// CIK
	Cik *string `json:"cik,omitempty"`
	// Array of revenue breakdown over multiple periods.
	Data *[]BreakdownItem `json:"data,omitempty"`
}

RevenueBreakdown struct for RevenueBreakdown

func NewRevenueBreakdown

func NewRevenueBreakdown() *RevenueBreakdown

NewRevenueBreakdown instantiates a new RevenueBreakdown object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewRevenueBreakdownWithDefaults

func NewRevenueBreakdownWithDefaults() *RevenueBreakdown

NewRevenueBreakdownWithDefaults instantiates a new RevenueBreakdown object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*RevenueBreakdown) GetCik

func (o *RevenueBreakdown) GetCik() string

GetCik returns the Cik field value if set, zero value otherwise.

func (*RevenueBreakdown) GetCikOk

func (o *RevenueBreakdown) GetCikOk() (*string, bool)

GetCikOk returns a tuple with the Cik field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RevenueBreakdown) GetData

func (o *RevenueBreakdown) GetData() []BreakdownItem

GetData returns the Data field value if set, zero value otherwise.

func (*RevenueBreakdown) GetDataOk

func (o *RevenueBreakdown) GetDataOk() (*[]BreakdownItem, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RevenueBreakdown) GetSymbol

func (o *RevenueBreakdown) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*RevenueBreakdown) GetSymbolOk

func (o *RevenueBreakdown) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RevenueBreakdown) HasCik

func (o *RevenueBreakdown) HasCik() bool

HasCik returns a boolean if a field has been set.

func (*RevenueBreakdown) HasData

func (o *RevenueBreakdown) HasData() bool

HasData returns a boolean if a field has been set.

func (*RevenueBreakdown) HasSymbol

func (o *RevenueBreakdown) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (RevenueBreakdown) MarshalJSON

func (o RevenueBreakdown) MarshalJSON() ([]byte, error)

func (*RevenueBreakdown) SetCik

func (o *RevenueBreakdown) SetCik(v string)

SetCik gets a reference to the given string and assigns it to the Cik field.

func (*RevenueBreakdown) SetData

func (o *RevenueBreakdown) SetData(v []BreakdownItem)

SetData gets a reference to the given []BreakdownItem and assigns it to the Data field.

func (*RevenueBreakdown) SetSymbol

func (o *RevenueBreakdown) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type RevenueEstimates

type RevenueEstimates struct {
	// List of estimates
	Data *[]RevenueEstimatesInfo `json:"data,omitempty"`
	// Frequency: annual or quarterly.
	Freq *string `json:"freq,omitempty"`
	// Company symbol.
	Symbol *string `json:"symbol,omitempty"`
}

RevenueEstimates struct for RevenueEstimates

func NewRevenueEstimates

func NewRevenueEstimates() *RevenueEstimates

NewRevenueEstimates instantiates a new RevenueEstimates object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewRevenueEstimatesWithDefaults

func NewRevenueEstimatesWithDefaults() *RevenueEstimates

NewRevenueEstimatesWithDefaults instantiates a new RevenueEstimates object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*RevenueEstimates) GetData

func (o *RevenueEstimates) GetData() []RevenueEstimatesInfo

GetData returns the Data field value if set, zero value otherwise.

func (*RevenueEstimates) GetDataOk

func (o *RevenueEstimates) GetDataOk() (*[]RevenueEstimatesInfo, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RevenueEstimates) GetFreq

func (o *RevenueEstimates) GetFreq() string

GetFreq returns the Freq field value if set, zero value otherwise.

func (*RevenueEstimates) GetFreqOk

func (o *RevenueEstimates) GetFreqOk() (*string, bool)

GetFreqOk returns a tuple with the Freq field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RevenueEstimates) GetSymbol

func (o *RevenueEstimates) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*RevenueEstimates) GetSymbolOk

func (o *RevenueEstimates) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RevenueEstimates) HasData

func (o *RevenueEstimates) HasData() bool

HasData returns a boolean if a field has been set.

func (*RevenueEstimates) HasFreq

func (o *RevenueEstimates) HasFreq() bool

HasFreq returns a boolean if a field has been set.

func (*RevenueEstimates) HasSymbol

func (o *RevenueEstimates) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (RevenueEstimates) MarshalJSON

func (o RevenueEstimates) MarshalJSON() ([]byte, error)

func (*RevenueEstimates) SetData

func (o *RevenueEstimates) SetData(v []RevenueEstimatesInfo)

SetData gets a reference to the given []RevenueEstimatesInfo and assigns it to the Data field.

func (*RevenueEstimates) SetFreq

func (o *RevenueEstimates) SetFreq(v string)

SetFreq gets a reference to the given string and assigns it to the Freq field.

func (*RevenueEstimates) SetSymbol

func (o *RevenueEstimates) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type RevenueEstimatesInfo

type RevenueEstimatesInfo struct {
	// Average revenue estimates including Finnhub's proprietary estimates.
	RevenueAvg *float32 `json:"revenueAvg,omitempty"`
	// Highest estimate.
	RevenueHigh *float32 `json:"revenueHigh,omitempty"`
	// Lowest estimate.
	RevenueLow *float32 `json:"revenueLow,omitempty"`
	// Number of Analysts.
	NumberAnalysts *int64 `json:"numberAnalysts,omitempty"`
	// Period.
	Period *string `json:"period,omitempty"`
	// Fiscal year.
	Year *int64 `json:"year,omitempty"`
	// Fiscal quarter.
	Quarter *int64 `json:"quarter,omitempty"`
}

RevenueEstimatesInfo struct for RevenueEstimatesInfo

func NewRevenueEstimatesInfo

func NewRevenueEstimatesInfo() *RevenueEstimatesInfo

NewRevenueEstimatesInfo instantiates a new RevenueEstimatesInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewRevenueEstimatesInfoWithDefaults

func NewRevenueEstimatesInfoWithDefaults() *RevenueEstimatesInfo

NewRevenueEstimatesInfoWithDefaults instantiates a new RevenueEstimatesInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*RevenueEstimatesInfo) GetNumberAnalysts

func (o *RevenueEstimatesInfo) GetNumberAnalysts() int64

GetNumberAnalysts returns the NumberAnalysts field value if set, zero value otherwise.

func (*RevenueEstimatesInfo) GetNumberAnalystsOk

func (o *RevenueEstimatesInfo) GetNumberAnalystsOk() (*int64, bool)

GetNumberAnalystsOk returns a tuple with the NumberAnalysts field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RevenueEstimatesInfo) GetPeriod

func (o *RevenueEstimatesInfo) GetPeriod() string

GetPeriod returns the Period field value if set, zero value otherwise.

func (*RevenueEstimatesInfo) GetPeriodOk

func (o *RevenueEstimatesInfo) GetPeriodOk() (*string, bool)

GetPeriodOk returns a tuple with the Period field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RevenueEstimatesInfo) GetQuarter added in v2.0.17

func (o *RevenueEstimatesInfo) GetQuarter() int64

GetQuarter returns the Quarter field value if set, zero value otherwise.

func (*RevenueEstimatesInfo) GetQuarterOk added in v2.0.17

func (o *RevenueEstimatesInfo) GetQuarterOk() (*int64, bool)

GetQuarterOk returns a tuple with the Quarter field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RevenueEstimatesInfo) GetRevenueAvg

func (o *RevenueEstimatesInfo) GetRevenueAvg() float32

GetRevenueAvg returns the RevenueAvg field value if set, zero value otherwise.

func (*RevenueEstimatesInfo) GetRevenueAvgOk

func (o *RevenueEstimatesInfo) GetRevenueAvgOk() (*float32, bool)

GetRevenueAvgOk returns a tuple with the RevenueAvg field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RevenueEstimatesInfo) GetRevenueHigh

func (o *RevenueEstimatesInfo) GetRevenueHigh() float32

GetRevenueHigh returns the RevenueHigh field value if set, zero value otherwise.

func (*RevenueEstimatesInfo) GetRevenueHighOk

func (o *RevenueEstimatesInfo) GetRevenueHighOk() (*float32, bool)

GetRevenueHighOk returns a tuple with the RevenueHigh field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RevenueEstimatesInfo) GetRevenueLow

func (o *RevenueEstimatesInfo) GetRevenueLow() float32

GetRevenueLow returns the RevenueLow field value if set, zero value otherwise.

func (*RevenueEstimatesInfo) GetRevenueLowOk

func (o *RevenueEstimatesInfo) GetRevenueLowOk() (*float32, bool)

GetRevenueLowOk returns a tuple with the RevenueLow field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RevenueEstimatesInfo) GetYear added in v2.0.17

func (o *RevenueEstimatesInfo) GetYear() int64

GetYear returns the Year field value if set, zero value otherwise.

func (*RevenueEstimatesInfo) GetYearOk added in v2.0.17

func (o *RevenueEstimatesInfo) GetYearOk() (*int64, bool)

GetYearOk returns a tuple with the Year field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RevenueEstimatesInfo) HasNumberAnalysts

func (o *RevenueEstimatesInfo) HasNumberAnalysts() bool

HasNumberAnalysts returns a boolean if a field has been set.

func (*RevenueEstimatesInfo) HasPeriod

func (o *RevenueEstimatesInfo) HasPeriod() bool

HasPeriod returns a boolean if a field has been set.

func (*RevenueEstimatesInfo) HasQuarter added in v2.0.17

func (o *RevenueEstimatesInfo) HasQuarter() bool

HasQuarter returns a boolean if a field has been set.

func (*RevenueEstimatesInfo) HasRevenueAvg

func (o *RevenueEstimatesInfo) HasRevenueAvg() bool

HasRevenueAvg returns a boolean if a field has been set.

func (*RevenueEstimatesInfo) HasRevenueHigh

func (o *RevenueEstimatesInfo) HasRevenueHigh() bool

HasRevenueHigh returns a boolean if a field has been set.

func (*RevenueEstimatesInfo) HasRevenueLow

func (o *RevenueEstimatesInfo) HasRevenueLow() bool

HasRevenueLow returns a boolean if a field has been set.

func (*RevenueEstimatesInfo) HasYear added in v2.0.17

func (o *RevenueEstimatesInfo) HasYear() bool

HasYear returns a boolean if a field has been set.

func (RevenueEstimatesInfo) MarshalJSON

func (o RevenueEstimatesInfo) MarshalJSON() ([]byte, error)

func (*RevenueEstimatesInfo) SetNumberAnalysts

func (o *RevenueEstimatesInfo) SetNumberAnalysts(v int64)

SetNumberAnalysts gets a reference to the given int64 and assigns it to the NumberAnalysts field.

func (*RevenueEstimatesInfo) SetPeriod

func (o *RevenueEstimatesInfo) SetPeriod(v string)

SetPeriod gets a reference to the given string and assigns it to the Period field.

func (*RevenueEstimatesInfo) SetQuarter added in v2.0.17

func (o *RevenueEstimatesInfo) SetQuarter(v int64)

SetQuarter gets a reference to the given int64 and assigns it to the Quarter field.

func (*RevenueEstimatesInfo) SetRevenueAvg

func (o *RevenueEstimatesInfo) SetRevenueAvg(v float32)

SetRevenueAvg gets a reference to the given float32 and assigns it to the RevenueAvg field.

func (*RevenueEstimatesInfo) SetRevenueHigh

func (o *RevenueEstimatesInfo) SetRevenueHigh(v float32)

SetRevenueHigh gets a reference to the given float32 and assigns it to the RevenueHigh field.

func (*RevenueEstimatesInfo) SetRevenueLow

func (o *RevenueEstimatesInfo) SetRevenueLow(v float32)

SetRevenueLow gets a reference to the given float32 and assigns it to the RevenueLow field.

func (*RevenueEstimatesInfo) SetYear added in v2.0.17

func (o *RevenueEstimatesInfo) SetYear(v int64)

SetYear gets a reference to the given int64 and assigns it to the Year field.

type SECSentimentAnalysis

type SECSentimentAnalysis struct {
	// Access number.
	AccessNumber *string `json:"accessNumber,omitempty"`
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// CIK.
	Cik       *string          `json:"cik,omitempty"`
	Sentiment *FilingSentiment `json:"sentiment,omitempty"`
}

SECSentimentAnalysis struct for SECSentimentAnalysis

func NewSECSentimentAnalysis

func NewSECSentimentAnalysis() *SECSentimentAnalysis

NewSECSentimentAnalysis instantiates a new SECSentimentAnalysis object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSECSentimentAnalysisWithDefaults

func NewSECSentimentAnalysisWithDefaults() *SECSentimentAnalysis

NewSECSentimentAnalysisWithDefaults instantiates a new SECSentimentAnalysis object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SECSentimentAnalysis) GetAccessNumber

func (o *SECSentimentAnalysis) GetAccessNumber() string

GetAccessNumber returns the AccessNumber field value if set, zero value otherwise.

func (*SECSentimentAnalysis) GetAccessNumberOk

func (o *SECSentimentAnalysis) GetAccessNumberOk() (*string, bool)

GetAccessNumberOk returns a tuple with the AccessNumber field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SECSentimentAnalysis) GetCik

func (o *SECSentimentAnalysis) GetCik() string

GetCik returns the Cik field value if set, zero value otherwise.

func (*SECSentimentAnalysis) GetCikOk

func (o *SECSentimentAnalysis) GetCikOk() (*string, bool)

GetCikOk returns a tuple with the Cik field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SECSentimentAnalysis) GetSentiment

func (o *SECSentimentAnalysis) GetSentiment() FilingSentiment

GetSentiment returns the Sentiment field value if set, zero value otherwise.

func (*SECSentimentAnalysis) GetSentimentOk

func (o *SECSentimentAnalysis) GetSentimentOk() (*FilingSentiment, bool)

GetSentimentOk returns a tuple with the Sentiment field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SECSentimentAnalysis) GetSymbol

func (o *SECSentimentAnalysis) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*SECSentimentAnalysis) GetSymbolOk

func (o *SECSentimentAnalysis) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SECSentimentAnalysis) HasAccessNumber

func (o *SECSentimentAnalysis) HasAccessNumber() bool

HasAccessNumber returns a boolean if a field has been set.

func (*SECSentimentAnalysis) HasCik

func (o *SECSentimentAnalysis) HasCik() bool

HasCik returns a boolean if a field has been set.

func (*SECSentimentAnalysis) HasSentiment

func (o *SECSentimentAnalysis) HasSentiment() bool

HasSentiment returns a boolean if a field has been set.

func (*SECSentimentAnalysis) HasSymbol

func (o *SECSentimentAnalysis) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (SECSentimentAnalysis) MarshalJSON

func (o SECSentimentAnalysis) MarshalJSON() ([]byte, error)

func (*SECSentimentAnalysis) SetAccessNumber

func (o *SECSentimentAnalysis) SetAccessNumber(v string)

SetAccessNumber gets a reference to the given string and assigns it to the AccessNumber field.

func (*SECSentimentAnalysis) SetCik

func (o *SECSentimentAnalysis) SetCik(v string)

SetCik gets a reference to the given string and assigns it to the Cik field.

func (*SECSentimentAnalysis) SetSentiment

func (o *SECSentimentAnalysis) SetSentiment(v FilingSentiment)

SetSentiment gets a reference to the given FilingSentiment and assigns it to the Sentiment field.

func (*SECSentimentAnalysis) SetSymbol

func (o *SECSentimentAnalysis) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type SearchBody added in v2.0.16

type SearchBody struct {
	// Search query
	Query string `json:"query"`
	// List of isin to search, comma separated (Max: 50).
	Isins *string `json:"isins,omitempty"`
	// List of cusip to search, comma separated (Max: 50).
	Cusips *string `json:"cusips,omitempty"`
	// List of SEC Center Index Key to search, comma separated (Max: 50).
	Ciks *string `json:"ciks,omitempty"`
	// List of SEDAR issuer number to search, comma separated (Max: 50).
	SedarIds *string `json:"sedarIds,omitempty"`
	// List of Companies House number to search, comma separated (Max: 50).
	ChIds *string `json:"chIds,omitempty"`
	// List of symbols to search, comma separated (Max: 50).
	Symbols *string `json:"symbols,omitempty"`
	// List of sedols to search, comma separated (Max: 50).
	Sedols *string `json:"sedols,omitempty"`
	// List of sources to search, comma separated (Max: 50). Look at <code>/filter</code> endpoint to see all available values.
	Sources *string `json:"sources,omitempty"`
	// List of forms to search, comma separated (Max: 50). Look at <code>/filter</code> endpoint to see all available values.
	Forms *string `json:"forms,omitempty"`
	// List of gics to search, comma separated (Max: 50). Look at <code>/filter</code> endpoint to see all available values.
	Gics *string `json:"gics,omitempty"`
	// List of sources to search, comma separated (Max: 50). Look at <code>/filter</code> endpoint to see all available values.
	Naics *string `json:"naics,omitempty"`
	// List of exhibits to search, comma separated (Max: 50). Look at <code>/filter</code> endpoint to see all available values.
	Exhibits *string `json:"exhibits,omitempty"`
	// List of exchanges to search, comma separated (Max: 50). Look at <code>/filter</code> endpoint to see all available values.
	Exchanges *string `json:"exchanges,omitempty"`
	// List of sources to search, comma separated (Max: 50). Look at <code>/filter</code> endpoint to see all available values.
	Countries *string `json:"countries,omitempty"`
	// List of SEC's exchanges act to search, comma separated. Look at <code>/filter</code> endpoint to see all available values.
	Acts *string `json:"acts,omitempty"`
	// List of market capitalization to search, comma separated. Look at <code>/filter</code> endpoint to see all available values.
	Caps *string `json:"caps,omitempty"`
	// Search from date in format: YYYY-MM-DD, default from the last 2 years
	FromDate *string `json:"fromDate,omitempty"`
	// Search to date in format: YYYY-MM-DD, default to today
	ToDate *string `json:"toDate,omitempty"`
	// Use for pagination, default to page 1
	Page *string `json:"page,omitempty"`
	// Sort result by, default: sortMostRecent. Look at <code>/filter</code> endpoint to see all available values.
	Sort *string `json:"sort,omitempty"`
	// Enable highlight in returned filings. If enabled, only return 10 results each time
	Highlighted *bool `json:"highlighted,omitempty"`
}

SearchBody struct for SearchBody

func NewSearchBody added in v2.0.16

func NewSearchBody(query string) *SearchBody

NewSearchBody instantiates a new SearchBody object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSearchBodyWithDefaults added in v2.0.16

func NewSearchBodyWithDefaults() *SearchBody

NewSearchBodyWithDefaults instantiates a new SearchBody object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SearchBody) GetActs added in v2.0.16

func (o *SearchBody) GetActs() string

GetActs returns the Acts field value if set, zero value otherwise.

func (*SearchBody) GetActsOk added in v2.0.16

func (o *SearchBody) GetActsOk() (*string, bool)

GetActsOk returns a tuple with the Acts field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetCaps added in v2.0.16

func (o *SearchBody) GetCaps() string

GetCaps returns the Caps field value if set, zero value otherwise.

func (*SearchBody) GetCapsOk added in v2.0.16

func (o *SearchBody) GetCapsOk() (*string, bool)

GetCapsOk returns a tuple with the Caps field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetChIds added in v2.0.16

func (o *SearchBody) GetChIds() string

GetChIds returns the ChIds field value if set, zero value otherwise.

func (*SearchBody) GetChIdsOk added in v2.0.16

func (o *SearchBody) GetChIdsOk() (*string, bool)

GetChIdsOk returns a tuple with the ChIds field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetCiks added in v2.0.16

func (o *SearchBody) GetCiks() string

GetCiks returns the Ciks field value if set, zero value otherwise.

func (*SearchBody) GetCiksOk added in v2.0.16

func (o *SearchBody) GetCiksOk() (*string, bool)

GetCiksOk returns a tuple with the Ciks field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetCountries added in v2.0.16

func (o *SearchBody) GetCountries() string

GetCountries returns the Countries field value if set, zero value otherwise.

func (*SearchBody) GetCountriesOk added in v2.0.16

func (o *SearchBody) GetCountriesOk() (*string, bool)

GetCountriesOk returns a tuple with the Countries field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetCusips added in v2.0.16

func (o *SearchBody) GetCusips() string

GetCusips returns the Cusips field value if set, zero value otherwise.

func (*SearchBody) GetCusipsOk added in v2.0.16

func (o *SearchBody) GetCusipsOk() (*string, bool)

GetCusipsOk returns a tuple with the Cusips field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetExchanges added in v2.0.16

func (o *SearchBody) GetExchanges() string

GetExchanges returns the Exchanges field value if set, zero value otherwise.

func (*SearchBody) GetExchangesOk added in v2.0.16

func (o *SearchBody) GetExchangesOk() (*string, bool)

GetExchangesOk returns a tuple with the Exchanges field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetExhibits added in v2.0.16

func (o *SearchBody) GetExhibits() string

GetExhibits returns the Exhibits field value if set, zero value otherwise.

func (*SearchBody) GetExhibitsOk added in v2.0.16

func (o *SearchBody) GetExhibitsOk() (*string, bool)

GetExhibitsOk returns a tuple with the Exhibits field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetForms added in v2.0.16

func (o *SearchBody) GetForms() string

GetForms returns the Forms field value if set, zero value otherwise.

func (*SearchBody) GetFormsOk added in v2.0.16

func (o *SearchBody) GetFormsOk() (*string, bool)

GetFormsOk returns a tuple with the Forms field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetFromDate added in v2.0.16

func (o *SearchBody) GetFromDate() string

GetFromDate returns the FromDate field value if set, zero value otherwise.

func (*SearchBody) GetFromDateOk added in v2.0.16

func (o *SearchBody) GetFromDateOk() (*string, bool)

GetFromDateOk returns a tuple with the FromDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetGics added in v2.0.16

func (o *SearchBody) GetGics() string

GetGics returns the Gics field value if set, zero value otherwise.

func (*SearchBody) GetGicsOk added in v2.0.16

func (o *SearchBody) GetGicsOk() (*string, bool)

GetGicsOk returns a tuple with the Gics field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetHighlighted added in v2.0.16

func (o *SearchBody) GetHighlighted() bool

GetHighlighted returns the Highlighted field value if set, zero value otherwise.

func (*SearchBody) GetHighlightedOk added in v2.0.16

func (o *SearchBody) GetHighlightedOk() (*bool, bool)

GetHighlightedOk returns a tuple with the Highlighted field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetIsins added in v2.0.16

func (o *SearchBody) GetIsins() string

GetIsins returns the Isins field value if set, zero value otherwise.

func (*SearchBody) GetIsinsOk added in v2.0.16

func (o *SearchBody) GetIsinsOk() (*string, bool)

GetIsinsOk returns a tuple with the Isins field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetNaics added in v2.0.16

func (o *SearchBody) GetNaics() string

GetNaics returns the Naics field value if set, zero value otherwise.

func (*SearchBody) GetNaicsOk added in v2.0.16

func (o *SearchBody) GetNaicsOk() (*string, bool)

GetNaicsOk returns a tuple with the Naics field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetPage added in v2.0.16

func (o *SearchBody) GetPage() string

GetPage returns the Page field value if set, zero value otherwise.

func (*SearchBody) GetPageOk added in v2.0.16

func (o *SearchBody) GetPageOk() (*string, bool)

GetPageOk returns a tuple with the Page field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetQuery added in v2.0.16

func (o *SearchBody) GetQuery() string

GetQuery returns the Query field value

func (*SearchBody) GetQueryOk added in v2.0.16

func (o *SearchBody) GetQueryOk() (*string, bool)

GetQueryOk returns a tuple with the Query field value and a boolean to check if the value has been set.

func (*SearchBody) GetSedarIds added in v2.0.16

func (o *SearchBody) GetSedarIds() string

GetSedarIds returns the SedarIds field value if set, zero value otherwise.

func (*SearchBody) GetSedarIdsOk added in v2.0.16

func (o *SearchBody) GetSedarIdsOk() (*string, bool)

GetSedarIdsOk returns a tuple with the SedarIds field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetSedols added in v2.0.16

func (o *SearchBody) GetSedols() string

GetSedols returns the Sedols field value if set, zero value otherwise.

func (*SearchBody) GetSedolsOk added in v2.0.16

func (o *SearchBody) GetSedolsOk() (*string, bool)

GetSedolsOk returns a tuple with the Sedols field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetSort added in v2.0.16

func (o *SearchBody) GetSort() string

GetSort returns the Sort field value if set, zero value otherwise.

func (*SearchBody) GetSortOk added in v2.0.16

func (o *SearchBody) GetSortOk() (*string, bool)

GetSortOk returns a tuple with the Sort field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetSources added in v2.0.16

func (o *SearchBody) GetSources() string

GetSources returns the Sources field value if set, zero value otherwise.

func (*SearchBody) GetSourcesOk added in v2.0.16

func (o *SearchBody) GetSourcesOk() (*string, bool)

GetSourcesOk returns a tuple with the Sources field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetSymbols added in v2.0.16

func (o *SearchBody) GetSymbols() string

GetSymbols returns the Symbols field value if set, zero value otherwise.

func (*SearchBody) GetSymbolsOk added in v2.0.16

func (o *SearchBody) GetSymbolsOk() (*string, bool)

GetSymbolsOk returns a tuple with the Symbols field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) GetToDate added in v2.0.16

func (o *SearchBody) GetToDate() string

GetToDate returns the ToDate field value if set, zero value otherwise.

func (*SearchBody) GetToDateOk added in v2.0.16

func (o *SearchBody) GetToDateOk() (*string, bool)

GetToDateOk returns a tuple with the ToDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchBody) HasActs added in v2.0.16

func (o *SearchBody) HasActs() bool

HasActs returns a boolean if a field has been set.

func (*SearchBody) HasCaps added in v2.0.16

func (o *SearchBody) HasCaps() bool

HasCaps returns a boolean if a field has been set.

func (*SearchBody) HasChIds added in v2.0.16

func (o *SearchBody) HasChIds() bool

HasChIds returns a boolean if a field has been set.

func (*SearchBody) HasCiks added in v2.0.16

func (o *SearchBody) HasCiks() bool

HasCiks returns a boolean if a field has been set.

func (*SearchBody) HasCountries added in v2.0.16

func (o *SearchBody) HasCountries() bool

HasCountries returns a boolean if a field has been set.

func (*SearchBody) HasCusips added in v2.0.16

func (o *SearchBody) HasCusips() bool

HasCusips returns a boolean if a field has been set.

func (*SearchBody) HasExchanges added in v2.0.16

func (o *SearchBody) HasExchanges() bool

HasExchanges returns a boolean if a field has been set.

func (*SearchBody) HasExhibits added in v2.0.16

func (o *SearchBody) HasExhibits() bool

HasExhibits returns a boolean if a field has been set.

func (*SearchBody) HasForms added in v2.0.16

func (o *SearchBody) HasForms() bool

HasForms returns a boolean if a field has been set.

func (*SearchBody) HasFromDate added in v2.0.16

func (o *SearchBody) HasFromDate() bool

HasFromDate returns a boolean if a field has been set.

func (*SearchBody) HasGics added in v2.0.16

func (o *SearchBody) HasGics() bool

HasGics returns a boolean if a field has been set.

func (*SearchBody) HasHighlighted added in v2.0.16

func (o *SearchBody) HasHighlighted() bool

HasHighlighted returns a boolean if a field has been set.

func (*SearchBody) HasIsins added in v2.0.16

func (o *SearchBody) HasIsins() bool

HasIsins returns a boolean if a field has been set.

func (*SearchBody) HasNaics added in v2.0.16

func (o *SearchBody) HasNaics() bool

HasNaics returns a boolean if a field has been set.

func (*SearchBody) HasPage added in v2.0.16

func (o *SearchBody) HasPage() bool

HasPage returns a boolean if a field has been set.

func (*SearchBody) HasSedarIds added in v2.0.16

func (o *SearchBody) HasSedarIds() bool

HasSedarIds returns a boolean if a field has been set.

func (*SearchBody) HasSedols added in v2.0.16

func (o *SearchBody) HasSedols() bool

HasSedols returns a boolean if a field has been set.

func (*SearchBody) HasSort added in v2.0.16

func (o *SearchBody) HasSort() bool

HasSort returns a boolean if a field has been set.

func (*SearchBody) HasSources added in v2.0.16

func (o *SearchBody) HasSources() bool

HasSources returns a boolean if a field has been set.

func (*SearchBody) HasSymbols added in v2.0.16

func (o *SearchBody) HasSymbols() bool

HasSymbols returns a boolean if a field has been set.

func (*SearchBody) HasToDate added in v2.0.16

func (o *SearchBody) HasToDate() bool

HasToDate returns a boolean if a field has been set.

func (SearchBody) MarshalJSON added in v2.0.16

func (o SearchBody) MarshalJSON() ([]byte, error)

func (*SearchBody) SetActs added in v2.0.16

func (o *SearchBody) SetActs(v string)

SetActs gets a reference to the given string and assigns it to the Acts field.

func (*SearchBody) SetCaps added in v2.0.16

func (o *SearchBody) SetCaps(v string)

SetCaps gets a reference to the given string and assigns it to the Caps field.

func (*SearchBody) SetChIds added in v2.0.16

func (o *SearchBody) SetChIds(v string)

SetChIds gets a reference to the given string and assigns it to the ChIds field.

func (*SearchBody) SetCiks added in v2.0.16

func (o *SearchBody) SetCiks(v string)

SetCiks gets a reference to the given string and assigns it to the Ciks field.

func (*SearchBody) SetCountries added in v2.0.16

func (o *SearchBody) SetCountries(v string)

SetCountries gets a reference to the given string and assigns it to the Countries field.

func (*SearchBody) SetCusips added in v2.0.16

func (o *SearchBody) SetCusips(v string)

SetCusips gets a reference to the given string and assigns it to the Cusips field.

func (*SearchBody) SetExchanges added in v2.0.16

func (o *SearchBody) SetExchanges(v string)

SetExchanges gets a reference to the given string and assigns it to the Exchanges field.

func (*SearchBody) SetExhibits added in v2.0.16

func (o *SearchBody) SetExhibits(v string)

SetExhibits gets a reference to the given string and assigns it to the Exhibits field.

func (*SearchBody) SetForms added in v2.0.16

func (o *SearchBody) SetForms(v string)

SetForms gets a reference to the given string and assigns it to the Forms field.

func (*SearchBody) SetFromDate added in v2.0.16

func (o *SearchBody) SetFromDate(v string)

SetFromDate gets a reference to the given string and assigns it to the FromDate field.

func (*SearchBody) SetGics added in v2.0.16

func (o *SearchBody) SetGics(v string)

SetGics gets a reference to the given string and assigns it to the Gics field.

func (*SearchBody) SetHighlighted added in v2.0.16

func (o *SearchBody) SetHighlighted(v bool)

SetHighlighted gets a reference to the given bool and assigns it to the Highlighted field.

func (*SearchBody) SetIsins added in v2.0.16

func (o *SearchBody) SetIsins(v string)

SetIsins gets a reference to the given string and assigns it to the Isins field.

func (*SearchBody) SetNaics added in v2.0.16

func (o *SearchBody) SetNaics(v string)

SetNaics gets a reference to the given string and assigns it to the Naics field.

func (*SearchBody) SetPage added in v2.0.16

func (o *SearchBody) SetPage(v string)

SetPage gets a reference to the given string and assigns it to the Page field.

func (*SearchBody) SetQuery added in v2.0.16

func (o *SearchBody) SetQuery(v string)

SetQuery sets field value

func (*SearchBody) SetSedarIds added in v2.0.16

func (o *SearchBody) SetSedarIds(v string)

SetSedarIds gets a reference to the given string and assigns it to the SedarIds field.

func (*SearchBody) SetSedols added in v2.0.16

func (o *SearchBody) SetSedols(v string)

SetSedols gets a reference to the given string and assigns it to the Sedols field.

func (*SearchBody) SetSort added in v2.0.16

func (o *SearchBody) SetSort(v string)

SetSort gets a reference to the given string and assigns it to the Sort field.

func (*SearchBody) SetSources added in v2.0.16

func (o *SearchBody) SetSources(v string)

SetSources gets a reference to the given string and assigns it to the Sources field.

func (*SearchBody) SetSymbols added in v2.0.16

func (o *SearchBody) SetSymbols(v string)

SetSymbols gets a reference to the given string and assigns it to the Symbols field.

func (*SearchBody) SetToDate added in v2.0.16

func (o *SearchBody) SetToDate(v string)

SetToDate gets a reference to the given string and assigns it to the ToDate field.

type SearchFilter added in v2.0.16

type SearchFilter struct {
	// Filter id, use with respective field in search query body.
	Id *string `json:"id,omitempty"`
	// Display name.
	Name *string `json:"name,omitempty"`
}

SearchFilter struct for SearchFilter

func NewSearchFilter added in v2.0.16

func NewSearchFilter() *SearchFilter

NewSearchFilter instantiates a new SearchFilter object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSearchFilterWithDefaults added in v2.0.16

func NewSearchFilterWithDefaults() *SearchFilter

NewSearchFilterWithDefaults instantiates a new SearchFilter object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SearchFilter) GetId added in v2.0.16

func (o *SearchFilter) GetId() string

GetId returns the Id field value if set, zero value otherwise.

func (*SearchFilter) GetIdOk added in v2.0.16

func (o *SearchFilter) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchFilter) GetName added in v2.0.16

func (o *SearchFilter) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*SearchFilter) GetNameOk added in v2.0.16

func (o *SearchFilter) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchFilter) HasId added in v2.0.16

func (o *SearchFilter) HasId() bool

HasId returns a boolean if a field has been set.

func (*SearchFilter) HasName added in v2.0.16

func (o *SearchFilter) HasName() bool

HasName returns a boolean if a field has been set.

func (SearchFilter) MarshalJSON added in v2.0.16

func (o SearchFilter) MarshalJSON() ([]byte, error)

func (*SearchFilter) SetId added in v2.0.16

func (o *SearchFilter) SetId(v string)

SetId gets a reference to the given string and assigns it to the Id field.

func (*SearchFilter) SetName added in v2.0.16

func (o *SearchFilter) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

type SearchResponse added in v2.0.16

type SearchResponse struct {
	// Total filing matched your search criteria.
	Count *int32 `json:"count,omitempty"`
	// Time took to execute your search query on our server, value in ms.
	Took *int32 `json:"took,omitempty"`
	// Current search page
	Page *int32 `json:"page,omitempty"`
	// Filing match your search criteria.
	Filings *[]FilingResponse `json:"filings,omitempty"`
}

SearchResponse struct for SearchResponse

func NewSearchResponse added in v2.0.16

func NewSearchResponse() *SearchResponse

NewSearchResponse instantiates a new SearchResponse object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSearchResponseWithDefaults added in v2.0.16

func NewSearchResponseWithDefaults() *SearchResponse

NewSearchResponseWithDefaults instantiates a new SearchResponse object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SearchResponse) GetCount added in v2.0.16

func (o *SearchResponse) GetCount() int32

GetCount returns the Count field value if set, zero value otherwise.

func (*SearchResponse) GetCountOk added in v2.0.16

func (o *SearchResponse) GetCountOk() (*int32, bool)

GetCountOk returns a tuple with the Count field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchResponse) GetFilings added in v2.0.16

func (o *SearchResponse) GetFilings() []FilingResponse

GetFilings returns the Filings field value if set, zero value otherwise.

func (*SearchResponse) GetFilingsOk added in v2.0.16

func (o *SearchResponse) GetFilingsOk() (*[]FilingResponse, bool)

GetFilingsOk returns a tuple with the Filings field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchResponse) GetPage added in v2.0.16

func (o *SearchResponse) GetPage() int32

GetPage returns the Page field value if set, zero value otherwise.

func (*SearchResponse) GetPageOk added in v2.0.16

func (o *SearchResponse) GetPageOk() (*int32, bool)

GetPageOk returns a tuple with the Page field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchResponse) GetTook added in v2.0.16

func (o *SearchResponse) GetTook() int32

GetTook returns the Took field value if set, zero value otherwise.

func (*SearchResponse) GetTookOk added in v2.0.16

func (o *SearchResponse) GetTookOk() (*int32, bool)

GetTookOk returns a tuple with the Took field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SearchResponse) HasCount added in v2.0.16

func (o *SearchResponse) HasCount() bool

HasCount returns a boolean if a field has been set.

func (*SearchResponse) HasFilings added in v2.0.16

func (o *SearchResponse) HasFilings() bool

HasFilings returns a boolean if a field has been set.

func (*SearchResponse) HasPage added in v2.0.16

func (o *SearchResponse) HasPage() bool

HasPage returns a boolean if a field has been set.

func (*SearchResponse) HasTook added in v2.0.16

func (o *SearchResponse) HasTook() bool

HasTook returns a boolean if a field has been set.

func (SearchResponse) MarshalJSON added in v2.0.16

func (o SearchResponse) MarshalJSON() ([]byte, error)

func (*SearchResponse) SetCount added in v2.0.16

func (o *SearchResponse) SetCount(v int32)

SetCount gets a reference to the given int32 and assigns it to the Count field.

func (*SearchResponse) SetFilings added in v2.0.16

func (o *SearchResponse) SetFilings(v []FilingResponse)

SetFilings gets a reference to the given []FilingResponse and assigns it to the Filings field.

func (*SearchResponse) SetPage added in v2.0.16

func (o *SearchResponse) SetPage(v int32)

SetPage gets a reference to the given int32 and assigns it to the Page field.

func (*SearchResponse) SetTook added in v2.0.16

func (o *SearchResponse) SetTook(v int32)

SetTook gets a reference to the given int32 and assigns it to the Took field.

type SectorMetric added in v2.0.14

type SectorMetric struct {
	// Region.
	Region *string `json:"region,omitempty"`
	// Metrics for each sector.
	Data *[]SectorMetricData `json:"data,omitempty"`
}

SectorMetric struct for SectorMetric

func NewSectorMetric added in v2.0.14

func NewSectorMetric() *SectorMetric

NewSectorMetric instantiates a new SectorMetric object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSectorMetricWithDefaults added in v2.0.14

func NewSectorMetricWithDefaults() *SectorMetric

NewSectorMetricWithDefaults instantiates a new SectorMetric object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SectorMetric) GetData added in v2.0.14

func (o *SectorMetric) GetData() []SectorMetricData

GetData returns the Data field value if set, zero value otherwise.

func (*SectorMetric) GetDataOk added in v2.0.14

func (o *SectorMetric) GetDataOk() (*[]SectorMetricData, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SectorMetric) GetRegion added in v2.0.14

func (o *SectorMetric) GetRegion() string

GetRegion returns the Region field value if set, zero value otherwise.

func (*SectorMetric) GetRegionOk added in v2.0.14

func (o *SectorMetric) GetRegionOk() (*string, bool)

GetRegionOk returns a tuple with the Region field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SectorMetric) HasData added in v2.0.14

func (o *SectorMetric) HasData() bool

HasData returns a boolean if a field has been set.

func (*SectorMetric) HasRegion added in v2.0.14

func (o *SectorMetric) HasRegion() bool

HasRegion returns a boolean if a field has been set.

func (SectorMetric) MarshalJSON added in v2.0.14

func (o SectorMetric) MarshalJSON() ([]byte, error)

func (*SectorMetric) SetData added in v2.0.14

func (o *SectorMetric) SetData(v []SectorMetricData)

SetData gets a reference to the given []SectorMetricData and assigns it to the Data field.

func (*SectorMetric) SetRegion added in v2.0.14

func (o *SectorMetric) SetRegion(v string)

SetRegion gets a reference to the given string and assigns it to the Region field.

type SectorMetricData added in v2.0.14

type SectorMetricData struct {
	// Sector
	Sector *string `json:"sector,omitempty"`
	// Metrics data in key-value format. <code>a</code> and <code>m</code> fields are for average and median respectively.
	Metrics *map[string]interface{} `json:"metrics,omitempty"`
}

SectorMetricData struct for SectorMetricData

func NewSectorMetricData added in v2.0.14

func NewSectorMetricData() *SectorMetricData

NewSectorMetricData instantiates a new SectorMetricData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSectorMetricDataWithDefaults added in v2.0.14

func NewSectorMetricDataWithDefaults() *SectorMetricData

NewSectorMetricDataWithDefaults instantiates a new SectorMetricData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SectorMetricData) GetMetrics added in v2.0.14

func (o *SectorMetricData) GetMetrics() map[string]interface{}

GetMetrics returns the Metrics field value if set, zero value otherwise.

func (*SectorMetricData) GetMetricsOk added in v2.0.14

func (o *SectorMetricData) GetMetricsOk() (*map[string]interface{}, bool)

GetMetricsOk returns a tuple with the Metrics field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SectorMetricData) GetSector added in v2.0.14

func (o *SectorMetricData) GetSector() string

GetSector returns the Sector field value if set, zero value otherwise.

func (*SectorMetricData) GetSectorOk added in v2.0.14

func (o *SectorMetricData) GetSectorOk() (*string, bool)

GetSectorOk returns a tuple with the Sector field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SectorMetricData) HasMetrics added in v2.0.14

func (o *SectorMetricData) HasMetrics() bool

HasMetrics returns a boolean if a field has been set.

func (*SectorMetricData) HasSector added in v2.0.14

func (o *SectorMetricData) HasSector() bool

HasSector returns a boolean if a field has been set.

func (SectorMetricData) MarshalJSON added in v2.0.14

func (o SectorMetricData) MarshalJSON() ([]byte, error)

func (*SectorMetricData) SetMetrics added in v2.0.14

func (o *SectorMetricData) SetMetrics(v map[string]interface{})

SetMetrics gets a reference to the given map[string]interface{} and assigns it to the Metrics field.

func (*SectorMetricData) SetSector added in v2.0.14

func (o *SectorMetricData) SetSector(v string)

SetSector gets a reference to the given string and assigns it to the Sector field.

type Sentiment

type Sentiment struct {
	//
	BearishPercent *float32 `json:"bearishPercent,omitempty"`
	//
	BullishPercent *float32 `json:"bullishPercent,omitempty"`
}

Sentiment struct for Sentiment

func NewSentiment

func NewSentiment() *Sentiment

NewSentiment instantiates a new Sentiment object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSentimentWithDefaults

func NewSentimentWithDefaults() *Sentiment

NewSentimentWithDefaults instantiates a new Sentiment object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Sentiment) GetBearishPercent

func (o *Sentiment) GetBearishPercent() float32

GetBearishPercent returns the BearishPercent field value if set, zero value otherwise.

func (*Sentiment) GetBearishPercentOk

func (o *Sentiment) GetBearishPercentOk() (*float32, bool)

GetBearishPercentOk returns a tuple with the BearishPercent field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Sentiment) GetBullishPercent

func (o *Sentiment) GetBullishPercent() float32

GetBullishPercent returns the BullishPercent field value if set, zero value otherwise.

func (*Sentiment) GetBullishPercentOk

func (o *Sentiment) GetBullishPercentOk() (*float32, bool)

GetBullishPercentOk returns a tuple with the BullishPercent field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Sentiment) HasBearishPercent

func (o *Sentiment) HasBearishPercent() bool

HasBearishPercent returns a boolean if a field has been set.

func (*Sentiment) HasBullishPercent

func (o *Sentiment) HasBullishPercent() bool

HasBullishPercent returns a boolean if a field has been set.

func (Sentiment) MarshalJSON

func (o Sentiment) MarshalJSON() ([]byte, error)

func (*Sentiment) SetBearishPercent

func (o *Sentiment) SetBearishPercent(v float32)

SetBearishPercent gets a reference to the given float32 and assigns it to the BearishPercent field.

func (*Sentiment) SetBullishPercent

func (o *Sentiment) SetBullishPercent(v float32)

SetBullishPercent gets a reference to the given float32 and assigns it to the BullishPercent field.

type SentimentContent added in v2.0.17

type SentimentContent struct {
	// Number of mentions
	Mention *int64 `json:"mention,omitempty"`
	// Number of positive mentions
	PositiveMention *int64 `json:"positiveMention,omitempty"`
	// Number of negative mentions
	NegativeMention *int64 `json:"negativeMention,omitempty"`
	// Positive score. Range 0-1
	PositiveScore *float32 `json:"positiveScore,omitempty"`
	// Negative score. Range 0-1
	NegativeScore *float32 `json:"negativeScore,omitempty"`
	// Final score. Range: -1 to 1 with 1 is very positive and -1 is very negative
	Score *float32 `json:"score,omitempty"`
	// Period.
	AtTime *string `json:"atTime,omitempty"`
}

SentimentContent struct for SentimentContent

func NewSentimentContent added in v2.0.17

func NewSentimentContent() *SentimentContent

NewSentimentContent instantiates a new SentimentContent object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSentimentContentWithDefaults added in v2.0.17

func NewSentimentContentWithDefaults() *SentimentContent

NewSentimentContentWithDefaults instantiates a new SentimentContent object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SentimentContent) GetAtTime added in v2.0.17

func (o *SentimentContent) GetAtTime() string

GetAtTime returns the AtTime field value if set, zero value otherwise.

func (*SentimentContent) GetAtTimeOk added in v2.0.17

func (o *SentimentContent) GetAtTimeOk() (*string, bool)

GetAtTimeOk returns a tuple with the AtTime field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SentimentContent) GetMention added in v2.0.17

func (o *SentimentContent) GetMention() int64

GetMention returns the Mention field value if set, zero value otherwise.

func (*SentimentContent) GetMentionOk added in v2.0.17

func (o *SentimentContent) GetMentionOk() (*int64, bool)

GetMentionOk returns a tuple with the Mention field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SentimentContent) GetNegativeMention added in v2.0.17

func (o *SentimentContent) GetNegativeMention() int64

GetNegativeMention returns the NegativeMention field value if set, zero value otherwise.

func (*SentimentContent) GetNegativeMentionOk added in v2.0.17

func (o *SentimentContent) GetNegativeMentionOk() (*int64, bool)

GetNegativeMentionOk returns a tuple with the NegativeMention field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SentimentContent) GetNegativeScore added in v2.0.17

func (o *SentimentContent) GetNegativeScore() float32

GetNegativeScore returns the NegativeScore field value if set, zero value otherwise.

func (*SentimentContent) GetNegativeScoreOk added in v2.0.17

func (o *SentimentContent) GetNegativeScoreOk() (*float32, bool)

GetNegativeScoreOk returns a tuple with the NegativeScore field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SentimentContent) GetPositiveMention added in v2.0.17

func (o *SentimentContent) GetPositiveMention() int64

GetPositiveMention returns the PositiveMention field value if set, zero value otherwise.

func (*SentimentContent) GetPositiveMentionOk added in v2.0.17

func (o *SentimentContent) GetPositiveMentionOk() (*int64, bool)

GetPositiveMentionOk returns a tuple with the PositiveMention field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SentimentContent) GetPositiveScore added in v2.0.17

func (o *SentimentContent) GetPositiveScore() float32

GetPositiveScore returns the PositiveScore field value if set, zero value otherwise.

func (*SentimentContent) GetPositiveScoreOk added in v2.0.17

func (o *SentimentContent) GetPositiveScoreOk() (*float32, bool)

GetPositiveScoreOk returns a tuple with the PositiveScore field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SentimentContent) GetScore added in v2.0.17

func (o *SentimentContent) GetScore() float32

GetScore returns the Score field value if set, zero value otherwise.

func (*SentimentContent) GetScoreOk added in v2.0.17

func (o *SentimentContent) GetScoreOk() (*float32, bool)

GetScoreOk returns a tuple with the Score field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SentimentContent) HasAtTime added in v2.0.17

func (o *SentimentContent) HasAtTime() bool

HasAtTime returns a boolean if a field has been set.

func (*SentimentContent) HasMention added in v2.0.17

func (o *SentimentContent) HasMention() bool

HasMention returns a boolean if a field has been set.

func (*SentimentContent) HasNegativeMention added in v2.0.17

func (o *SentimentContent) HasNegativeMention() bool

HasNegativeMention returns a boolean if a field has been set.

func (*SentimentContent) HasNegativeScore added in v2.0.17

func (o *SentimentContent) HasNegativeScore() bool

HasNegativeScore returns a boolean if a field has been set.

func (*SentimentContent) HasPositiveMention added in v2.0.17

func (o *SentimentContent) HasPositiveMention() bool

HasPositiveMention returns a boolean if a field has been set.

func (*SentimentContent) HasPositiveScore added in v2.0.17

func (o *SentimentContent) HasPositiveScore() bool

HasPositiveScore returns a boolean if a field has been set.

func (*SentimentContent) HasScore added in v2.0.17

func (o *SentimentContent) HasScore() bool

HasScore returns a boolean if a field has been set.

func (SentimentContent) MarshalJSON added in v2.0.17

func (o SentimentContent) MarshalJSON() ([]byte, error)

func (*SentimentContent) SetAtTime added in v2.0.17

func (o *SentimentContent) SetAtTime(v string)

SetAtTime gets a reference to the given string and assigns it to the AtTime field.

func (*SentimentContent) SetMention added in v2.0.17

func (o *SentimentContent) SetMention(v int64)

SetMention gets a reference to the given int64 and assigns it to the Mention field.

func (*SentimentContent) SetNegativeMention added in v2.0.17

func (o *SentimentContent) SetNegativeMention(v int64)

SetNegativeMention gets a reference to the given int64 and assigns it to the NegativeMention field.

func (*SentimentContent) SetNegativeScore added in v2.0.17

func (o *SentimentContent) SetNegativeScore(v float32)

SetNegativeScore gets a reference to the given float32 and assigns it to the NegativeScore field.

func (*SentimentContent) SetPositiveMention added in v2.0.17

func (o *SentimentContent) SetPositiveMention(v int64)

SetPositiveMention gets a reference to the given int64 and assigns it to the PositiveMention field.

func (*SentimentContent) SetPositiveScore added in v2.0.17

func (o *SentimentContent) SetPositiveScore(v float32)

SetPositiveScore gets a reference to the given float32 and assigns it to the PositiveScore field.

func (*SentimentContent) SetScore added in v2.0.17

func (o *SentimentContent) SetScore(v float32)

SetScore gets a reference to the given float32 and assigns it to the Score field.

type ServerConfiguration

type ServerConfiguration struct {
	URL         string
	Description string
	Variables   map[string]ServerVariable
}

ServerConfiguration stores the information about a server

type ServerConfigurations

type ServerConfigurations []ServerConfiguration

ServerConfigurations stores multiple ServerConfiguration items

func (ServerConfigurations) URL

func (sc ServerConfigurations) URL(index int, variables map[string]string) (string, error)

URL formats template on a index using given variables

type ServerVariable

type ServerVariable struct {
	Description  string
	DefaultValue string
	EnumValues   []string
}

ServerVariable stores the information about a server variable

type SimilarityIndex

type SimilarityIndex struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// CIK.
	Cik *string `json:"cik,omitempty"`
	// Array of filings with its cosine similarity compared to the same report of the previous year.
	Similarity *[]SimilarityIndexInfo `json:"similarity,omitempty"`
}

SimilarityIndex struct for SimilarityIndex

func NewSimilarityIndex

func NewSimilarityIndex() *SimilarityIndex

NewSimilarityIndex instantiates a new SimilarityIndex object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSimilarityIndexWithDefaults

func NewSimilarityIndexWithDefaults() *SimilarityIndex

NewSimilarityIndexWithDefaults instantiates a new SimilarityIndex object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SimilarityIndex) GetCik

func (o *SimilarityIndex) GetCik() string

GetCik returns the Cik field value if set, zero value otherwise.

func (*SimilarityIndex) GetCikOk

func (o *SimilarityIndex) GetCikOk() (*string, bool)

GetCikOk returns a tuple with the Cik field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SimilarityIndex) GetSimilarity

func (o *SimilarityIndex) GetSimilarity() []SimilarityIndexInfo

GetSimilarity returns the Similarity field value if set, zero value otherwise.

func (*SimilarityIndex) GetSimilarityOk

func (o *SimilarityIndex) GetSimilarityOk() (*[]SimilarityIndexInfo, bool)

GetSimilarityOk returns a tuple with the Similarity field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SimilarityIndex) GetSymbol

func (o *SimilarityIndex) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*SimilarityIndex) GetSymbolOk

func (o *SimilarityIndex) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SimilarityIndex) HasCik

func (o *SimilarityIndex) HasCik() bool

HasCik returns a boolean if a field has been set.

func (*SimilarityIndex) HasSimilarity

func (o *SimilarityIndex) HasSimilarity() bool

HasSimilarity returns a boolean if a field has been set.

func (*SimilarityIndex) HasSymbol

func (o *SimilarityIndex) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (SimilarityIndex) MarshalJSON

func (o SimilarityIndex) MarshalJSON() ([]byte, error)

func (*SimilarityIndex) SetCik

func (o *SimilarityIndex) SetCik(v string)

SetCik gets a reference to the given string and assigns it to the Cik field.

func (*SimilarityIndex) SetSimilarity

func (o *SimilarityIndex) SetSimilarity(v []SimilarityIndexInfo)

SetSimilarity gets a reference to the given []SimilarityIndexInfo and assigns it to the Similarity field.

func (*SimilarityIndex) SetSymbol

func (o *SimilarityIndex) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type SimilarityIndexInfo

type SimilarityIndexInfo struct {
	// CIK.
	Cik *string `json:"cik,omitempty"`
	// Cosine similarity of Item 1 (Business). This number is only available for Annual reports.
	Item1 *float32 `json:"item1,omitempty"`
	// Cosine similarity of Item 1A (Risk Factors). This number is available for both Annual and Quarterly reports.
	Item1a *float32 `json:"item1a,omitempty"`
	// Cosine similarity of Item 2 (Management’s Discussion and Analysis of Financial Condition and Results of Operations). This number is only available for Quarterly reports.
	Item2 *float32 `json:"item2,omitempty"`
	// Cosine similarity of Item 7 (Management’s Discussion and Analysis of Financial Condition and Results of Operations). This number is only available for Annual reports.
	Item7 *float32 `json:"item7,omitempty"`
	// Cosine similarity of Item 7A (Quantitative and Qualitative Disclosures About Market Risk). This number is only available for Annual reports.
	Item7a *float32 `json:"item7a,omitempty"`
	// Access number.
	AccessNumber *string `json:"accessNumber,omitempty"`
	// Form type.
	Form *string `json:"form,omitempty"`
	// Filed date <code>%Y-%m-%d %H:%M:%S</code>.
	FiledDate *string `json:"filedDate,omitempty"`
	// Accepted date <code>%Y-%m-%d %H:%M:%S</code>.
	AcceptedDate *string `json:"acceptedDate,omitempty"`
	// Report's URL.
	ReportUrl *string `json:"reportUrl,omitempty"`
	// Filing's URL.
	FilingUrl *string `json:"filingUrl,omitempty"`
}

SimilarityIndexInfo struct for SimilarityIndexInfo

func NewSimilarityIndexInfo

func NewSimilarityIndexInfo() *SimilarityIndexInfo

NewSimilarityIndexInfo instantiates a new SimilarityIndexInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSimilarityIndexInfoWithDefaults

func NewSimilarityIndexInfoWithDefaults() *SimilarityIndexInfo

NewSimilarityIndexInfoWithDefaults instantiates a new SimilarityIndexInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SimilarityIndexInfo) GetAcceptedDate

func (o *SimilarityIndexInfo) GetAcceptedDate() string

GetAcceptedDate returns the AcceptedDate field value if set, zero value otherwise.

func (*SimilarityIndexInfo) GetAcceptedDateOk

func (o *SimilarityIndexInfo) GetAcceptedDateOk() (*string, bool)

GetAcceptedDateOk returns a tuple with the AcceptedDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SimilarityIndexInfo) GetAccessNumber

func (o *SimilarityIndexInfo) GetAccessNumber() string

GetAccessNumber returns the AccessNumber field value if set, zero value otherwise.

func (*SimilarityIndexInfo) GetAccessNumberOk

func (o *SimilarityIndexInfo) GetAccessNumberOk() (*string, bool)

GetAccessNumberOk returns a tuple with the AccessNumber field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SimilarityIndexInfo) GetCik

func (o *SimilarityIndexInfo) GetCik() string

GetCik returns the Cik field value if set, zero value otherwise.

func (*SimilarityIndexInfo) GetCikOk

func (o *SimilarityIndexInfo) GetCikOk() (*string, bool)

GetCikOk returns a tuple with the Cik field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SimilarityIndexInfo) GetFiledDate

func (o *SimilarityIndexInfo) GetFiledDate() string

GetFiledDate returns the FiledDate field value if set, zero value otherwise.

func (*SimilarityIndexInfo) GetFiledDateOk

func (o *SimilarityIndexInfo) GetFiledDateOk() (*string, bool)

GetFiledDateOk returns a tuple with the FiledDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SimilarityIndexInfo) GetFilingUrl

func (o *SimilarityIndexInfo) GetFilingUrl() string

GetFilingUrl returns the FilingUrl field value if set, zero value otherwise.

func (*SimilarityIndexInfo) GetFilingUrlOk

func (o *SimilarityIndexInfo) GetFilingUrlOk() (*string, bool)

GetFilingUrlOk returns a tuple with the FilingUrl field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SimilarityIndexInfo) GetForm

func (o *SimilarityIndexInfo) GetForm() string

GetForm returns the Form field value if set, zero value otherwise.

func (*SimilarityIndexInfo) GetFormOk

func (o *SimilarityIndexInfo) GetFormOk() (*string, bool)

GetFormOk returns a tuple with the Form field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SimilarityIndexInfo) GetItem1

func (o *SimilarityIndexInfo) GetItem1() float32

GetItem1 returns the Item1 field value if set, zero value otherwise.

func (*SimilarityIndexInfo) GetItem1Ok

func (o *SimilarityIndexInfo) GetItem1Ok() (*float32, bool)

GetItem1Ok returns a tuple with the Item1 field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SimilarityIndexInfo) GetItem1a

func (o *SimilarityIndexInfo) GetItem1a() float32

GetItem1a returns the Item1a field value if set, zero value otherwise.

func (*SimilarityIndexInfo) GetItem1aOk

func (o *SimilarityIndexInfo) GetItem1aOk() (*float32, bool)

GetItem1aOk returns a tuple with the Item1a field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SimilarityIndexInfo) GetItem2

func (o *SimilarityIndexInfo) GetItem2() float32

GetItem2 returns the Item2 field value if set, zero value otherwise.

func (*SimilarityIndexInfo) GetItem2Ok

func (o *SimilarityIndexInfo) GetItem2Ok() (*float32, bool)

GetItem2Ok returns a tuple with the Item2 field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SimilarityIndexInfo) GetItem7

func (o *SimilarityIndexInfo) GetItem7() float32

GetItem7 returns the Item7 field value if set, zero value otherwise.

func (*SimilarityIndexInfo) GetItem7Ok

func (o *SimilarityIndexInfo) GetItem7Ok() (*float32, bool)

GetItem7Ok returns a tuple with the Item7 field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SimilarityIndexInfo) GetItem7a

func (o *SimilarityIndexInfo) GetItem7a() float32

GetItem7a returns the Item7a field value if set, zero value otherwise.

func (*SimilarityIndexInfo) GetItem7aOk

func (o *SimilarityIndexInfo) GetItem7aOk() (*float32, bool)

GetItem7aOk returns a tuple with the Item7a field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SimilarityIndexInfo) GetReportUrl

func (o *SimilarityIndexInfo) GetReportUrl() string

GetReportUrl returns the ReportUrl field value if set, zero value otherwise.

func (*SimilarityIndexInfo) GetReportUrlOk

func (o *SimilarityIndexInfo) GetReportUrlOk() (*string, bool)

GetReportUrlOk returns a tuple with the ReportUrl field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SimilarityIndexInfo) HasAcceptedDate

func (o *SimilarityIndexInfo) HasAcceptedDate() bool

HasAcceptedDate returns a boolean if a field has been set.

func (*SimilarityIndexInfo) HasAccessNumber

func (o *SimilarityIndexInfo) HasAccessNumber() bool

HasAccessNumber returns a boolean if a field has been set.

func (*SimilarityIndexInfo) HasCik

func (o *SimilarityIndexInfo) HasCik() bool

HasCik returns a boolean if a field has been set.

func (*SimilarityIndexInfo) HasFiledDate

func (o *SimilarityIndexInfo) HasFiledDate() bool

HasFiledDate returns a boolean if a field has been set.

func (*SimilarityIndexInfo) HasFilingUrl

func (o *SimilarityIndexInfo) HasFilingUrl() bool

HasFilingUrl returns a boolean if a field has been set.

func (*SimilarityIndexInfo) HasForm

func (o *SimilarityIndexInfo) HasForm() bool

HasForm returns a boolean if a field has been set.

func (*SimilarityIndexInfo) HasItem1

func (o *SimilarityIndexInfo) HasItem1() bool

HasItem1 returns a boolean if a field has been set.

func (*SimilarityIndexInfo) HasItem1a

func (o *SimilarityIndexInfo) HasItem1a() bool

HasItem1a returns a boolean if a field has been set.

func (*SimilarityIndexInfo) HasItem2

func (o *SimilarityIndexInfo) HasItem2() bool

HasItem2 returns a boolean if a field has been set.

func (*SimilarityIndexInfo) HasItem7

func (o *SimilarityIndexInfo) HasItem7() bool

HasItem7 returns a boolean if a field has been set.

func (*SimilarityIndexInfo) HasItem7a

func (o *SimilarityIndexInfo) HasItem7a() bool

HasItem7a returns a boolean if a field has been set.

func (*SimilarityIndexInfo) HasReportUrl

func (o *SimilarityIndexInfo) HasReportUrl() bool

HasReportUrl returns a boolean if a field has been set.

func (SimilarityIndexInfo) MarshalJSON

func (o SimilarityIndexInfo) MarshalJSON() ([]byte, error)

func (*SimilarityIndexInfo) SetAcceptedDate

func (o *SimilarityIndexInfo) SetAcceptedDate(v string)

SetAcceptedDate gets a reference to the given string and assigns it to the AcceptedDate field.

func (*SimilarityIndexInfo) SetAccessNumber

func (o *SimilarityIndexInfo) SetAccessNumber(v string)

SetAccessNumber gets a reference to the given string and assigns it to the AccessNumber field.

func (*SimilarityIndexInfo) SetCik

func (o *SimilarityIndexInfo) SetCik(v string)

SetCik gets a reference to the given string and assigns it to the Cik field.

func (*SimilarityIndexInfo) SetFiledDate

func (o *SimilarityIndexInfo) SetFiledDate(v string)

SetFiledDate gets a reference to the given string and assigns it to the FiledDate field.

func (*SimilarityIndexInfo) SetFilingUrl

func (o *SimilarityIndexInfo) SetFilingUrl(v string)

SetFilingUrl gets a reference to the given string and assigns it to the FilingUrl field.

func (*SimilarityIndexInfo) SetForm

func (o *SimilarityIndexInfo) SetForm(v string)

SetForm gets a reference to the given string and assigns it to the Form field.

func (*SimilarityIndexInfo) SetItem1

func (o *SimilarityIndexInfo) SetItem1(v float32)

SetItem1 gets a reference to the given float32 and assigns it to the Item1 field.

func (*SimilarityIndexInfo) SetItem1a

func (o *SimilarityIndexInfo) SetItem1a(v float32)

SetItem1a gets a reference to the given float32 and assigns it to the Item1a field.

func (*SimilarityIndexInfo) SetItem2

func (o *SimilarityIndexInfo) SetItem2(v float32)

SetItem2 gets a reference to the given float32 and assigns it to the Item2 field.

func (*SimilarityIndexInfo) SetItem7

func (o *SimilarityIndexInfo) SetItem7(v float32)

SetItem7 gets a reference to the given float32 and assigns it to the Item7 field.

func (*SimilarityIndexInfo) SetItem7a

func (o *SimilarityIndexInfo) SetItem7a(v float32)

SetItem7a gets a reference to the given float32 and assigns it to the Item7a field.

func (*SimilarityIndexInfo) SetReportUrl

func (o *SimilarityIndexInfo) SetReportUrl(v string)

SetReportUrl gets a reference to the given string and assigns it to the ReportUrl field.

type SocialSentiment

type SocialSentiment struct {
	// Company symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Sentiment data.
	Data *[]SentimentContent `json:"data,omitempty"`
}

SocialSentiment struct for SocialSentiment

func NewSocialSentiment

func NewSocialSentiment() *SocialSentiment

NewSocialSentiment instantiates a new SocialSentiment object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSocialSentimentWithDefaults

func NewSocialSentimentWithDefaults() *SocialSentiment

NewSocialSentimentWithDefaults instantiates a new SocialSentiment object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SocialSentiment) GetData added in v2.0.17

func (o *SocialSentiment) GetData() []SentimentContent

GetData returns the Data field value if set, zero value otherwise.

func (*SocialSentiment) GetDataOk added in v2.0.17

func (o *SocialSentiment) GetDataOk() (*[]SentimentContent, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SocialSentiment) GetSymbol

func (o *SocialSentiment) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*SocialSentiment) GetSymbolOk

func (o *SocialSentiment) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SocialSentiment) HasData added in v2.0.17

func (o *SocialSentiment) HasData() bool

HasData returns a boolean if a field has been set.

func (*SocialSentiment) HasSymbol

func (o *SocialSentiment) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (SocialSentiment) MarshalJSON

func (o SocialSentiment) MarshalJSON() ([]byte, error)

func (*SocialSentiment) SetData added in v2.0.17

func (o *SocialSentiment) SetData(v []SentimentContent)

SetData gets a reference to the given []SentimentContent and assigns it to the Data field.

func (*SocialSentiment) SetSymbol

func (o *SocialSentiment) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type Split

type Split struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Split date.
	Date *string `json:"date,omitempty"`
	// From factor.
	FromFactor *float32 `json:"fromFactor,omitempty"`
	// To factor.
	ToFactor *float32 `json:"toFactor,omitempty"`
}

Split struct for Split

func NewSplit

func NewSplit() *Split

NewSplit instantiates a new Split object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSplitWithDefaults

func NewSplitWithDefaults() *Split

NewSplitWithDefaults instantiates a new Split object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Split) GetDate

func (o *Split) GetDate() string

GetDate returns the Date field value if set, zero value otherwise.

func (*Split) GetDateOk

func (o *Split) GetDateOk() (*string, bool)

GetDateOk returns a tuple with the Date field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Split) GetFromFactor

func (o *Split) GetFromFactor() float32

GetFromFactor returns the FromFactor field value if set, zero value otherwise.

func (*Split) GetFromFactorOk

func (o *Split) GetFromFactorOk() (*float32, bool)

GetFromFactorOk returns a tuple with the FromFactor field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Split) GetSymbol

func (o *Split) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*Split) GetSymbolOk

func (o *Split) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Split) GetToFactor

func (o *Split) GetToFactor() float32

GetToFactor returns the ToFactor field value if set, zero value otherwise.

func (*Split) GetToFactorOk

func (o *Split) GetToFactorOk() (*float32, bool)

GetToFactorOk returns a tuple with the ToFactor field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Split) HasDate

func (o *Split) HasDate() bool

HasDate returns a boolean if a field has been set.

func (*Split) HasFromFactor

func (o *Split) HasFromFactor() bool

HasFromFactor returns a boolean if a field has been set.

func (*Split) HasSymbol

func (o *Split) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*Split) HasToFactor

func (o *Split) HasToFactor() bool

HasToFactor returns a boolean if a field has been set.

func (Split) MarshalJSON

func (o Split) MarshalJSON() ([]byte, error)

func (*Split) SetDate

func (o *Split) SetDate(v string)

SetDate gets a reference to the given string and assigns it to the Date field.

func (*Split) SetFromFactor

func (o *Split) SetFromFactor(v float32)

SetFromFactor gets a reference to the given float32 and assigns it to the FromFactor field.

func (*Split) SetSymbol

func (o *Split) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*Split) SetToFactor

func (o *Split) SetToFactor(v float32)

SetToFactor gets a reference to the given float32 and assigns it to the ToFactor field.

type StockCandles

type StockCandles struct {
	// List of open prices for returned candles.
	O *[]float32 `json:"o,omitempty"`
	// List of high prices for returned candles.
	H *[]float32 `json:"h,omitempty"`
	// List of low prices for returned candles.
	L *[]float32 `json:"l,omitempty"`
	// List of close prices for returned candles.
	C *[]float32 `json:"c,omitempty"`
	// List of volume data for returned candles.
	V *[]float32 `json:"v,omitempty"`
	// List of timestamp for returned candles.
	T *[]int64 `json:"t,omitempty"`
	// Status of the response. This field can either be ok or no_data.
	S *string `json:"s,omitempty"`
}

StockCandles struct for StockCandles

func NewStockCandles

func NewStockCandles() *StockCandles

NewStockCandles instantiates a new StockCandles object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewStockCandlesWithDefaults

func NewStockCandlesWithDefaults() *StockCandles

NewStockCandlesWithDefaults instantiates a new StockCandles object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*StockCandles) GetC

func (o *StockCandles) GetC() []float32

GetC returns the C field value if set, zero value otherwise.

func (*StockCandles) GetCOk

func (o *StockCandles) GetCOk() (*[]float32, bool)

GetCOk returns a tuple with the C field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockCandles) GetH

func (o *StockCandles) GetH() []float32

GetH returns the H field value if set, zero value otherwise.

func (*StockCandles) GetHOk

func (o *StockCandles) GetHOk() (*[]float32, bool)

GetHOk returns a tuple with the H field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockCandles) GetL

func (o *StockCandles) GetL() []float32

GetL returns the L field value if set, zero value otherwise.

func (*StockCandles) GetLOk

func (o *StockCandles) GetLOk() (*[]float32, bool)

GetLOk returns a tuple with the L field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockCandles) GetO

func (o *StockCandles) GetO() []float32

GetO returns the O field value if set, zero value otherwise.

func (*StockCandles) GetOOk

func (o *StockCandles) GetOOk() (*[]float32, bool)

GetOOk returns a tuple with the O field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockCandles) GetS

func (o *StockCandles) GetS() string

GetS returns the S field value if set, zero value otherwise.

func (*StockCandles) GetSOk

func (o *StockCandles) GetSOk() (*string, bool)

GetSOk returns a tuple with the S field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockCandles) GetT

func (o *StockCandles) GetT() []int64

GetT returns the T field value if set, zero value otherwise.

func (*StockCandles) GetTOk

func (o *StockCandles) GetTOk() (*[]int64, bool)

GetTOk returns a tuple with the T field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockCandles) GetV

func (o *StockCandles) GetV() []float32

GetV returns the V field value if set, zero value otherwise.

func (*StockCandles) GetVOk

func (o *StockCandles) GetVOk() (*[]float32, bool)

GetVOk returns a tuple with the V field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockCandles) HasC

func (o *StockCandles) HasC() bool

HasC returns a boolean if a field has been set.

func (*StockCandles) HasH

func (o *StockCandles) HasH() bool

HasH returns a boolean if a field has been set.

func (*StockCandles) HasL

func (o *StockCandles) HasL() bool

HasL returns a boolean if a field has been set.

func (*StockCandles) HasO

func (o *StockCandles) HasO() bool

HasO returns a boolean if a field has been set.

func (*StockCandles) HasS

func (o *StockCandles) HasS() bool

HasS returns a boolean if a field has been set.

func (*StockCandles) HasT

func (o *StockCandles) HasT() bool

HasT returns a boolean if a field has been set.

func (*StockCandles) HasV

func (o *StockCandles) HasV() bool

HasV returns a boolean if a field has been set.

func (StockCandles) MarshalJSON

func (o StockCandles) MarshalJSON() ([]byte, error)

func (*StockCandles) SetC

func (o *StockCandles) SetC(v []float32)

SetC gets a reference to the given []float32 and assigns it to the C field.

func (*StockCandles) SetH

func (o *StockCandles) SetH(v []float32)

SetH gets a reference to the given []float32 and assigns it to the H field.

func (*StockCandles) SetL

func (o *StockCandles) SetL(v []float32)

SetL gets a reference to the given []float32 and assigns it to the L field.

func (*StockCandles) SetO

func (o *StockCandles) SetO(v []float32)

SetO gets a reference to the given []float32 and assigns it to the O field.

func (*StockCandles) SetS

func (o *StockCandles) SetS(v string)

SetS gets a reference to the given string and assigns it to the S field.

func (*StockCandles) SetT

func (o *StockCandles) SetT(v []int64)

SetT gets a reference to the given []int64 and assigns it to the T field.

func (*StockCandles) SetV

func (o *StockCandles) SetV(v []float32)

SetV gets a reference to the given []float32 and assigns it to the V field.

type StockSymbol

type StockSymbol struct {
	// Symbol description
	Description *string `json:"description,omitempty"`
	// Display symbol name.
	DisplaySymbol *string `json:"displaySymbol,omitempty"`
	// Unique symbol used to identify this symbol used in <code>/stock/candle</code> endpoint.
	Symbol *string `json:"symbol,omitempty"`
	// Security type.
	Type *string `json:"type,omitempty"`
	// Primary exchange's MIC.
	Mic *string `json:"mic,omitempty"`
	// FIGI identifier.
	Figi *string `json:"figi,omitempty"`
	// Global Share Class FIGI.
	ShareClassFIGI *string `json:"shareClassFIGI,omitempty"`
	// Price's currency. This might be different from the reporting currency of fundamental data.
	Currency *string `json:"currency,omitempty"`
	// Alternative ticker for exchanges with multiple tickers for 1 stock such as BSE.
	Symbol2 *string `json:"symbol2,omitempty"`
	// ISIN. This field is only available for EU stocks and selected Asian markets. Entitlement from Finnhub is required to access this field.
	Isin *string `json:"isin,omitempty"`
}

StockSymbol struct for StockSymbol

func NewStockSymbol

func NewStockSymbol() *StockSymbol

NewStockSymbol instantiates a new StockSymbol object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewStockSymbolWithDefaults

func NewStockSymbolWithDefaults() *StockSymbol

NewStockSymbolWithDefaults instantiates a new StockSymbol object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*StockSymbol) GetCurrency

func (o *StockSymbol) GetCurrency() string

GetCurrency returns the Currency field value if set, zero value otherwise.

func (*StockSymbol) GetCurrencyOk

func (o *StockSymbol) GetCurrencyOk() (*string, bool)

GetCurrencyOk returns a tuple with the Currency field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockSymbol) GetDescription

func (o *StockSymbol) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*StockSymbol) GetDescriptionOk

func (o *StockSymbol) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockSymbol) GetDisplaySymbol

func (o *StockSymbol) GetDisplaySymbol() string

GetDisplaySymbol returns the DisplaySymbol field value if set, zero value otherwise.

func (*StockSymbol) GetDisplaySymbolOk

func (o *StockSymbol) GetDisplaySymbolOk() (*string, bool)

GetDisplaySymbolOk returns a tuple with the DisplaySymbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockSymbol) GetFigi

func (o *StockSymbol) GetFigi() string

GetFigi returns the Figi field value if set, zero value otherwise.

func (*StockSymbol) GetFigiOk

func (o *StockSymbol) GetFigiOk() (*string, bool)

GetFigiOk returns a tuple with the Figi field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockSymbol) GetIsin added in v2.0.9

func (o *StockSymbol) GetIsin() string

GetIsin returns the Isin field value if set, zero value otherwise.

func (*StockSymbol) GetIsinOk added in v2.0.9

func (o *StockSymbol) GetIsinOk() (*string, bool)

GetIsinOk returns a tuple with the Isin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockSymbol) GetMic

func (o *StockSymbol) GetMic() string

GetMic returns the Mic field value if set, zero value otherwise.

func (*StockSymbol) GetMicOk

func (o *StockSymbol) GetMicOk() (*string, bool)

GetMicOk returns a tuple with the Mic field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockSymbol) GetShareClassFIGI added in v2.0.9

func (o *StockSymbol) GetShareClassFIGI() string

GetShareClassFIGI returns the ShareClassFIGI field value if set, zero value otherwise.

func (*StockSymbol) GetShareClassFIGIOk added in v2.0.9

func (o *StockSymbol) GetShareClassFIGIOk() (*string, bool)

GetShareClassFIGIOk returns a tuple with the ShareClassFIGI field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockSymbol) GetSymbol

func (o *StockSymbol) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*StockSymbol) GetSymbol2 added in v2.0.9

func (o *StockSymbol) GetSymbol2() string

GetSymbol2 returns the Symbol2 field value if set, zero value otherwise.

func (*StockSymbol) GetSymbol2Ok added in v2.0.9

func (o *StockSymbol) GetSymbol2Ok() (*string, bool)

GetSymbol2Ok returns a tuple with the Symbol2 field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockSymbol) GetSymbolOk

func (o *StockSymbol) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockSymbol) GetType

func (o *StockSymbol) GetType() string

GetType returns the Type field value if set, zero value otherwise.

func (*StockSymbol) GetTypeOk

func (o *StockSymbol) GetTypeOk() (*string, bool)

GetTypeOk returns a tuple with the Type field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockSymbol) HasCurrency

func (o *StockSymbol) HasCurrency() bool

HasCurrency returns a boolean if a field has been set.

func (*StockSymbol) HasDescription

func (o *StockSymbol) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*StockSymbol) HasDisplaySymbol

func (o *StockSymbol) HasDisplaySymbol() bool

HasDisplaySymbol returns a boolean if a field has been set.

func (*StockSymbol) HasFigi

func (o *StockSymbol) HasFigi() bool

HasFigi returns a boolean if a field has been set.

func (*StockSymbol) HasIsin added in v2.0.9

func (o *StockSymbol) HasIsin() bool

HasIsin returns a boolean if a field has been set.

func (*StockSymbol) HasMic

func (o *StockSymbol) HasMic() bool

HasMic returns a boolean if a field has been set.

func (*StockSymbol) HasShareClassFIGI added in v2.0.9

func (o *StockSymbol) HasShareClassFIGI() bool

HasShareClassFIGI returns a boolean if a field has been set.

func (*StockSymbol) HasSymbol

func (o *StockSymbol) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*StockSymbol) HasSymbol2 added in v2.0.9

func (o *StockSymbol) HasSymbol2() bool

HasSymbol2 returns a boolean if a field has been set.

func (*StockSymbol) HasType

func (o *StockSymbol) HasType() bool

HasType returns a boolean if a field has been set.

func (StockSymbol) MarshalJSON

func (o StockSymbol) MarshalJSON() ([]byte, error)

func (*StockSymbol) SetCurrency

func (o *StockSymbol) SetCurrency(v string)

SetCurrency gets a reference to the given string and assigns it to the Currency field.

func (*StockSymbol) SetDescription

func (o *StockSymbol) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*StockSymbol) SetDisplaySymbol

func (o *StockSymbol) SetDisplaySymbol(v string)

SetDisplaySymbol gets a reference to the given string and assigns it to the DisplaySymbol field.

func (*StockSymbol) SetFigi

func (o *StockSymbol) SetFigi(v string)

SetFigi gets a reference to the given string and assigns it to the Figi field.

func (*StockSymbol) SetIsin added in v2.0.9

func (o *StockSymbol) SetIsin(v string)

SetIsin gets a reference to the given string and assigns it to the Isin field.

func (*StockSymbol) SetMic

func (o *StockSymbol) SetMic(v string)

SetMic gets a reference to the given string and assigns it to the Mic field.

func (*StockSymbol) SetShareClassFIGI added in v2.0.9

func (o *StockSymbol) SetShareClassFIGI(v string)

SetShareClassFIGI gets a reference to the given string and assigns it to the ShareClassFIGI field.

func (*StockSymbol) SetSymbol

func (o *StockSymbol) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*StockSymbol) SetSymbol2 added in v2.0.9

func (o *StockSymbol) SetSymbol2(v string)

SetSymbol2 gets a reference to the given string and assigns it to the Symbol2 field.

func (*StockSymbol) SetType

func (o *StockSymbol) SetType(v string)

SetType gets a reference to the given string and assigns it to the Type field.

type StockTranscripts

type StockTranscripts struct {
	// Transcript's ID used to get the <a href=\"#transcripts\">full transcript</a>.
	Id *string `json:"id,omitempty"`
	// Title.
	Title *string `json:"title,omitempty"`
	// Time of the event.
	Time *string `json:"time,omitempty"`
	// Year of earnings result in the case of earnings call transcript.
	Year *int64 `json:"year,omitempty"`
	// Quarter of earnings result in the case of earnings call transcript.
	Quarter *int64 `json:"quarter,omitempty"`
}

StockTranscripts struct for StockTranscripts

func NewStockTranscripts

func NewStockTranscripts() *StockTranscripts

NewStockTranscripts instantiates a new StockTranscripts object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewStockTranscriptsWithDefaults

func NewStockTranscriptsWithDefaults() *StockTranscripts

NewStockTranscriptsWithDefaults instantiates a new StockTranscripts object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*StockTranscripts) GetId

func (o *StockTranscripts) GetId() string

GetId returns the Id field value if set, zero value otherwise.

func (*StockTranscripts) GetIdOk

func (o *StockTranscripts) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockTranscripts) GetQuarter

func (o *StockTranscripts) GetQuarter() int64

GetQuarter returns the Quarter field value if set, zero value otherwise.

func (*StockTranscripts) GetQuarterOk

func (o *StockTranscripts) GetQuarterOk() (*int64, bool)

GetQuarterOk returns a tuple with the Quarter field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockTranscripts) GetTime

func (o *StockTranscripts) GetTime() string

GetTime returns the Time field value if set, zero value otherwise.

func (*StockTranscripts) GetTimeOk

func (o *StockTranscripts) GetTimeOk() (*string, bool)

GetTimeOk returns a tuple with the Time field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockTranscripts) GetTitle

func (o *StockTranscripts) GetTitle() string

GetTitle returns the Title field value if set, zero value otherwise.

func (*StockTranscripts) GetTitleOk

func (o *StockTranscripts) GetTitleOk() (*string, bool)

GetTitleOk returns a tuple with the Title field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockTranscripts) GetYear

func (o *StockTranscripts) GetYear() int64

GetYear returns the Year field value if set, zero value otherwise.

func (*StockTranscripts) GetYearOk

func (o *StockTranscripts) GetYearOk() (*int64, bool)

GetYearOk returns a tuple with the Year field value if set, nil otherwise and a boolean to check if the value has been set.

func (*StockTranscripts) HasId

func (o *StockTranscripts) HasId() bool

HasId returns a boolean if a field has been set.

func (*StockTranscripts) HasQuarter

func (o *StockTranscripts) HasQuarter() bool

HasQuarter returns a boolean if a field has been set.

func (*StockTranscripts) HasTime

func (o *StockTranscripts) HasTime() bool

HasTime returns a boolean if a field has been set.

func (*StockTranscripts) HasTitle

func (o *StockTranscripts) HasTitle() bool

HasTitle returns a boolean if a field has been set.

func (*StockTranscripts) HasYear

func (o *StockTranscripts) HasYear() bool

HasYear returns a boolean if a field has been set.

func (StockTranscripts) MarshalJSON

func (o StockTranscripts) MarshalJSON() ([]byte, error)

func (*StockTranscripts) SetId

func (o *StockTranscripts) SetId(v string)

SetId gets a reference to the given string and assigns it to the Id field.

func (*StockTranscripts) SetQuarter

func (o *StockTranscripts) SetQuarter(v int64)

SetQuarter gets a reference to the given int64 and assigns it to the Quarter field.

func (*StockTranscripts) SetTime

func (o *StockTranscripts) SetTime(v string)

SetTime gets a reference to the given string and assigns it to the Time field.

func (*StockTranscripts) SetTitle

func (o *StockTranscripts) SetTitle(v string)

SetTitle gets a reference to the given string and assigns it to the Title field.

func (*StockTranscripts) SetYear

func (o *StockTranscripts) SetYear(v int64)

SetYear gets a reference to the given int64 and assigns it to the Year field.

type SupplyChainRelationships

type SupplyChainRelationships struct {
	// symbol
	Symbol *string `json:"symbol,omitempty"`
	// Key customers and suppliers.
	Data *[]KeyCustomersSuppliers `json:"data,omitempty"`
}

SupplyChainRelationships struct for SupplyChainRelationships

func NewSupplyChainRelationships

func NewSupplyChainRelationships() *SupplyChainRelationships

NewSupplyChainRelationships instantiates a new SupplyChainRelationships object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSupplyChainRelationshipsWithDefaults

func NewSupplyChainRelationshipsWithDefaults() *SupplyChainRelationships

NewSupplyChainRelationshipsWithDefaults instantiates a new SupplyChainRelationships object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SupplyChainRelationships) GetData

GetData returns the Data field value if set, zero value otherwise.

func (*SupplyChainRelationships) GetDataOk

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SupplyChainRelationships) GetSymbol

func (o *SupplyChainRelationships) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*SupplyChainRelationships) GetSymbolOk

func (o *SupplyChainRelationships) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SupplyChainRelationships) HasData

func (o *SupplyChainRelationships) HasData() bool

HasData returns a boolean if a field has been set.

func (*SupplyChainRelationships) HasSymbol

func (o *SupplyChainRelationships) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (SupplyChainRelationships) MarshalJSON

func (o SupplyChainRelationships) MarshalJSON() ([]byte, error)

func (*SupplyChainRelationships) SetData

SetData gets a reference to the given []KeyCustomersSuppliers and assigns it to the Data field.

func (*SupplyChainRelationships) SetSymbol

func (o *SupplyChainRelationships) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type SupportResistance

type SupportResistance struct {
	// Array of support and resistance levels.
	Levels *[]float32 `json:"levels,omitempty"`
}

SupportResistance struct for SupportResistance

func NewSupportResistance

func NewSupportResistance() *SupportResistance

NewSupportResistance instantiates a new SupportResistance object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSupportResistanceWithDefaults

func NewSupportResistanceWithDefaults() *SupportResistance

NewSupportResistanceWithDefaults instantiates a new SupportResistance object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SupportResistance) GetLevels

func (o *SupportResistance) GetLevels() []float32

GetLevels returns the Levels field value if set, zero value otherwise.

func (*SupportResistance) GetLevelsOk

func (o *SupportResistance) GetLevelsOk() (*[]float32, bool)

GetLevelsOk returns a tuple with the Levels field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SupportResistance) HasLevels

func (o *SupportResistance) HasLevels() bool

HasLevels returns a boolean if a field has been set.

func (SupportResistance) MarshalJSON

func (o SupportResistance) MarshalJSON() ([]byte, error)

func (*SupportResistance) SetLevels

func (o *SupportResistance) SetLevels(v []float32)

SetLevels gets a reference to the given []float32 and assigns it to the Levels field.

type SymbolChange added in v2.0.15

type SymbolChange struct {
	// From date.
	FromDate *string `json:"fromDate,omitempty"`
	// To date.
	ToDate *string `json:"toDate,omitempty"`
	// Array of symbol change events.
	Data *[]SymbolChangeInfo `json:"data,omitempty"`
}

SymbolChange struct for SymbolChange

func NewSymbolChange added in v2.0.15

func NewSymbolChange() *SymbolChange

NewSymbolChange instantiates a new SymbolChange object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSymbolChangeWithDefaults added in v2.0.15

func NewSymbolChangeWithDefaults() *SymbolChange

NewSymbolChangeWithDefaults instantiates a new SymbolChange object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SymbolChange) GetData added in v2.0.15

func (o *SymbolChange) GetData() []SymbolChangeInfo

GetData returns the Data field value if set, zero value otherwise.

func (*SymbolChange) GetDataOk added in v2.0.15

func (o *SymbolChange) GetDataOk() (*[]SymbolChangeInfo, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SymbolChange) GetFromDate added in v2.0.15

func (o *SymbolChange) GetFromDate() string

GetFromDate returns the FromDate field value if set, zero value otherwise.

func (*SymbolChange) GetFromDateOk added in v2.0.15

func (o *SymbolChange) GetFromDateOk() (*string, bool)

GetFromDateOk returns a tuple with the FromDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SymbolChange) GetToDate added in v2.0.15

func (o *SymbolChange) GetToDate() string

GetToDate returns the ToDate field value if set, zero value otherwise.

func (*SymbolChange) GetToDateOk added in v2.0.15

func (o *SymbolChange) GetToDateOk() (*string, bool)

GetToDateOk returns a tuple with the ToDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SymbolChange) HasData added in v2.0.15

func (o *SymbolChange) HasData() bool

HasData returns a boolean if a field has been set.

func (*SymbolChange) HasFromDate added in v2.0.15

func (o *SymbolChange) HasFromDate() bool

HasFromDate returns a boolean if a field has been set.

func (*SymbolChange) HasToDate added in v2.0.15

func (o *SymbolChange) HasToDate() bool

HasToDate returns a boolean if a field has been set.

func (SymbolChange) MarshalJSON added in v2.0.15

func (o SymbolChange) MarshalJSON() ([]byte, error)

func (*SymbolChange) SetData added in v2.0.15

func (o *SymbolChange) SetData(v []SymbolChangeInfo)

SetData gets a reference to the given []SymbolChangeInfo and assigns it to the Data field.

func (*SymbolChange) SetFromDate added in v2.0.15

func (o *SymbolChange) SetFromDate(v string)

SetFromDate gets a reference to the given string and assigns it to the FromDate field.

func (*SymbolChange) SetToDate added in v2.0.15

func (o *SymbolChange) SetToDate(v string)

SetToDate gets a reference to the given string and assigns it to the ToDate field.

type SymbolChangeInfo added in v2.0.15

type SymbolChangeInfo struct {
	// Event's date.
	AtDate *string `json:"atDate,omitempty"`
	// Old symbol.
	OldSymbol *string `json:"oldSymbol,omitempty"`
	// New symbol.
	NewSymbol *string `json:"newSymbol,omitempty"`
}

SymbolChangeInfo struct for SymbolChangeInfo

func NewSymbolChangeInfo added in v2.0.15

func NewSymbolChangeInfo() *SymbolChangeInfo

NewSymbolChangeInfo instantiates a new SymbolChangeInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSymbolChangeInfoWithDefaults added in v2.0.15

func NewSymbolChangeInfoWithDefaults() *SymbolChangeInfo

NewSymbolChangeInfoWithDefaults instantiates a new SymbolChangeInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SymbolChangeInfo) GetAtDate added in v2.0.15

func (o *SymbolChangeInfo) GetAtDate() string

GetAtDate returns the AtDate field value if set, zero value otherwise.

func (*SymbolChangeInfo) GetAtDateOk added in v2.0.15

func (o *SymbolChangeInfo) GetAtDateOk() (*string, bool)

GetAtDateOk returns a tuple with the AtDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SymbolChangeInfo) GetNewSymbol added in v2.0.15

func (o *SymbolChangeInfo) GetNewSymbol() string

GetNewSymbol returns the NewSymbol field value if set, zero value otherwise.

func (*SymbolChangeInfo) GetNewSymbolOk added in v2.0.15

func (o *SymbolChangeInfo) GetNewSymbolOk() (*string, bool)

GetNewSymbolOk returns a tuple with the NewSymbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SymbolChangeInfo) GetOldSymbol added in v2.0.15

func (o *SymbolChangeInfo) GetOldSymbol() string

GetOldSymbol returns the OldSymbol field value if set, zero value otherwise.

func (*SymbolChangeInfo) GetOldSymbolOk added in v2.0.15

func (o *SymbolChangeInfo) GetOldSymbolOk() (*string, bool)

GetOldSymbolOk returns a tuple with the OldSymbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SymbolChangeInfo) HasAtDate added in v2.0.15

func (o *SymbolChangeInfo) HasAtDate() bool

HasAtDate returns a boolean if a field has been set.

func (*SymbolChangeInfo) HasNewSymbol added in v2.0.15

func (o *SymbolChangeInfo) HasNewSymbol() bool

HasNewSymbol returns a boolean if a field has been set.

func (*SymbolChangeInfo) HasOldSymbol added in v2.0.15

func (o *SymbolChangeInfo) HasOldSymbol() bool

HasOldSymbol returns a boolean if a field has been set.

func (SymbolChangeInfo) MarshalJSON added in v2.0.15

func (o SymbolChangeInfo) MarshalJSON() ([]byte, error)

func (*SymbolChangeInfo) SetAtDate added in v2.0.15

func (o *SymbolChangeInfo) SetAtDate(v string)

SetAtDate gets a reference to the given string and assigns it to the AtDate field.

func (*SymbolChangeInfo) SetNewSymbol added in v2.0.15

func (o *SymbolChangeInfo) SetNewSymbol(v string)

SetNewSymbol gets a reference to the given string and assigns it to the NewSymbol field.

func (*SymbolChangeInfo) SetOldSymbol added in v2.0.15

func (o *SymbolChangeInfo) SetOldSymbol(v string)

SetOldSymbol gets a reference to the given string and assigns it to the OldSymbol field.

type SymbolLookup

type SymbolLookup struct {
	// Array of search results.
	Result *[]SymbolLookupInfo `json:"result,omitempty"`
	// Number of results.
	Count *int64 `json:"count,omitempty"`
}

SymbolLookup struct for SymbolLookup

func NewSymbolLookup

func NewSymbolLookup() *SymbolLookup

NewSymbolLookup instantiates a new SymbolLookup object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSymbolLookupWithDefaults

func NewSymbolLookupWithDefaults() *SymbolLookup

NewSymbolLookupWithDefaults instantiates a new SymbolLookup object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SymbolLookup) GetCount

func (o *SymbolLookup) GetCount() int64

GetCount returns the Count field value if set, zero value otherwise.

func (*SymbolLookup) GetCountOk

func (o *SymbolLookup) GetCountOk() (*int64, bool)

GetCountOk returns a tuple with the Count field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SymbolLookup) GetResult

func (o *SymbolLookup) GetResult() []SymbolLookupInfo

GetResult returns the Result field value if set, zero value otherwise.

func (*SymbolLookup) GetResultOk

func (o *SymbolLookup) GetResultOk() (*[]SymbolLookupInfo, bool)

GetResultOk returns a tuple with the Result field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SymbolLookup) HasCount

func (o *SymbolLookup) HasCount() bool

HasCount returns a boolean if a field has been set.

func (*SymbolLookup) HasResult

func (o *SymbolLookup) HasResult() bool

HasResult returns a boolean if a field has been set.

func (SymbolLookup) MarshalJSON

func (o SymbolLookup) MarshalJSON() ([]byte, error)

func (*SymbolLookup) SetCount

func (o *SymbolLookup) SetCount(v int64)

SetCount gets a reference to the given int64 and assigns it to the Count field.

func (*SymbolLookup) SetResult

func (o *SymbolLookup) SetResult(v []SymbolLookupInfo)

SetResult gets a reference to the given []SymbolLookupInfo and assigns it to the Result field.

type SymbolLookupInfo

type SymbolLookupInfo struct {
	// Symbol description
	Description *string `json:"description,omitempty"`
	// Display symbol name.
	DisplaySymbol *string `json:"displaySymbol,omitempty"`
	// Unique symbol used to identify this symbol used in <code>/stock/candle</code> endpoint.
	Symbol *string `json:"symbol,omitempty"`
	// Security type.
	Type *string `json:"type,omitempty"`
}

SymbolLookupInfo struct for SymbolLookupInfo

func NewSymbolLookupInfo

func NewSymbolLookupInfo() *SymbolLookupInfo

NewSymbolLookupInfo instantiates a new SymbolLookupInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSymbolLookupInfoWithDefaults

func NewSymbolLookupInfoWithDefaults() *SymbolLookupInfo

NewSymbolLookupInfoWithDefaults instantiates a new SymbolLookupInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SymbolLookupInfo) GetDescription

func (o *SymbolLookupInfo) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*SymbolLookupInfo) GetDescriptionOk

func (o *SymbolLookupInfo) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SymbolLookupInfo) GetDisplaySymbol

func (o *SymbolLookupInfo) GetDisplaySymbol() string

GetDisplaySymbol returns the DisplaySymbol field value if set, zero value otherwise.

func (*SymbolLookupInfo) GetDisplaySymbolOk

func (o *SymbolLookupInfo) GetDisplaySymbolOk() (*string, bool)

GetDisplaySymbolOk returns a tuple with the DisplaySymbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SymbolLookupInfo) GetSymbol

func (o *SymbolLookupInfo) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*SymbolLookupInfo) GetSymbolOk

func (o *SymbolLookupInfo) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SymbolLookupInfo) GetType

func (o *SymbolLookupInfo) GetType() string

GetType returns the Type field value if set, zero value otherwise.

func (*SymbolLookupInfo) GetTypeOk

func (o *SymbolLookupInfo) GetTypeOk() (*string, bool)

GetTypeOk returns a tuple with the Type field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SymbolLookupInfo) HasDescription

func (o *SymbolLookupInfo) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*SymbolLookupInfo) HasDisplaySymbol

func (o *SymbolLookupInfo) HasDisplaySymbol() bool

HasDisplaySymbol returns a boolean if a field has been set.

func (*SymbolLookupInfo) HasSymbol

func (o *SymbolLookupInfo) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*SymbolLookupInfo) HasType

func (o *SymbolLookupInfo) HasType() bool

HasType returns a boolean if a field has been set.

func (SymbolLookupInfo) MarshalJSON

func (o SymbolLookupInfo) MarshalJSON() ([]byte, error)

func (*SymbolLookupInfo) SetDescription

func (o *SymbolLookupInfo) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*SymbolLookupInfo) SetDisplaySymbol

func (o *SymbolLookupInfo) SetDisplaySymbol(v string)

SetDisplaySymbol gets a reference to the given string and assigns it to the DisplaySymbol field.

func (*SymbolLookupInfo) SetSymbol

func (o *SymbolLookupInfo) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*SymbolLookupInfo) SetType

func (o *SymbolLookupInfo) SetType(v string)

SetType gets a reference to the given string and assigns it to the Type field.

type TechnicalAnalysis

type TechnicalAnalysis struct {
	Count *Indicator `json:"count,omitempty"`
	// Aggregate Signal
	Signal *string `json:"signal,omitempty"`
}

TechnicalAnalysis struct for TechnicalAnalysis

func NewTechnicalAnalysis

func NewTechnicalAnalysis() *TechnicalAnalysis

NewTechnicalAnalysis instantiates a new TechnicalAnalysis object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewTechnicalAnalysisWithDefaults

func NewTechnicalAnalysisWithDefaults() *TechnicalAnalysis

NewTechnicalAnalysisWithDefaults instantiates a new TechnicalAnalysis object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*TechnicalAnalysis) GetCount

func (o *TechnicalAnalysis) GetCount() Indicator

GetCount returns the Count field value if set, zero value otherwise.

func (*TechnicalAnalysis) GetCountOk

func (o *TechnicalAnalysis) GetCountOk() (*Indicator, bool)

GetCountOk returns a tuple with the Count field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TechnicalAnalysis) GetSignal

func (o *TechnicalAnalysis) GetSignal() string

GetSignal returns the Signal field value if set, zero value otherwise.

func (*TechnicalAnalysis) GetSignalOk

func (o *TechnicalAnalysis) GetSignalOk() (*string, bool)

GetSignalOk returns a tuple with the Signal field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TechnicalAnalysis) HasCount

func (o *TechnicalAnalysis) HasCount() bool

HasCount returns a boolean if a field has been set.

func (*TechnicalAnalysis) HasSignal

func (o *TechnicalAnalysis) HasSignal() bool

HasSignal returns a boolean if a field has been set.

func (TechnicalAnalysis) MarshalJSON

func (o TechnicalAnalysis) MarshalJSON() ([]byte, error)

func (*TechnicalAnalysis) SetCount

func (o *TechnicalAnalysis) SetCount(v Indicator)

SetCount gets a reference to the given Indicator and assigns it to the Count field.

func (*TechnicalAnalysis) SetSignal

func (o *TechnicalAnalysis) SetSignal(v string)

SetSignal gets a reference to the given string and assigns it to the Signal field.

type TickData

type TickData struct {
	// Symbol.
	S *string `json:"s,omitempty"`
	// Number of ticks skipped.
	Skip *int64 `json:"skip,omitempty"`
	// Number of ticks returned. If <code>count</code> < <code>limit</code>, all data for that date has been returned.
	Count *int64 `json:"count,omitempty"`
	// Total number of ticks for that date.
	Total *int64 `json:"total,omitempty"`
	// List of volume data.
	V *[]float32 `json:"v,omitempty"`
	// List of price data.
	P *[]float32 `json:"p,omitempty"`
	// List of timestamp in UNIX ms.
	T *[]int64 `json:"t,omitempty"`
	// List of venues/exchanges. A list of exchange codes can be found <a target=\"_blank\" href=\"https://docs.google.com/spreadsheets/d/1Tj53M1svmr-hfEtbk6_NpVR1yAyGLMaH6ByYU6CG0ZY/edit?usp=sharing\",>here</a>
	X *[]string `json:"x,omitempty"`
	// List of trade conditions. A comprehensive list of trade conditions code can be found <a target=\"_blank\" href=\"https://docs.google.com/spreadsheets/d/1PUxiSWPHSODbaTaoL2Vef6DgU-yFtlRGZf19oBb9Hp0/edit?usp=sharing\">here</a>
	C *[][]string `json:"c,omitempty"`
}

TickData struct for TickData

func NewTickData

func NewTickData() *TickData

NewTickData instantiates a new TickData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewTickDataWithDefaults

func NewTickDataWithDefaults() *TickData

NewTickDataWithDefaults instantiates a new TickData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*TickData) GetC

func (o *TickData) GetC() [][]string

GetC returns the C field value if set, zero value otherwise.

func (*TickData) GetCOk

func (o *TickData) GetCOk() (*[][]string, bool)

GetCOk returns a tuple with the C field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TickData) GetCount

func (o *TickData) GetCount() int64

GetCount returns the Count field value if set, zero value otherwise.

func (*TickData) GetCountOk

func (o *TickData) GetCountOk() (*int64, bool)

GetCountOk returns a tuple with the Count field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TickData) GetP

func (o *TickData) GetP() []float32

GetP returns the P field value if set, zero value otherwise.

func (*TickData) GetPOk

func (o *TickData) GetPOk() (*[]float32, bool)

GetPOk returns a tuple with the P field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TickData) GetS

func (o *TickData) GetS() string

GetS returns the S field value if set, zero value otherwise.

func (*TickData) GetSOk

func (o *TickData) GetSOk() (*string, bool)

GetSOk returns a tuple with the S field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TickData) GetSkip

func (o *TickData) GetSkip() int64

GetSkip returns the Skip field value if set, zero value otherwise.

func (*TickData) GetSkipOk

func (o *TickData) GetSkipOk() (*int64, bool)

GetSkipOk returns a tuple with the Skip field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TickData) GetT

func (o *TickData) GetT() []int64

GetT returns the T field value if set, zero value otherwise.

func (*TickData) GetTOk

func (o *TickData) GetTOk() (*[]int64, bool)

GetTOk returns a tuple with the T field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TickData) GetTotal

func (o *TickData) GetTotal() int64

GetTotal returns the Total field value if set, zero value otherwise.

func (*TickData) GetTotalOk

func (o *TickData) GetTotalOk() (*int64, bool)

GetTotalOk returns a tuple with the Total field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TickData) GetV

func (o *TickData) GetV() []float32

GetV returns the V field value if set, zero value otherwise.

func (*TickData) GetVOk

func (o *TickData) GetVOk() (*[]float32, bool)

GetVOk returns a tuple with the V field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TickData) GetX

func (o *TickData) GetX() []string

GetX returns the X field value if set, zero value otherwise.

func (*TickData) GetXOk

func (o *TickData) GetXOk() (*[]string, bool)

GetXOk returns a tuple with the X field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TickData) HasC

func (o *TickData) HasC() bool

HasC returns a boolean if a field has been set.

func (*TickData) HasCount

func (o *TickData) HasCount() bool

HasCount returns a boolean if a field has been set.

func (*TickData) HasP

func (o *TickData) HasP() bool

HasP returns a boolean if a field has been set.

func (*TickData) HasS

func (o *TickData) HasS() bool

HasS returns a boolean if a field has been set.

func (*TickData) HasSkip

func (o *TickData) HasSkip() bool

HasSkip returns a boolean if a field has been set.

func (*TickData) HasT

func (o *TickData) HasT() bool

HasT returns a boolean if a field has been set.

func (*TickData) HasTotal

func (o *TickData) HasTotal() bool

HasTotal returns a boolean if a field has been set.

func (*TickData) HasV

func (o *TickData) HasV() bool

HasV returns a boolean if a field has been set.

func (*TickData) HasX

func (o *TickData) HasX() bool

HasX returns a boolean if a field has been set.

func (TickData) MarshalJSON

func (o TickData) MarshalJSON() ([]byte, error)

func (*TickData) SetC

func (o *TickData) SetC(v [][]string)

SetC gets a reference to the given [][]string and assigns it to the C field.

func (*TickData) SetCount

func (o *TickData) SetCount(v int64)

SetCount gets a reference to the given int64 and assigns it to the Count field.

func (*TickData) SetP

func (o *TickData) SetP(v []float32)

SetP gets a reference to the given []float32 and assigns it to the P field.

func (*TickData) SetS

func (o *TickData) SetS(v string)

SetS gets a reference to the given string and assigns it to the S field.

func (*TickData) SetSkip

func (o *TickData) SetSkip(v int64)

SetSkip gets a reference to the given int64 and assigns it to the Skip field.

func (*TickData) SetT

func (o *TickData) SetT(v []int64)

SetT gets a reference to the given []int64 and assigns it to the T field.

func (*TickData) SetTotal

func (o *TickData) SetTotal(v int64)

SetTotal gets a reference to the given int64 and assigns it to the Total field.

func (*TickData) SetV

func (o *TickData) SetV(v []float32)

SetV gets a reference to the given []float32 and assigns it to the V field.

func (*TickData) SetX

func (o *TickData) SetX(v []string)

SetX gets a reference to the given []string and assigns it to the X field.

type Transactions

type Transactions struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Insider's name.
	Name *string `json:"name,omitempty"`
	// Number of shares held after the transaction.
	Share *int64 `json:"share,omitempty"`
	// Number of share changed from the last period. A positive value suggests a <code>BUY</code> transaction. A negative value suggests a <code>SELL</code> transaction.
	Change *int64 `json:"change,omitempty"`
	// Filing date.
	FilingDate *string `json:"filingDate,omitempty"`
	// Transaction date.
	TransactionDate *string `json:"transactionDate,omitempty"`
	// Average transaction price.
	TransactionPrice *float32 `json:"transactionPrice,omitempty"`
	// Transaction code. A list of codes and their meanings can be found <a href=\"https://www.sec.gov/about/forms/form4data.pdf\" target=\"_blank\" rel=\"noopener\">here</a>.
	TransactionCode *string `json:"transactionCode,omitempty"`
}

Transactions struct for Transactions

func NewTransactions

func NewTransactions() *Transactions

NewTransactions instantiates a new Transactions object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewTransactionsWithDefaults

func NewTransactionsWithDefaults() *Transactions

NewTransactionsWithDefaults instantiates a new Transactions object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Transactions) GetChange

func (o *Transactions) GetChange() int64

GetChange returns the Change field value if set, zero value otherwise.

func (*Transactions) GetChangeOk

func (o *Transactions) GetChangeOk() (*int64, bool)

GetChangeOk returns a tuple with the Change field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Transactions) GetFilingDate

func (o *Transactions) GetFilingDate() string

GetFilingDate returns the FilingDate field value if set, zero value otherwise.

func (*Transactions) GetFilingDateOk

func (o *Transactions) GetFilingDateOk() (*string, bool)

GetFilingDateOk returns a tuple with the FilingDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Transactions) GetName

func (o *Transactions) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*Transactions) GetNameOk

func (o *Transactions) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Transactions) GetShare

func (o *Transactions) GetShare() int64

GetShare returns the Share field value if set, zero value otherwise.

func (*Transactions) GetShareOk

func (o *Transactions) GetShareOk() (*int64, bool)

GetShareOk returns a tuple with the Share field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Transactions) GetSymbol added in v2.0.8

func (o *Transactions) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*Transactions) GetSymbolOk added in v2.0.8

func (o *Transactions) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Transactions) GetTransactionCode

func (o *Transactions) GetTransactionCode() string

GetTransactionCode returns the TransactionCode field value if set, zero value otherwise.

func (*Transactions) GetTransactionCodeOk

func (o *Transactions) GetTransactionCodeOk() (*string, bool)

GetTransactionCodeOk returns a tuple with the TransactionCode field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Transactions) GetTransactionDate

func (o *Transactions) GetTransactionDate() string

GetTransactionDate returns the TransactionDate field value if set, zero value otherwise.

func (*Transactions) GetTransactionDateOk

func (o *Transactions) GetTransactionDateOk() (*string, bool)

GetTransactionDateOk returns a tuple with the TransactionDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Transactions) GetTransactionPrice

func (o *Transactions) GetTransactionPrice() float32

GetTransactionPrice returns the TransactionPrice field value if set, zero value otherwise.

func (*Transactions) GetTransactionPriceOk

func (o *Transactions) GetTransactionPriceOk() (*float32, bool)

GetTransactionPriceOk returns a tuple with the TransactionPrice field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Transactions) HasChange

func (o *Transactions) HasChange() bool

HasChange returns a boolean if a field has been set.

func (*Transactions) HasFilingDate

func (o *Transactions) HasFilingDate() bool

HasFilingDate returns a boolean if a field has been set.

func (*Transactions) HasName

func (o *Transactions) HasName() bool

HasName returns a boolean if a field has been set.

func (*Transactions) HasShare

func (o *Transactions) HasShare() bool

HasShare returns a boolean if a field has been set.

func (*Transactions) HasSymbol added in v2.0.8

func (o *Transactions) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*Transactions) HasTransactionCode

func (o *Transactions) HasTransactionCode() bool

HasTransactionCode returns a boolean if a field has been set.

func (*Transactions) HasTransactionDate

func (o *Transactions) HasTransactionDate() bool

HasTransactionDate returns a boolean if a field has been set.

func (*Transactions) HasTransactionPrice

func (o *Transactions) HasTransactionPrice() bool

HasTransactionPrice returns a boolean if a field has been set.

func (Transactions) MarshalJSON

func (o Transactions) MarshalJSON() ([]byte, error)

func (*Transactions) SetChange

func (o *Transactions) SetChange(v int64)

SetChange gets a reference to the given int64 and assigns it to the Change field.

func (*Transactions) SetFilingDate

func (o *Transactions) SetFilingDate(v string)

SetFilingDate gets a reference to the given string and assigns it to the FilingDate field.

func (*Transactions) SetName

func (o *Transactions) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*Transactions) SetShare

func (o *Transactions) SetShare(v int64)

SetShare gets a reference to the given int64 and assigns it to the Share field.

func (*Transactions) SetSymbol added in v2.0.8

func (o *Transactions) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*Transactions) SetTransactionCode

func (o *Transactions) SetTransactionCode(v string)

SetTransactionCode gets a reference to the given string and assigns it to the TransactionCode field.

func (*Transactions) SetTransactionDate

func (o *Transactions) SetTransactionDate(v string)

SetTransactionDate gets a reference to the given string and assigns it to the TransactionDate field.

func (*Transactions) SetTransactionPrice

func (o *Transactions) SetTransactionPrice(v float32)

SetTransactionPrice gets a reference to the given float32 and assigns it to the TransactionPrice field.

type TranscriptContent

type TranscriptContent struct {
	// Speaker's name
	Name *string `json:"name,omitempty"`
	// Speaker's speech
	Speech *[]string `json:"speech,omitempty"`
	// Earnings calls section (management discussion or Q&A)
	Session *string `json:"session,omitempty"`
}

TranscriptContent struct for TranscriptContent

func NewTranscriptContent

func NewTranscriptContent() *TranscriptContent

NewTranscriptContent instantiates a new TranscriptContent object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewTranscriptContentWithDefaults

func NewTranscriptContentWithDefaults() *TranscriptContent

NewTranscriptContentWithDefaults instantiates a new TranscriptContent object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*TranscriptContent) GetName

func (o *TranscriptContent) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*TranscriptContent) GetNameOk

func (o *TranscriptContent) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TranscriptContent) GetSession

func (o *TranscriptContent) GetSession() string

GetSession returns the Session field value if set, zero value otherwise.

func (*TranscriptContent) GetSessionOk

func (o *TranscriptContent) GetSessionOk() (*string, bool)

GetSessionOk returns a tuple with the Session field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TranscriptContent) GetSpeech

func (o *TranscriptContent) GetSpeech() []string

GetSpeech returns the Speech field value if set, zero value otherwise.

func (*TranscriptContent) GetSpeechOk

func (o *TranscriptContent) GetSpeechOk() (*[]string, bool)

GetSpeechOk returns a tuple with the Speech field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TranscriptContent) HasName

func (o *TranscriptContent) HasName() bool

HasName returns a boolean if a field has been set.

func (*TranscriptContent) HasSession

func (o *TranscriptContent) HasSession() bool

HasSession returns a boolean if a field has been set.

func (*TranscriptContent) HasSpeech

func (o *TranscriptContent) HasSpeech() bool

HasSpeech returns a boolean if a field has been set.

func (TranscriptContent) MarshalJSON

func (o TranscriptContent) MarshalJSON() ([]byte, error)

func (*TranscriptContent) SetName

func (o *TranscriptContent) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*TranscriptContent) SetSession

func (o *TranscriptContent) SetSession(v string)

SetSession gets a reference to the given string and assigns it to the Session field.

func (*TranscriptContent) SetSpeech

func (o *TranscriptContent) SetSpeech(v []string)

SetSpeech gets a reference to the given []string and assigns it to the Speech field.

type TranscriptParticipant

type TranscriptParticipant struct {
	// Participant's name
	Name *string `json:"name,omitempty"`
	// Participant's description
	Description *string `json:"description,omitempty"`
	// Whether the speak is a company's executive or an analyst
	Role *string `json:"role,omitempty"`
}

TranscriptParticipant struct for TranscriptParticipant

func NewTranscriptParticipant

func NewTranscriptParticipant() *TranscriptParticipant

NewTranscriptParticipant instantiates a new TranscriptParticipant object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewTranscriptParticipantWithDefaults

func NewTranscriptParticipantWithDefaults() *TranscriptParticipant

NewTranscriptParticipantWithDefaults instantiates a new TranscriptParticipant object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*TranscriptParticipant) GetDescription

func (o *TranscriptParticipant) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*TranscriptParticipant) GetDescriptionOk

func (o *TranscriptParticipant) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TranscriptParticipant) GetName

func (o *TranscriptParticipant) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*TranscriptParticipant) GetNameOk

func (o *TranscriptParticipant) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TranscriptParticipant) GetRole

func (o *TranscriptParticipant) GetRole() string

GetRole returns the Role field value if set, zero value otherwise.

func (*TranscriptParticipant) GetRoleOk

func (o *TranscriptParticipant) GetRoleOk() (*string, bool)

GetRoleOk returns a tuple with the Role field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TranscriptParticipant) HasDescription

func (o *TranscriptParticipant) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*TranscriptParticipant) HasName

func (o *TranscriptParticipant) HasName() bool

HasName returns a boolean if a field has been set.

func (*TranscriptParticipant) HasRole

func (o *TranscriptParticipant) HasRole() bool

HasRole returns a boolean if a field has been set.

func (TranscriptParticipant) MarshalJSON

func (o TranscriptParticipant) MarshalJSON() ([]byte, error)

func (*TranscriptParticipant) SetDescription

func (o *TranscriptParticipant) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*TranscriptParticipant) SetName

func (o *TranscriptParticipant) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*TranscriptParticipant) SetRole

func (o *TranscriptParticipant) SetRole(v string)

SetRole gets a reference to the given string and assigns it to the Role field.

type Trend

type Trend struct {
	// ADX reading
	Adx *float32 `json:"adx,omitempty"`
	// Whether market is trending or going sideway
	Trending *bool `json:"trending,omitempty"`
}

Trend struct for Trend

func NewTrend

func NewTrend() *Trend

NewTrend instantiates a new Trend object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewTrendWithDefaults

func NewTrendWithDefaults() *Trend

NewTrendWithDefaults instantiates a new Trend object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Trend) GetAdx

func (o *Trend) GetAdx() float32

GetAdx returns the Adx field value if set, zero value otherwise.

func (*Trend) GetAdxOk

func (o *Trend) GetAdxOk() (*float32, bool)

GetAdxOk returns a tuple with the Adx field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Trend) GetTrending

func (o *Trend) GetTrending() bool

GetTrending returns the Trending field value if set, zero value otherwise.

func (*Trend) GetTrendingOk

func (o *Trend) GetTrendingOk() (*bool, bool)

GetTrendingOk returns a tuple with the Trending field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Trend) HasAdx

func (o *Trend) HasAdx() bool

HasAdx returns a boolean if a field has been set.

func (*Trend) HasTrending

func (o *Trend) HasTrending() bool

HasTrending returns a boolean if a field has been set.

func (Trend) MarshalJSON

func (o Trend) MarshalJSON() ([]byte, error)

func (*Trend) SetAdx

func (o *Trend) SetAdx(v float32)

SetAdx gets a reference to the given float32 and assigns it to the Adx field.

func (*Trend) SetTrending

func (o *Trend) SetTrending(v bool)

SetTrending gets a reference to the given bool and assigns it to the Trending field.

type TwitterSentimentContent

type TwitterSentimentContent struct {
	// Number of mentions
	Mention *int64 `json:"mention,omitempty"`
	// Number of positive mentions
	PositiveMention *int64 `json:"positiveMention,omitempty"`
	// Number of negative mentions
	NegativeMention *int64 `json:"negativeMention,omitempty"`
	// Positive score. Range 0-1
	PositiveScore *float32 `json:"positiveScore,omitempty"`
	// Negative score. Range 0-1
	NegativeScore *float32 `json:"negativeScore,omitempty"`
	// Final score. Range: -1 to 1 with 1 is very positive and -1 is very negative
	Score *float32 `json:"score,omitempty"`
	// Period.
	AtTime *string `json:"atTime,omitempty"`
}

TwitterSentimentContent struct for TwitterSentimentContent

func NewTwitterSentimentContent

func NewTwitterSentimentContent() *TwitterSentimentContent

NewTwitterSentimentContent instantiates a new TwitterSentimentContent object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewTwitterSentimentContentWithDefaults

func NewTwitterSentimentContentWithDefaults() *TwitterSentimentContent

NewTwitterSentimentContentWithDefaults instantiates a new TwitterSentimentContent object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*TwitterSentimentContent) GetAtTime

func (o *TwitterSentimentContent) GetAtTime() string

GetAtTime returns the AtTime field value if set, zero value otherwise.

func (*TwitterSentimentContent) GetAtTimeOk

func (o *TwitterSentimentContent) GetAtTimeOk() (*string, bool)

GetAtTimeOk returns a tuple with the AtTime field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TwitterSentimentContent) GetMention

func (o *TwitterSentimentContent) GetMention() int64

GetMention returns the Mention field value if set, zero value otherwise.

func (*TwitterSentimentContent) GetMentionOk

func (o *TwitterSentimentContent) GetMentionOk() (*int64, bool)

GetMentionOk returns a tuple with the Mention field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TwitterSentimentContent) GetNegativeMention

func (o *TwitterSentimentContent) GetNegativeMention() int64

GetNegativeMention returns the NegativeMention field value if set, zero value otherwise.

func (*TwitterSentimentContent) GetNegativeMentionOk

func (o *TwitterSentimentContent) GetNegativeMentionOk() (*int64, bool)

GetNegativeMentionOk returns a tuple with the NegativeMention field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TwitterSentimentContent) GetNegativeScore

func (o *TwitterSentimentContent) GetNegativeScore() float32

GetNegativeScore returns the NegativeScore field value if set, zero value otherwise.

func (*TwitterSentimentContent) GetNegativeScoreOk

func (o *TwitterSentimentContent) GetNegativeScoreOk() (*float32, bool)

GetNegativeScoreOk returns a tuple with the NegativeScore field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TwitterSentimentContent) GetPositiveMention

func (o *TwitterSentimentContent) GetPositiveMention() int64

GetPositiveMention returns the PositiveMention field value if set, zero value otherwise.

func (*TwitterSentimentContent) GetPositiveMentionOk

func (o *TwitterSentimentContent) GetPositiveMentionOk() (*int64, bool)

GetPositiveMentionOk returns a tuple with the PositiveMention field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TwitterSentimentContent) GetPositiveScore

func (o *TwitterSentimentContent) GetPositiveScore() float32

GetPositiveScore returns the PositiveScore field value if set, zero value otherwise.

func (*TwitterSentimentContent) GetPositiveScoreOk

func (o *TwitterSentimentContent) GetPositiveScoreOk() (*float32, bool)

GetPositiveScoreOk returns a tuple with the PositiveScore field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TwitterSentimentContent) GetScore

func (o *TwitterSentimentContent) GetScore() float32

GetScore returns the Score field value if set, zero value otherwise.

func (*TwitterSentimentContent) GetScoreOk

func (o *TwitterSentimentContent) GetScoreOk() (*float32, bool)

GetScoreOk returns a tuple with the Score field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TwitterSentimentContent) HasAtTime

func (o *TwitterSentimentContent) HasAtTime() bool

HasAtTime returns a boolean if a field has been set.

func (*TwitterSentimentContent) HasMention

func (o *TwitterSentimentContent) HasMention() bool

HasMention returns a boolean if a field has been set.

func (*TwitterSentimentContent) HasNegativeMention

func (o *TwitterSentimentContent) HasNegativeMention() bool

HasNegativeMention returns a boolean if a field has been set.

func (*TwitterSentimentContent) HasNegativeScore

func (o *TwitterSentimentContent) HasNegativeScore() bool

HasNegativeScore returns a boolean if a field has been set.

func (*TwitterSentimentContent) HasPositiveMention

func (o *TwitterSentimentContent) HasPositiveMention() bool

HasPositiveMention returns a boolean if a field has been set.

func (*TwitterSentimentContent) HasPositiveScore

func (o *TwitterSentimentContent) HasPositiveScore() bool

HasPositiveScore returns a boolean if a field has been set.

func (*TwitterSentimentContent) HasScore

func (o *TwitterSentimentContent) HasScore() bool

HasScore returns a boolean if a field has been set.

func (TwitterSentimentContent) MarshalJSON

func (o TwitterSentimentContent) MarshalJSON() ([]byte, error)

func (*TwitterSentimentContent) SetAtTime

func (o *TwitterSentimentContent) SetAtTime(v string)

SetAtTime gets a reference to the given string and assigns it to the AtTime field.

func (*TwitterSentimentContent) SetMention

func (o *TwitterSentimentContent) SetMention(v int64)

SetMention gets a reference to the given int64 and assigns it to the Mention field.

func (*TwitterSentimentContent) SetNegativeMention

func (o *TwitterSentimentContent) SetNegativeMention(v int64)

SetNegativeMention gets a reference to the given int64 and assigns it to the NegativeMention field.

func (*TwitterSentimentContent) SetNegativeScore

func (o *TwitterSentimentContent) SetNegativeScore(v float32)

SetNegativeScore gets a reference to the given float32 and assigns it to the NegativeScore field.

func (*TwitterSentimentContent) SetPositiveMention

func (o *TwitterSentimentContent) SetPositiveMention(v int64)

SetPositiveMention gets a reference to the given int64 and assigns it to the PositiveMention field.

func (*TwitterSentimentContent) SetPositiveScore

func (o *TwitterSentimentContent) SetPositiveScore(v float32)

SetPositiveScore gets a reference to the given float32 and assigns it to the PositiveScore field.

func (*TwitterSentimentContent) SetScore

func (o *TwitterSentimentContent) SetScore(v float32)

SetScore gets a reference to the given float32 and assigns it to the Score field.

type UpgradeDowngrade

type UpgradeDowngrade struct {
	// Company symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Upgrade/downgrade time in UNIX timestamp.
	GradeTime *int64 `json:"gradeTime,omitempty"`
	// From grade.
	FromGrade *string `json:"fromGrade,omitempty"`
	// To grade.
	ToGrade *string `json:"toGrade,omitempty"`
	// Company/analyst who did the upgrade/downgrade.
	Company *string `json:"company,omitempty"`
	// Action can take any of the following values: <code>up(upgrade), down(downgrade), main(maintains), init(initiate), reit(reiterate)</code>.
	Action *string `json:"action,omitempty"`
}

UpgradeDowngrade struct for UpgradeDowngrade

func NewUpgradeDowngrade

func NewUpgradeDowngrade() *UpgradeDowngrade

NewUpgradeDowngrade instantiates a new UpgradeDowngrade object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewUpgradeDowngradeWithDefaults

func NewUpgradeDowngradeWithDefaults() *UpgradeDowngrade

NewUpgradeDowngradeWithDefaults instantiates a new UpgradeDowngrade object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*UpgradeDowngrade) GetAction

func (o *UpgradeDowngrade) GetAction() string

GetAction returns the Action field value if set, zero value otherwise.

func (*UpgradeDowngrade) GetActionOk

func (o *UpgradeDowngrade) GetActionOk() (*string, bool)

GetActionOk returns a tuple with the Action field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UpgradeDowngrade) GetCompany

func (o *UpgradeDowngrade) GetCompany() string

GetCompany returns the Company field value if set, zero value otherwise.

func (*UpgradeDowngrade) GetCompanyOk

func (o *UpgradeDowngrade) GetCompanyOk() (*string, bool)

GetCompanyOk returns a tuple with the Company field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UpgradeDowngrade) GetFromGrade

func (o *UpgradeDowngrade) GetFromGrade() string

GetFromGrade returns the FromGrade field value if set, zero value otherwise.

func (*UpgradeDowngrade) GetFromGradeOk

func (o *UpgradeDowngrade) GetFromGradeOk() (*string, bool)

GetFromGradeOk returns a tuple with the FromGrade field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UpgradeDowngrade) GetGradeTime

func (o *UpgradeDowngrade) GetGradeTime() int64

GetGradeTime returns the GradeTime field value if set, zero value otherwise.

func (*UpgradeDowngrade) GetGradeTimeOk

func (o *UpgradeDowngrade) GetGradeTimeOk() (*int64, bool)

GetGradeTimeOk returns a tuple with the GradeTime field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UpgradeDowngrade) GetSymbol

func (o *UpgradeDowngrade) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*UpgradeDowngrade) GetSymbolOk

func (o *UpgradeDowngrade) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UpgradeDowngrade) GetToGrade

func (o *UpgradeDowngrade) GetToGrade() string

GetToGrade returns the ToGrade field value if set, zero value otherwise.

func (*UpgradeDowngrade) GetToGradeOk

func (o *UpgradeDowngrade) GetToGradeOk() (*string, bool)

GetToGradeOk returns a tuple with the ToGrade field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UpgradeDowngrade) HasAction

func (o *UpgradeDowngrade) HasAction() bool

HasAction returns a boolean if a field has been set.

func (*UpgradeDowngrade) HasCompany

func (o *UpgradeDowngrade) HasCompany() bool

HasCompany returns a boolean if a field has been set.

func (*UpgradeDowngrade) HasFromGrade

func (o *UpgradeDowngrade) HasFromGrade() bool

HasFromGrade returns a boolean if a field has been set.

func (*UpgradeDowngrade) HasGradeTime

func (o *UpgradeDowngrade) HasGradeTime() bool

HasGradeTime returns a boolean if a field has been set.

func (*UpgradeDowngrade) HasSymbol

func (o *UpgradeDowngrade) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*UpgradeDowngrade) HasToGrade

func (o *UpgradeDowngrade) HasToGrade() bool

HasToGrade returns a boolean if a field has been set.

func (UpgradeDowngrade) MarshalJSON

func (o UpgradeDowngrade) MarshalJSON() ([]byte, error)

func (*UpgradeDowngrade) SetAction

func (o *UpgradeDowngrade) SetAction(v string)

SetAction gets a reference to the given string and assigns it to the Action field.

func (*UpgradeDowngrade) SetCompany

func (o *UpgradeDowngrade) SetCompany(v string)

SetCompany gets a reference to the given string and assigns it to the Company field.

func (*UpgradeDowngrade) SetFromGrade

func (o *UpgradeDowngrade) SetFromGrade(v string)

SetFromGrade gets a reference to the given string and assigns it to the FromGrade field.

func (*UpgradeDowngrade) SetGradeTime

func (o *UpgradeDowngrade) SetGradeTime(v int64)

SetGradeTime gets a reference to the given int64 and assigns it to the GradeTime field.

func (*UpgradeDowngrade) SetSymbol

func (o *UpgradeDowngrade) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*UpgradeDowngrade) SetToGrade

func (o *UpgradeDowngrade) SetToGrade(v string)

SetToGrade gets a reference to the given string and assigns it to the ToGrade field.

type UsaSpending added in v2.0.13

type UsaSpending struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Company's name.
	RecipientName *string `json:"recipientName,omitempty"`
	// Company's name.
	RecipientParentName *string `json:"recipientParentName,omitempty"`
	// Description.
	AwardDescription *string `json:"awardDescription,omitempty"`
	// Recipient's country.
	Country *string `json:"country,omitempty"`
	// Period.
	ActionDate *string `json:"actionDate,omitempty"`
	// Income reported by lobbying firms.
	TotalValue *float32 `json:"totalValue,omitempty"`
	// Performance start date.
	PerformanceStartDate *string `json:"performanceStartDate,omitempty"`
	// Performance end date.
	PerformanceEndDate *string `json:"performanceEndDate,omitempty"`
	// Award agency.
	AwardingAgencyName *string `json:"awardingAgencyName,omitempty"`
	// Award sub-agency.
	AwardingSubAgencyName *string `json:"awardingSubAgencyName,omitempty"`
	// Award office name.
	AwardingOfficeName *string `json:"awardingOfficeName,omitempty"`
	// Performance country.
	PerformanceCountry *string `json:"performanceCountry,omitempty"`
	// Performance city.
	PerformanceCity *string `json:"performanceCity,omitempty"`
	// Performance county.
	PerformanceCounty *string `json:"performanceCounty,omitempty"`
	// Performance state.
	PerformanceState *string `json:"performanceState,omitempty"`
	// Performance zip code.
	PerformanceZipCode *string `json:"performanceZipCode,omitempty"`
	// Performance congressional district.
	PerformanceCongressionalDistrict *string `json:"performanceCongressionalDistrict,omitempty"`
	// NAICS code.
	NaicsCode *string `json:"naicsCode,omitempty"`
	// Permalink.
	Permalink *string `json:"permalink,omitempty"`
}

UsaSpending struct for UsaSpending

func NewUsaSpending added in v2.0.13

func NewUsaSpending() *UsaSpending

NewUsaSpending instantiates a new UsaSpending object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewUsaSpendingWithDefaults added in v2.0.13

func NewUsaSpendingWithDefaults() *UsaSpending

NewUsaSpendingWithDefaults instantiates a new UsaSpending object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*UsaSpending) GetActionDate added in v2.0.13

func (o *UsaSpending) GetActionDate() string

GetActionDate returns the ActionDate field value if set, zero value otherwise.

func (*UsaSpending) GetActionDateOk added in v2.0.13

func (o *UsaSpending) GetActionDateOk() (*string, bool)

GetActionDateOk returns a tuple with the ActionDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetAwardDescription added in v2.0.13

func (o *UsaSpending) GetAwardDescription() string

GetAwardDescription returns the AwardDescription field value if set, zero value otherwise.

func (*UsaSpending) GetAwardDescriptionOk added in v2.0.13

func (o *UsaSpending) GetAwardDescriptionOk() (*string, bool)

GetAwardDescriptionOk returns a tuple with the AwardDescription field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetAwardingAgencyName added in v2.0.13

func (o *UsaSpending) GetAwardingAgencyName() string

GetAwardingAgencyName returns the AwardingAgencyName field value if set, zero value otherwise.

func (*UsaSpending) GetAwardingAgencyNameOk added in v2.0.13

func (o *UsaSpending) GetAwardingAgencyNameOk() (*string, bool)

GetAwardingAgencyNameOk returns a tuple with the AwardingAgencyName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetAwardingOfficeName added in v2.0.13

func (o *UsaSpending) GetAwardingOfficeName() string

GetAwardingOfficeName returns the AwardingOfficeName field value if set, zero value otherwise.

func (*UsaSpending) GetAwardingOfficeNameOk added in v2.0.13

func (o *UsaSpending) GetAwardingOfficeNameOk() (*string, bool)

GetAwardingOfficeNameOk returns a tuple with the AwardingOfficeName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetAwardingSubAgencyName added in v2.0.13

func (o *UsaSpending) GetAwardingSubAgencyName() string

GetAwardingSubAgencyName returns the AwardingSubAgencyName field value if set, zero value otherwise.

func (*UsaSpending) GetAwardingSubAgencyNameOk added in v2.0.13

func (o *UsaSpending) GetAwardingSubAgencyNameOk() (*string, bool)

GetAwardingSubAgencyNameOk returns a tuple with the AwardingSubAgencyName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetCountry added in v2.0.13

func (o *UsaSpending) GetCountry() string

GetCountry returns the Country field value if set, zero value otherwise.

func (*UsaSpending) GetCountryOk added in v2.0.13

func (o *UsaSpending) GetCountryOk() (*string, bool)

GetCountryOk returns a tuple with the Country field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetNaicsCode added in v2.0.13

func (o *UsaSpending) GetNaicsCode() string

GetNaicsCode returns the NaicsCode field value if set, zero value otherwise.

func (*UsaSpending) GetNaicsCodeOk added in v2.0.13

func (o *UsaSpending) GetNaicsCodeOk() (*string, bool)

GetNaicsCodeOk returns a tuple with the NaicsCode field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetPerformanceCity added in v2.0.13

func (o *UsaSpending) GetPerformanceCity() string

GetPerformanceCity returns the PerformanceCity field value if set, zero value otherwise.

func (*UsaSpending) GetPerformanceCityOk added in v2.0.13

func (o *UsaSpending) GetPerformanceCityOk() (*string, bool)

GetPerformanceCityOk returns a tuple with the PerformanceCity field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetPerformanceCongressionalDistrict added in v2.0.13

func (o *UsaSpending) GetPerformanceCongressionalDistrict() string

GetPerformanceCongressionalDistrict returns the PerformanceCongressionalDistrict field value if set, zero value otherwise.

func (*UsaSpending) GetPerformanceCongressionalDistrictOk added in v2.0.13

func (o *UsaSpending) GetPerformanceCongressionalDistrictOk() (*string, bool)

GetPerformanceCongressionalDistrictOk returns a tuple with the PerformanceCongressionalDistrict field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetPerformanceCountry added in v2.0.13

func (o *UsaSpending) GetPerformanceCountry() string

GetPerformanceCountry returns the PerformanceCountry field value if set, zero value otherwise.

func (*UsaSpending) GetPerformanceCountryOk added in v2.0.13

func (o *UsaSpending) GetPerformanceCountryOk() (*string, bool)

GetPerformanceCountryOk returns a tuple with the PerformanceCountry field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetPerformanceCounty added in v2.0.13

func (o *UsaSpending) GetPerformanceCounty() string

GetPerformanceCounty returns the PerformanceCounty field value if set, zero value otherwise.

func (*UsaSpending) GetPerformanceCountyOk added in v2.0.13

func (o *UsaSpending) GetPerformanceCountyOk() (*string, bool)

GetPerformanceCountyOk returns a tuple with the PerformanceCounty field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetPerformanceEndDate added in v2.0.13

func (o *UsaSpending) GetPerformanceEndDate() string

GetPerformanceEndDate returns the PerformanceEndDate field value if set, zero value otherwise.

func (*UsaSpending) GetPerformanceEndDateOk added in v2.0.13

func (o *UsaSpending) GetPerformanceEndDateOk() (*string, bool)

GetPerformanceEndDateOk returns a tuple with the PerformanceEndDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetPerformanceStartDate added in v2.0.13

func (o *UsaSpending) GetPerformanceStartDate() string

GetPerformanceStartDate returns the PerformanceStartDate field value if set, zero value otherwise.

func (*UsaSpending) GetPerformanceStartDateOk added in v2.0.13

func (o *UsaSpending) GetPerformanceStartDateOk() (*string, bool)

GetPerformanceStartDateOk returns a tuple with the PerformanceStartDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetPerformanceState added in v2.0.13

func (o *UsaSpending) GetPerformanceState() string

GetPerformanceState returns the PerformanceState field value if set, zero value otherwise.

func (*UsaSpending) GetPerformanceStateOk added in v2.0.13

func (o *UsaSpending) GetPerformanceStateOk() (*string, bool)

GetPerformanceStateOk returns a tuple with the PerformanceState field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetPerformanceZipCode added in v2.0.13

func (o *UsaSpending) GetPerformanceZipCode() string

GetPerformanceZipCode returns the PerformanceZipCode field value if set, zero value otherwise.

func (*UsaSpending) GetPerformanceZipCodeOk added in v2.0.13

func (o *UsaSpending) GetPerformanceZipCodeOk() (*string, bool)

GetPerformanceZipCodeOk returns a tuple with the PerformanceZipCode field value if set, nil otherwise and a boolean to check if the value has been set.

func (o *UsaSpending) GetPermalink() string

GetPermalink returns the Permalink field value if set, zero value otherwise.

func (*UsaSpending) GetPermalinkOk added in v2.0.13

func (o *UsaSpending) GetPermalinkOk() (*string, bool)

GetPermalinkOk returns a tuple with the Permalink field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetRecipientName added in v2.0.13

func (o *UsaSpending) GetRecipientName() string

GetRecipientName returns the RecipientName field value if set, zero value otherwise.

func (*UsaSpending) GetRecipientNameOk added in v2.0.13

func (o *UsaSpending) GetRecipientNameOk() (*string, bool)

GetRecipientNameOk returns a tuple with the RecipientName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetRecipientParentName added in v2.0.13

func (o *UsaSpending) GetRecipientParentName() string

GetRecipientParentName returns the RecipientParentName field value if set, zero value otherwise.

func (*UsaSpending) GetRecipientParentNameOk added in v2.0.13

func (o *UsaSpending) GetRecipientParentNameOk() (*string, bool)

GetRecipientParentNameOk returns a tuple with the RecipientParentName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetSymbol added in v2.0.13

func (o *UsaSpending) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*UsaSpending) GetSymbolOk added in v2.0.13

func (o *UsaSpending) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) GetTotalValue added in v2.0.13

func (o *UsaSpending) GetTotalValue() float32

GetTotalValue returns the TotalValue field value if set, zero value otherwise.

func (*UsaSpending) GetTotalValueOk added in v2.0.13

func (o *UsaSpending) GetTotalValueOk() (*float32, bool)

GetTotalValueOk returns a tuple with the TotalValue field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpending) HasActionDate added in v2.0.13

func (o *UsaSpending) HasActionDate() bool

HasActionDate returns a boolean if a field has been set.

func (*UsaSpending) HasAwardDescription added in v2.0.13

func (o *UsaSpending) HasAwardDescription() bool

HasAwardDescription returns a boolean if a field has been set.

func (*UsaSpending) HasAwardingAgencyName added in v2.0.13

func (o *UsaSpending) HasAwardingAgencyName() bool

HasAwardingAgencyName returns a boolean if a field has been set.

func (*UsaSpending) HasAwardingOfficeName added in v2.0.13

func (o *UsaSpending) HasAwardingOfficeName() bool

HasAwardingOfficeName returns a boolean if a field has been set.

func (*UsaSpending) HasAwardingSubAgencyName added in v2.0.13

func (o *UsaSpending) HasAwardingSubAgencyName() bool

HasAwardingSubAgencyName returns a boolean if a field has been set.

func (*UsaSpending) HasCountry added in v2.0.13

func (o *UsaSpending) HasCountry() bool

HasCountry returns a boolean if a field has been set.

func (*UsaSpending) HasNaicsCode added in v2.0.13

func (o *UsaSpending) HasNaicsCode() bool

HasNaicsCode returns a boolean if a field has been set.

func (*UsaSpending) HasPerformanceCity added in v2.0.13

func (o *UsaSpending) HasPerformanceCity() bool

HasPerformanceCity returns a boolean if a field has been set.

func (*UsaSpending) HasPerformanceCongressionalDistrict added in v2.0.13

func (o *UsaSpending) HasPerformanceCongressionalDistrict() bool

HasPerformanceCongressionalDistrict returns a boolean if a field has been set.

func (*UsaSpending) HasPerformanceCountry added in v2.0.13

func (o *UsaSpending) HasPerformanceCountry() bool

HasPerformanceCountry returns a boolean if a field has been set.

func (*UsaSpending) HasPerformanceCounty added in v2.0.13

func (o *UsaSpending) HasPerformanceCounty() bool

HasPerformanceCounty returns a boolean if a field has been set.

func (*UsaSpending) HasPerformanceEndDate added in v2.0.13

func (o *UsaSpending) HasPerformanceEndDate() bool

HasPerformanceEndDate returns a boolean if a field has been set.

func (*UsaSpending) HasPerformanceStartDate added in v2.0.13

func (o *UsaSpending) HasPerformanceStartDate() bool

HasPerformanceStartDate returns a boolean if a field has been set.

func (*UsaSpending) HasPerformanceState added in v2.0.13

func (o *UsaSpending) HasPerformanceState() bool

HasPerformanceState returns a boolean if a field has been set.

func (*UsaSpending) HasPerformanceZipCode added in v2.0.13

func (o *UsaSpending) HasPerformanceZipCode() bool

HasPerformanceZipCode returns a boolean if a field has been set.

func (o *UsaSpending) HasPermalink() bool

HasPermalink returns a boolean if a field has been set.

func (*UsaSpending) HasRecipientName added in v2.0.13

func (o *UsaSpending) HasRecipientName() bool

HasRecipientName returns a boolean if a field has been set.

func (*UsaSpending) HasRecipientParentName added in v2.0.13

func (o *UsaSpending) HasRecipientParentName() bool

HasRecipientParentName returns a boolean if a field has been set.

func (*UsaSpending) HasSymbol added in v2.0.13

func (o *UsaSpending) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*UsaSpending) HasTotalValue added in v2.0.13

func (o *UsaSpending) HasTotalValue() bool

HasTotalValue returns a boolean if a field has been set.

func (UsaSpending) MarshalJSON added in v2.0.13

func (o UsaSpending) MarshalJSON() ([]byte, error)

func (*UsaSpending) SetActionDate added in v2.0.13

func (o *UsaSpending) SetActionDate(v string)

SetActionDate gets a reference to the given string and assigns it to the ActionDate field.

func (*UsaSpending) SetAwardDescription added in v2.0.13

func (o *UsaSpending) SetAwardDescription(v string)

SetAwardDescription gets a reference to the given string and assigns it to the AwardDescription field.

func (*UsaSpending) SetAwardingAgencyName added in v2.0.13

func (o *UsaSpending) SetAwardingAgencyName(v string)

SetAwardingAgencyName gets a reference to the given string and assigns it to the AwardingAgencyName field.

func (*UsaSpending) SetAwardingOfficeName added in v2.0.13

func (o *UsaSpending) SetAwardingOfficeName(v string)

SetAwardingOfficeName gets a reference to the given string and assigns it to the AwardingOfficeName field.

func (*UsaSpending) SetAwardingSubAgencyName added in v2.0.13

func (o *UsaSpending) SetAwardingSubAgencyName(v string)

SetAwardingSubAgencyName gets a reference to the given string and assigns it to the AwardingSubAgencyName field.

func (*UsaSpending) SetCountry added in v2.0.13

func (o *UsaSpending) SetCountry(v string)

SetCountry gets a reference to the given string and assigns it to the Country field.

func (*UsaSpending) SetNaicsCode added in v2.0.13

func (o *UsaSpending) SetNaicsCode(v string)

SetNaicsCode gets a reference to the given string and assigns it to the NaicsCode field.

func (*UsaSpending) SetPerformanceCity added in v2.0.13

func (o *UsaSpending) SetPerformanceCity(v string)

SetPerformanceCity gets a reference to the given string and assigns it to the PerformanceCity field.

func (*UsaSpending) SetPerformanceCongressionalDistrict added in v2.0.13

func (o *UsaSpending) SetPerformanceCongressionalDistrict(v string)

SetPerformanceCongressionalDistrict gets a reference to the given string and assigns it to the PerformanceCongressionalDistrict field.

func (*UsaSpending) SetPerformanceCountry added in v2.0.13

func (o *UsaSpending) SetPerformanceCountry(v string)

SetPerformanceCountry gets a reference to the given string and assigns it to the PerformanceCountry field.

func (*UsaSpending) SetPerformanceCounty added in v2.0.13

func (o *UsaSpending) SetPerformanceCounty(v string)

SetPerformanceCounty gets a reference to the given string and assigns it to the PerformanceCounty field.

func (*UsaSpending) SetPerformanceEndDate added in v2.0.13

func (o *UsaSpending) SetPerformanceEndDate(v string)

SetPerformanceEndDate gets a reference to the given string and assigns it to the PerformanceEndDate field.

func (*UsaSpending) SetPerformanceStartDate added in v2.0.13

func (o *UsaSpending) SetPerformanceStartDate(v string)

SetPerformanceStartDate gets a reference to the given string and assigns it to the PerformanceStartDate field.

func (*UsaSpending) SetPerformanceState added in v2.0.13

func (o *UsaSpending) SetPerformanceState(v string)

SetPerformanceState gets a reference to the given string and assigns it to the PerformanceState field.

func (*UsaSpending) SetPerformanceZipCode added in v2.0.13

func (o *UsaSpending) SetPerformanceZipCode(v string)

SetPerformanceZipCode gets a reference to the given string and assigns it to the PerformanceZipCode field.

func (o *UsaSpending) SetPermalink(v string)

SetPermalink gets a reference to the given string and assigns it to the Permalink field.

func (*UsaSpending) SetRecipientName added in v2.0.13

func (o *UsaSpending) SetRecipientName(v string)

SetRecipientName gets a reference to the given string and assigns it to the RecipientName field.

func (*UsaSpending) SetRecipientParentName added in v2.0.13

func (o *UsaSpending) SetRecipientParentName(v string)

SetRecipientParentName gets a reference to the given string and assigns it to the RecipientParentName field.

func (*UsaSpending) SetSymbol added in v2.0.13

func (o *UsaSpending) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*UsaSpending) SetTotalValue added in v2.0.13

func (o *UsaSpending) SetTotalValue(v float32)

SetTotalValue gets a reference to the given float32 and assigns it to the TotalValue field.

type UsaSpendingResult added in v2.0.13

type UsaSpendingResult struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Array of government's spending data points.
	Data *[]UsaSpending `json:"data,omitempty"`
}

UsaSpendingResult struct for UsaSpendingResult

func NewUsaSpendingResult added in v2.0.13

func NewUsaSpendingResult() *UsaSpendingResult

NewUsaSpendingResult instantiates a new UsaSpendingResult object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewUsaSpendingResultWithDefaults added in v2.0.13

func NewUsaSpendingResultWithDefaults() *UsaSpendingResult

NewUsaSpendingResultWithDefaults instantiates a new UsaSpendingResult object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*UsaSpendingResult) GetData added in v2.0.13

func (o *UsaSpendingResult) GetData() []UsaSpending

GetData returns the Data field value if set, zero value otherwise.

func (*UsaSpendingResult) GetDataOk added in v2.0.13

func (o *UsaSpendingResult) GetDataOk() (*[]UsaSpending, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpendingResult) GetSymbol added in v2.0.13

func (o *UsaSpendingResult) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*UsaSpendingResult) GetSymbolOk added in v2.0.13

func (o *UsaSpendingResult) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsaSpendingResult) HasData added in v2.0.13

func (o *UsaSpendingResult) HasData() bool

HasData returns a boolean if a field has been set.

func (*UsaSpendingResult) HasSymbol added in v2.0.13

func (o *UsaSpendingResult) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (UsaSpendingResult) MarshalJSON added in v2.0.13

func (o UsaSpendingResult) MarshalJSON() ([]byte, error)

func (*UsaSpendingResult) SetData added in v2.0.13

func (o *UsaSpendingResult) SetData(v []UsaSpending)

SetData gets a reference to the given []UsaSpending and assigns it to the Data field.

func (*UsaSpendingResult) SetSymbol added in v2.0.13

func (o *UsaSpendingResult) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type UsptoPatent added in v2.0.9

type UsptoPatent struct {
	// Application Number.
	ApplicationNumber *string `json:"applicationNumber,omitempty"`
	// Array of companies' name on the patent.
	CompanyFilingName *[]string `json:"companyFilingName,omitempty"`
	// Filing date.
	FilingDate *string `json:"filingDate,omitempty"`
	// Description.
	Description *string `json:"description,omitempty"`
	// Filing status.
	FilingStatus *string `json:"filingStatus,omitempty"`
	// Patent number.
	PatentNumber *string `json:"patentNumber,omitempty"`
	// Publication date.
	PublicationDate *string `json:"publicationDate,omitempty"`
	// Patent's type.
	PatentType *string `json:"patentType,omitempty"`
	// URL of the original article.
	Url *string `json:"url,omitempty"`
}

UsptoPatent struct for UsptoPatent

func NewUsptoPatent added in v2.0.9

func NewUsptoPatent() *UsptoPatent

NewUsptoPatent instantiates a new UsptoPatent object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewUsptoPatentWithDefaults added in v2.0.9

func NewUsptoPatentWithDefaults() *UsptoPatent

NewUsptoPatentWithDefaults instantiates a new UsptoPatent object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*UsptoPatent) GetApplicationNumber added in v2.0.9

func (o *UsptoPatent) GetApplicationNumber() string

GetApplicationNumber returns the ApplicationNumber field value if set, zero value otherwise.

func (*UsptoPatent) GetApplicationNumberOk added in v2.0.9

func (o *UsptoPatent) GetApplicationNumberOk() (*string, bool)

GetApplicationNumberOk returns a tuple with the ApplicationNumber field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsptoPatent) GetCompanyFilingName added in v2.0.9

func (o *UsptoPatent) GetCompanyFilingName() []string

GetCompanyFilingName returns the CompanyFilingName field value if set, zero value otherwise.

func (*UsptoPatent) GetCompanyFilingNameOk added in v2.0.9

func (o *UsptoPatent) GetCompanyFilingNameOk() (*[]string, bool)

GetCompanyFilingNameOk returns a tuple with the CompanyFilingName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsptoPatent) GetDescription added in v2.0.9

func (o *UsptoPatent) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*UsptoPatent) GetDescriptionOk added in v2.0.9

func (o *UsptoPatent) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsptoPatent) GetFilingDate added in v2.0.9

func (o *UsptoPatent) GetFilingDate() string

GetFilingDate returns the FilingDate field value if set, zero value otherwise.

func (*UsptoPatent) GetFilingDateOk added in v2.0.9

func (o *UsptoPatent) GetFilingDateOk() (*string, bool)

GetFilingDateOk returns a tuple with the FilingDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsptoPatent) GetFilingStatus added in v2.0.9

func (o *UsptoPatent) GetFilingStatus() string

GetFilingStatus returns the FilingStatus field value if set, zero value otherwise.

func (*UsptoPatent) GetFilingStatusOk added in v2.0.9

func (o *UsptoPatent) GetFilingStatusOk() (*string, bool)

GetFilingStatusOk returns a tuple with the FilingStatus field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsptoPatent) GetPatentNumber added in v2.0.9

func (o *UsptoPatent) GetPatentNumber() string

GetPatentNumber returns the PatentNumber field value if set, zero value otherwise.

func (*UsptoPatent) GetPatentNumberOk added in v2.0.9

func (o *UsptoPatent) GetPatentNumberOk() (*string, bool)

GetPatentNumberOk returns a tuple with the PatentNumber field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsptoPatent) GetPatentType added in v2.0.9

func (o *UsptoPatent) GetPatentType() string

GetPatentType returns the PatentType field value if set, zero value otherwise.

func (*UsptoPatent) GetPatentTypeOk added in v2.0.9

func (o *UsptoPatent) GetPatentTypeOk() (*string, bool)

GetPatentTypeOk returns a tuple with the PatentType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsptoPatent) GetPublicationDate added in v2.0.9

func (o *UsptoPatent) GetPublicationDate() string

GetPublicationDate returns the PublicationDate field value if set, zero value otherwise.

func (*UsptoPatent) GetPublicationDateOk added in v2.0.9

func (o *UsptoPatent) GetPublicationDateOk() (*string, bool)

GetPublicationDateOk returns a tuple with the PublicationDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsptoPatent) GetUrl added in v2.0.9

func (o *UsptoPatent) GetUrl() string

GetUrl returns the Url field value if set, zero value otherwise.

func (*UsptoPatent) GetUrlOk added in v2.0.9

func (o *UsptoPatent) GetUrlOk() (*string, bool)

GetUrlOk returns a tuple with the Url field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsptoPatent) HasApplicationNumber added in v2.0.9

func (o *UsptoPatent) HasApplicationNumber() bool

HasApplicationNumber returns a boolean if a field has been set.

func (*UsptoPatent) HasCompanyFilingName added in v2.0.9

func (o *UsptoPatent) HasCompanyFilingName() bool

HasCompanyFilingName returns a boolean if a field has been set.

func (*UsptoPatent) HasDescription added in v2.0.9

func (o *UsptoPatent) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*UsptoPatent) HasFilingDate added in v2.0.9

func (o *UsptoPatent) HasFilingDate() bool

HasFilingDate returns a boolean if a field has been set.

func (*UsptoPatent) HasFilingStatus added in v2.0.9

func (o *UsptoPatent) HasFilingStatus() bool

HasFilingStatus returns a boolean if a field has been set.

func (*UsptoPatent) HasPatentNumber added in v2.0.9

func (o *UsptoPatent) HasPatentNumber() bool

HasPatentNumber returns a boolean if a field has been set.

func (*UsptoPatent) HasPatentType added in v2.0.9

func (o *UsptoPatent) HasPatentType() bool

HasPatentType returns a boolean if a field has been set.

func (*UsptoPatent) HasPublicationDate added in v2.0.9

func (o *UsptoPatent) HasPublicationDate() bool

HasPublicationDate returns a boolean if a field has been set.

func (*UsptoPatent) HasUrl added in v2.0.9

func (o *UsptoPatent) HasUrl() bool

HasUrl returns a boolean if a field has been set.

func (UsptoPatent) MarshalJSON added in v2.0.9

func (o UsptoPatent) MarshalJSON() ([]byte, error)

func (*UsptoPatent) SetApplicationNumber added in v2.0.9

func (o *UsptoPatent) SetApplicationNumber(v string)

SetApplicationNumber gets a reference to the given string and assigns it to the ApplicationNumber field.

func (*UsptoPatent) SetCompanyFilingName added in v2.0.9

func (o *UsptoPatent) SetCompanyFilingName(v []string)

SetCompanyFilingName gets a reference to the given []string and assigns it to the CompanyFilingName field.

func (*UsptoPatent) SetDescription added in v2.0.9

func (o *UsptoPatent) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*UsptoPatent) SetFilingDate added in v2.0.9

func (o *UsptoPatent) SetFilingDate(v string)

SetFilingDate gets a reference to the given string and assigns it to the FilingDate field.

func (*UsptoPatent) SetFilingStatus added in v2.0.9

func (o *UsptoPatent) SetFilingStatus(v string)

SetFilingStatus gets a reference to the given string and assigns it to the FilingStatus field.

func (*UsptoPatent) SetPatentNumber added in v2.0.9

func (o *UsptoPatent) SetPatentNumber(v string)

SetPatentNumber gets a reference to the given string and assigns it to the PatentNumber field.

func (*UsptoPatent) SetPatentType added in v2.0.9

func (o *UsptoPatent) SetPatentType(v string)

SetPatentType gets a reference to the given string and assigns it to the PatentType field.

func (*UsptoPatent) SetPublicationDate added in v2.0.9

func (o *UsptoPatent) SetPublicationDate(v string)

SetPublicationDate gets a reference to the given string and assigns it to the PublicationDate field.

func (*UsptoPatent) SetUrl added in v2.0.9

func (o *UsptoPatent) SetUrl(v string)

SetUrl gets a reference to the given string and assigns it to the Url field.

type UsptoPatentResult added in v2.0.9

type UsptoPatentResult struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Array of patents.
	Data *[]UsptoPatent `json:"data,omitempty"`
}

UsptoPatentResult struct for UsptoPatentResult

func NewUsptoPatentResult added in v2.0.9

func NewUsptoPatentResult() *UsptoPatentResult

NewUsptoPatentResult instantiates a new UsptoPatentResult object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewUsptoPatentResultWithDefaults added in v2.0.9

func NewUsptoPatentResultWithDefaults() *UsptoPatentResult

NewUsptoPatentResultWithDefaults instantiates a new UsptoPatentResult object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*UsptoPatentResult) GetData added in v2.0.9

func (o *UsptoPatentResult) GetData() []UsptoPatent

GetData returns the Data field value if set, zero value otherwise.

func (*UsptoPatentResult) GetDataOk added in v2.0.9

func (o *UsptoPatentResult) GetDataOk() (*[]UsptoPatent, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsptoPatentResult) GetSymbol added in v2.0.9

func (o *UsptoPatentResult) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*UsptoPatentResult) GetSymbolOk added in v2.0.9

func (o *UsptoPatentResult) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UsptoPatentResult) HasData added in v2.0.9

func (o *UsptoPatentResult) HasData() bool

HasData returns a boolean if a field has been set.

func (*UsptoPatentResult) HasSymbol added in v2.0.9

func (o *UsptoPatentResult) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (UsptoPatentResult) MarshalJSON added in v2.0.9

func (o UsptoPatentResult) MarshalJSON() ([]byte, error)

func (*UsptoPatentResult) SetData added in v2.0.9

func (o *UsptoPatentResult) SetData(v []UsptoPatent)

SetData gets a reference to the given []UsptoPatent and assigns it to the Data field.

func (*UsptoPatentResult) SetSymbol added in v2.0.9

func (o *UsptoPatentResult) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

type VisaApplication added in v2.0.10

type VisaApplication struct {
	// Year.
	Year *int64 `json:"year,omitempty"`
	// Quarter.
	Quarter *int64 `json:"quarter,omitempty"`
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Case number.
	CaseNumber *string `json:"caseNumber,omitempty"`
	// Case status.
	CaseStatus *string `json:"caseStatus,omitempty"`
	// Received date.
	ReceivedDate *string `json:"receivedDate,omitempty"`
	// Visa class.
	VisaClass *string `json:"visaClass,omitempty"`
	// Job Title.
	JobTitle *string `json:"jobTitle,omitempty"`
	// SOC Code. A list of SOC code can be found <a href=\"https://www.bls.gov/oes/current/oes_stru.htm\" target=\"_blank\">here</a>.
	SocCode *string `json:"socCode,omitempty"`
	// Full-time position flag.
	FullTimePosition *string `json:"fullTimePosition,omitempty"`
	// Job's start date.
	BeginDate *string `json:"beginDate,omitempty"`
	// Job's end date.
	EndDate *string `json:"endDate,omitempty"`
	// Company's name.
	EmployerName *string `json:"employerName,omitempty"`
	// Worksite address.
	WorksiteAddress *string `json:"worksiteAddress,omitempty"`
	// Worksite city.
	WorksiteCity *string `json:"worksiteCity,omitempty"`
	// Worksite county.
	WorksiteCounty *string `json:"worksiteCounty,omitempty"`
	// Worksite state.
	WorksiteState *string `json:"worksiteState,omitempty"`
	// Worksite postal code.
	WorksitePostalCode *string `json:"worksitePostalCode,omitempty"`
	// Wage range from.
	WageRangeFrom *float32 `json:"wageRangeFrom,omitempty"`
	// Wage range to.
	WageRangeTo *float32 `json:"wageRangeTo,omitempty"`
	// Wage unit of pay.
	WageUnitOfPay *string `json:"wageUnitOfPay,omitempty"`
	// Wage level.
	WageLevel *string `json:"wageLevel,omitempty"`
	// H1B dependent flag.
	H1bDependent *string `json:"h1bDependent,omitempty"`
}

VisaApplication struct for VisaApplication

func NewVisaApplication added in v2.0.10

func NewVisaApplication() *VisaApplication

NewVisaApplication instantiates a new VisaApplication object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewVisaApplicationWithDefaults added in v2.0.10

func NewVisaApplicationWithDefaults() *VisaApplication

NewVisaApplicationWithDefaults instantiates a new VisaApplication object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*VisaApplication) GetBeginDate added in v2.0.10

func (o *VisaApplication) GetBeginDate() string

GetBeginDate returns the BeginDate field value if set, zero value otherwise.

func (*VisaApplication) GetBeginDateOk added in v2.0.10

func (o *VisaApplication) GetBeginDateOk() (*string, bool)

GetBeginDateOk returns a tuple with the BeginDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetCaseNumber added in v2.0.10

func (o *VisaApplication) GetCaseNumber() string

GetCaseNumber returns the CaseNumber field value if set, zero value otherwise.

func (*VisaApplication) GetCaseNumberOk added in v2.0.10

func (o *VisaApplication) GetCaseNumberOk() (*string, bool)

GetCaseNumberOk returns a tuple with the CaseNumber field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetCaseStatus added in v2.0.10

func (o *VisaApplication) GetCaseStatus() string

GetCaseStatus returns the CaseStatus field value if set, zero value otherwise.

func (*VisaApplication) GetCaseStatusOk added in v2.0.10

func (o *VisaApplication) GetCaseStatusOk() (*string, bool)

GetCaseStatusOk returns a tuple with the CaseStatus field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetEmployerName added in v2.0.10

func (o *VisaApplication) GetEmployerName() string

GetEmployerName returns the EmployerName field value if set, zero value otherwise.

func (*VisaApplication) GetEmployerNameOk added in v2.0.10

func (o *VisaApplication) GetEmployerNameOk() (*string, bool)

GetEmployerNameOk returns a tuple with the EmployerName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetEndDate added in v2.0.10

func (o *VisaApplication) GetEndDate() string

GetEndDate returns the EndDate field value if set, zero value otherwise.

func (*VisaApplication) GetEndDateOk added in v2.0.10

func (o *VisaApplication) GetEndDateOk() (*string, bool)

GetEndDateOk returns a tuple with the EndDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetFullTimePosition added in v2.0.10

func (o *VisaApplication) GetFullTimePosition() string

GetFullTimePosition returns the FullTimePosition field value if set, zero value otherwise.

func (*VisaApplication) GetFullTimePositionOk added in v2.0.10

func (o *VisaApplication) GetFullTimePositionOk() (*string, bool)

GetFullTimePositionOk returns a tuple with the FullTimePosition field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetH1bDependent added in v2.0.10

func (o *VisaApplication) GetH1bDependent() string

GetH1bDependent returns the H1bDependent field value if set, zero value otherwise.

func (*VisaApplication) GetH1bDependentOk added in v2.0.10

func (o *VisaApplication) GetH1bDependentOk() (*string, bool)

GetH1bDependentOk returns a tuple with the H1bDependent field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetJobTitle added in v2.0.10

func (o *VisaApplication) GetJobTitle() string

GetJobTitle returns the JobTitle field value if set, zero value otherwise.

func (*VisaApplication) GetJobTitleOk added in v2.0.10

func (o *VisaApplication) GetJobTitleOk() (*string, bool)

GetJobTitleOk returns a tuple with the JobTitle field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetQuarter added in v2.0.10

func (o *VisaApplication) GetQuarter() int64

GetQuarter returns the Quarter field value if set, zero value otherwise.

func (*VisaApplication) GetQuarterOk added in v2.0.10

func (o *VisaApplication) GetQuarterOk() (*int64, bool)

GetQuarterOk returns a tuple with the Quarter field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetReceivedDate added in v2.0.10

func (o *VisaApplication) GetReceivedDate() string

GetReceivedDate returns the ReceivedDate field value if set, zero value otherwise.

func (*VisaApplication) GetReceivedDateOk added in v2.0.10

func (o *VisaApplication) GetReceivedDateOk() (*string, bool)

GetReceivedDateOk returns a tuple with the ReceivedDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetSocCode added in v2.0.10

func (o *VisaApplication) GetSocCode() string

GetSocCode returns the SocCode field value if set, zero value otherwise.

func (*VisaApplication) GetSocCodeOk added in v2.0.10

func (o *VisaApplication) GetSocCodeOk() (*string, bool)

GetSocCodeOk returns a tuple with the SocCode field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetSymbol added in v2.0.10

func (o *VisaApplication) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*VisaApplication) GetSymbolOk added in v2.0.10

func (o *VisaApplication) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetVisaClass added in v2.0.10

func (o *VisaApplication) GetVisaClass() string

GetVisaClass returns the VisaClass field value if set, zero value otherwise.

func (*VisaApplication) GetVisaClassOk added in v2.0.10

func (o *VisaApplication) GetVisaClassOk() (*string, bool)

GetVisaClassOk returns a tuple with the VisaClass field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetWageLevel added in v2.0.10

func (o *VisaApplication) GetWageLevel() string

GetWageLevel returns the WageLevel field value if set, zero value otherwise.

func (*VisaApplication) GetWageLevelOk added in v2.0.10

func (o *VisaApplication) GetWageLevelOk() (*string, bool)

GetWageLevelOk returns a tuple with the WageLevel field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetWageRangeFrom added in v2.0.10

func (o *VisaApplication) GetWageRangeFrom() float32

GetWageRangeFrom returns the WageRangeFrom field value if set, zero value otherwise.

func (*VisaApplication) GetWageRangeFromOk added in v2.0.10

func (o *VisaApplication) GetWageRangeFromOk() (*float32, bool)

GetWageRangeFromOk returns a tuple with the WageRangeFrom field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetWageRangeTo added in v2.0.10

func (o *VisaApplication) GetWageRangeTo() float32

GetWageRangeTo returns the WageRangeTo field value if set, zero value otherwise.

func (*VisaApplication) GetWageRangeToOk added in v2.0.10

func (o *VisaApplication) GetWageRangeToOk() (*float32, bool)

GetWageRangeToOk returns a tuple with the WageRangeTo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetWageUnitOfPay added in v2.0.11

func (o *VisaApplication) GetWageUnitOfPay() string

GetWageUnitOfPay returns the WageUnitOfPay field value if set, zero value otherwise.

func (*VisaApplication) GetWageUnitOfPayOk added in v2.0.11

func (o *VisaApplication) GetWageUnitOfPayOk() (*string, bool)

GetWageUnitOfPayOk returns a tuple with the WageUnitOfPay field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetWorksiteAddress added in v2.0.10

func (o *VisaApplication) GetWorksiteAddress() string

GetWorksiteAddress returns the WorksiteAddress field value if set, zero value otherwise.

func (*VisaApplication) GetWorksiteAddressOk added in v2.0.10

func (o *VisaApplication) GetWorksiteAddressOk() (*string, bool)

GetWorksiteAddressOk returns a tuple with the WorksiteAddress field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetWorksiteCity added in v2.0.10

func (o *VisaApplication) GetWorksiteCity() string

GetWorksiteCity returns the WorksiteCity field value if set, zero value otherwise.

func (*VisaApplication) GetWorksiteCityOk added in v2.0.10

func (o *VisaApplication) GetWorksiteCityOk() (*string, bool)

GetWorksiteCityOk returns a tuple with the WorksiteCity field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetWorksiteCounty added in v2.0.10

func (o *VisaApplication) GetWorksiteCounty() string

GetWorksiteCounty returns the WorksiteCounty field value if set, zero value otherwise.

func (*VisaApplication) GetWorksiteCountyOk added in v2.0.10

func (o *VisaApplication) GetWorksiteCountyOk() (*string, bool)

GetWorksiteCountyOk returns a tuple with the WorksiteCounty field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetWorksitePostalCode added in v2.0.10

func (o *VisaApplication) GetWorksitePostalCode() string

GetWorksitePostalCode returns the WorksitePostalCode field value if set, zero value otherwise.

func (*VisaApplication) GetWorksitePostalCodeOk added in v2.0.10

func (o *VisaApplication) GetWorksitePostalCodeOk() (*string, bool)

GetWorksitePostalCodeOk returns a tuple with the WorksitePostalCode field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetWorksiteState added in v2.0.10

func (o *VisaApplication) GetWorksiteState() string

GetWorksiteState returns the WorksiteState field value if set, zero value otherwise.

func (*VisaApplication) GetWorksiteStateOk added in v2.0.10

func (o *VisaApplication) GetWorksiteStateOk() (*string, bool)

GetWorksiteStateOk returns a tuple with the WorksiteState field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) GetYear added in v2.0.10

func (o *VisaApplication) GetYear() int64

GetYear returns the Year field value if set, zero value otherwise.

func (*VisaApplication) GetYearOk added in v2.0.10

func (o *VisaApplication) GetYearOk() (*int64, bool)

GetYearOk returns a tuple with the Year field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplication) HasBeginDate added in v2.0.10

func (o *VisaApplication) HasBeginDate() bool

HasBeginDate returns a boolean if a field has been set.

func (*VisaApplication) HasCaseNumber added in v2.0.10

func (o *VisaApplication) HasCaseNumber() bool

HasCaseNumber returns a boolean if a field has been set.

func (*VisaApplication) HasCaseStatus added in v2.0.10

func (o *VisaApplication) HasCaseStatus() bool

HasCaseStatus returns a boolean if a field has been set.

func (*VisaApplication) HasEmployerName added in v2.0.10

func (o *VisaApplication) HasEmployerName() bool

HasEmployerName returns a boolean if a field has been set.

func (*VisaApplication) HasEndDate added in v2.0.10

func (o *VisaApplication) HasEndDate() bool

HasEndDate returns a boolean if a field has been set.

func (*VisaApplication) HasFullTimePosition added in v2.0.10

func (o *VisaApplication) HasFullTimePosition() bool

HasFullTimePosition returns a boolean if a field has been set.

func (*VisaApplication) HasH1bDependent added in v2.0.10

func (o *VisaApplication) HasH1bDependent() bool

HasH1bDependent returns a boolean if a field has been set.

func (*VisaApplication) HasJobTitle added in v2.0.10

func (o *VisaApplication) HasJobTitle() bool

HasJobTitle returns a boolean if a field has been set.

func (*VisaApplication) HasQuarter added in v2.0.10

func (o *VisaApplication) HasQuarter() bool

HasQuarter returns a boolean if a field has been set.

func (*VisaApplication) HasReceivedDate added in v2.0.10

func (o *VisaApplication) HasReceivedDate() bool

HasReceivedDate returns a boolean if a field has been set.

func (*VisaApplication) HasSocCode added in v2.0.10

func (o *VisaApplication) HasSocCode() bool

HasSocCode returns a boolean if a field has been set.

func (*VisaApplication) HasSymbol added in v2.0.10

func (o *VisaApplication) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (*VisaApplication) HasVisaClass added in v2.0.10

func (o *VisaApplication) HasVisaClass() bool

HasVisaClass returns a boolean if a field has been set.

func (*VisaApplication) HasWageLevel added in v2.0.10

func (o *VisaApplication) HasWageLevel() bool

HasWageLevel returns a boolean if a field has been set.

func (*VisaApplication) HasWageRangeFrom added in v2.0.10

func (o *VisaApplication) HasWageRangeFrom() bool

HasWageRangeFrom returns a boolean if a field has been set.

func (*VisaApplication) HasWageRangeTo added in v2.0.10

func (o *VisaApplication) HasWageRangeTo() bool

HasWageRangeTo returns a boolean if a field has been set.

func (*VisaApplication) HasWageUnitOfPay added in v2.0.11

func (o *VisaApplication) HasWageUnitOfPay() bool

HasWageUnitOfPay returns a boolean if a field has been set.

func (*VisaApplication) HasWorksiteAddress added in v2.0.10

func (o *VisaApplication) HasWorksiteAddress() bool

HasWorksiteAddress returns a boolean if a field has been set.

func (*VisaApplication) HasWorksiteCity added in v2.0.10

func (o *VisaApplication) HasWorksiteCity() bool

HasWorksiteCity returns a boolean if a field has been set.

func (*VisaApplication) HasWorksiteCounty added in v2.0.10

func (o *VisaApplication) HasWorksiteCounty() bool

HasWorksiteCounty returns a boolean if a field has been set.

func (*VisaApplication) HasWorksitePostalCode added in v2.0.10

func (o *VisaApplication) HasWorksitePostalCode() bool

HasWorksitePostalCode returns a boolean if a field has been set.

func (*VisaApplication) HasWorksiteState added in v2.0.10

func (o *VisaApplication) HasWorksiteState() bool

HasWorksiteState returns a boolean if a field has been set.

func (*VisaApplication) HasYear added in v2.0.10

func (o *VisaApplication) HasYear() bool

HasYear returns a boolean if a field has been set.

func (VisaApplication) MarshalJSON added in v2.0.10

func (o VisaApplication) MarshalJSON() ([]byte, error)

func (*VisaApplication) SetBeginDate added in v2.0.10

func (o *VisaApplication) SetBeginDate(v string)

SetBeginDate gets a reference to the given string and assigns it to the BeginDate field.

func (*VisaApplication) SetCaseNumber added in v2.0.10

func (o *VisaApplication) SetCaseNumber(v string)

SetCaseNumber gets a reference to the given string and assigns it to the CaseNumber field.

func (*VisaApplication) SetCaseStatus added in v2.0.10

func (o *VisaApplication) SetCaseStatus(v string)

SetCaseStatus gets a reference to the given string and assigns it to the CaseStatus field.

func (*VisaApplication) SetEmployerName added in v2.0.10

func (o *VisaApplication) SetEmployerName(v string)

SetEmployerName gets a reference to the given string and assigns it to the EmployerName field.

func (*VisaApplication) SetEndDate added in v2.0.10

func (o *VisaApplication) SetEndDate(v string)

SetEndDate gets a reference to the given string and assigns it to the EndDate field.

func (*VisaApplication) SetFullTimePosition added in v2.0.10

func (o *VisaApplication) SetFullTimePosition(v string)

SetFullTimePosition gets a reference to the given string and assigns it to the FullTimePosition field.

func (*VisaApplication) SetH1bDependent added in v2.0.10

func (o *VisaApplication) SetH1bDependent(v string)

SetH1bDependent gets a reference to the given string and assigns it to the H1bDependent field.

func (*VisaApplication) SetJobTitle added in v2.0.10

func (o *VisaApplication) SetJobTitle(v string)

SetJobTitle gets a reference to the given string and assigns it to the JobTitle field.

func (*VisaApplication) SetQuarter added in v2.0.10

func (o *VisaApplication) SetQuarter(v int64)

SetQuarter gets a reference to the given int64 and assigns it to the Quarter field.

func (*VisaApplication) SetReceivedDate added in v2.0.10

func (o *VisaApplication) SetReceivedDate(v string)

SetReceivedDate gets a reference to the given string and assigns it to the ReceivedDate field.

func (*VisaApplication) SetSocCode added in v2.0.10

func (o *VisaApplication) SetSocCode(v string)

SetSocCode gets a reference to the given string and assigns it to the SocCode field.

func (*VisaApplication) SetSymbol added in v2.0.10

func (o *VisaApplication) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

func (*VisaApplication) SetVisaClass added in v2.0.10

func (o *VisaApplication) SetVisaClass(v string)

SetVisaClass gets a reference to the given string and assigns it to the VisaClass field.

func (*VisaApplication) SetWageLevel added in v2.0.10

func (o *VisaApplication) SetWageLevel(v string)

SetWageLevel gets a reference to the given string and assigns it to the WageLevel field.

func (*VisaApplication) SetWageRangeFrom added in v2.0.10

func (o *VisaApplication) SetWageRangeFrom(v float32)

SetWageRangeFrom gets a reference to the given float32 and assigns it to the WageRangeFrom field.

func (*VisaApplication) SetWageRangeTo added in v2.0.10

func (o *VisaApplication) SetWageRangeTo(v float32)

SetWageRangeTo gets a reference to the given float32 and assigns it to the WageRangeTo field.

func (*VisaApplication) SetWageUnitOfPay added in v2.0.11

func (o *VisaApplication) SetWageUnitOfPay(v string)

SetWageUnitOfPay gets a reference to the given string and assigns it to the WageUnitOfPay field.

func (*VisaApplication) SetWorksiteAddress added in v2.0.10

func (o *VisaApplication) SetWorksiteAddress(v string)

SetWorksiteAddress gets a reference to the given string and assigns it to the WorksiteAddress field.

func (*VisaApplication) SetWorksiteCity added in v2.0.10

func (o *VisaApplication) SetWorksiteCity(v string)

SetWorksiteCity gets a reference to the given string and assigns it to the WorksiteCity field.

func (*VisaApplication) SetWorksiteCounty added in v2.0.10

func (o *VisaApplication) SetWorksiteCounty(v string)

SetWorksiteCounty gets a reference to the given string and assigns it to the WorksiteCounty field.

func (*VisaApplication) SetWorksitePostalCode added in v2.0.10

func (o *VisaApplication) SetWorksitePostalCode(v string)

SetWorksitePostalCode gets a reference to the given string and assigns it to the WorksitePostalCode field.

func (*VisaApplication) SetWorksiteState added in v2.0.10

func (o *VisaApplication) SetWorksiteState(v string)

SetWorksiteState gets a reference to the given string and assigns it to the WorksiteState field.

func (*VisaApplication) SetYear added in v2.0.10

func (o *VisaApplication) SetYear(v int64)

SetYear gets a reference to the given int64 and assigns it to the Year field.

type VisaApplicationResult added in v2.0.10

type VisaApplicationResult struct {
	// Symbol.
	Symbol *string `json:"symbol,omitempty"`
	// Array of H1b and Permanent visa applications.
	Data *[]VisaApplication `json:"data,omitempty"`
}

VisaApplicationResult struct for VisaApplicationResult

func NewVisaApplicationResult added in v2.0.10

func NewVisaApplicationResult() *VisaApplicationResult

NewVisaApplicationResult instantiates a new VisaApplicationResult object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewVisaApplicationResultWithDefaults added in v2.0.10

func NewVisaApplicationResultWithDefaults() *VisaApplicationResult

NewVisaApplicationResultWithDefaults instantiates a new VisaApplicationResult object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*VisaApplicationResult) GetData added in v2.0.10

func (o *VisaApplicationResult) GetData() []VisaApplication

GetData returns the Data field value if set, zero value otherwise.

func (*VisaApplicationResult) GetDataOk added in v2.0.10

func (o *VisaApplicationResult) GetDataOk() (*[]VisaApplication, bool)

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplicationResult) GetSymbol added in v2.0.10

func (o *VisaApplicationResult) GetSymbol() string

GetSymbol returns the Symbol field value if set, zero value otherwise.

func (*VisaApplicationResult) GetSymbolOk added in v2.0.10

func (o *VisaApplicationResult) GetSymbolOk() (*string, bool)

GetSymbolOk returns a tuple with the Symbol field value if set, nil otherwise and a boolean to check if the value has been set.

func (*VisaApplicationResult) HasData added in v2.0.10

func (o *VisaApplicationResult) HasData() bool

HasData returns a boolean if a field has been set.

func (*VisaApplicationResult) HasSymbol added in v2.0.10

func (o *VisaApplicationResult) HasSymbol() bool

HasSymbol returns a boolean if a field has been set.

func (VisaApplicationResult) MarshalJSON added in v2.0.10

func (o VisaApplicationResult) MarshalJSON() ([]byte, error)

func (*VisaApplicationResult) SetData added in v2.0.10

func (o *VisaApplicationResult) SetData(v []VisaApplication)

SetData gets a reference to the given []VisaApplication and assigns it to the Data field.

func (*VisaApplicationResult) SetSymbol added in v2.0.10

func (o *VisaApplicationResult) SetSymbol(v string)

SetSymbol gets a reference to the given string and assigns it to the Symbol field.

Source Files

Jump to

Keyboard shortcuts

? : This menu
/ : Search site
f or F : Jump to
y or Y : Canonical URL