From c5c97035c03d0f0b5018158b0b966243af45928c Mon Sep 17 00:00:00 2001 From: MarketDataApp Date: Thu, 15 Feb 2024 20:51:47 -0300 Subject: [PATCH] script changes --- .scripts/go/indices/candles.mdx | 1457 ------------------------------- .scripts/go/indices/quotes.mdx | 345 -------- .scripts/gomarkdoc.sh | 33 +- .scripts/process_markdown.py | 64 +- markets_status.go | 14 +- 5 files changed, 100 insertions(+), 1813 deletions(-) delete mode 100644 .scripts/go/indices/candles.mdx delete mode 100644 .scripts/go/indices/quotes.mdx diff --git a/.scripts/go/indices/candles.mdx b/.scripts/go/indices/candles.mdx deleted file mode 100644 index ece8783..0000000 --- a/.scripts/go/indices/candles.mdx +++ /dev/null @@ -1,1457 +0,0 @@ ---- -title: Candles -sidebar_position: 1 ---- - -import Tabs from "@theme/Tabs"; -import TabItem from "@theme/TabItem"; - - - - - -Get historical price candles for any supported stock index. - -## Making Requests - -Use [IndicesCandlesRequest](<#IndicesCandlesRequest>) to make requests to the endpoint using any of the three supported execution methods: - -| Method | Execution | Return Type | Description | -|------------|---------------|----------------------------|-----------------------------------------------------------------------------------------------------------| -| **Get** | Direct | `[]Candle` | Directly returns a slice of `[]Candle`, making it straightforward to access each candle individually. | -| **Packed** | Intermediate | `IndicesCandlesResponse` | Returns a packed `IndicesCandlesResponse` object. Must be unpacked to access the `[]Candle` slice. | -| **Raw** | Low-level | `resty.Response` | Provides the raw `resty.Response` for maximum flexibility. Direct access to raw JSON or `*http.Response`. | - - - -## IndicesCandlesRequest - -```go -type IndicesCandlesRequest struct { - // contains filtered or unexported fields -} -``` - -IndicesCandlesRequest represents a request to the [/v1/indices/candles/]() endpoint. It encapsulates parameters for resolution, symbol, and dates to be used in the request. - -#### Generated By - -- `IndexCandles(client ...*MarketDataClient) *IndicesCandlesRequest` - - IndexCandles creates a new \*IndicesCandlesRequest and returns a pointer to the request allowing for method chaining. - - -#### Setter Methods - -These methods are used to set the parameters of the request. They allow for method chaining by returning a pointer to the \*IndicesCandlesRequest instance they modify. - -- `Resolution(string) *IndicesCandlesRequest` - - Sets the resolution parameter for the request. - -- `Symbol(string) *IndicesCandlesRequest` - - Sets the symbol parameter for the request. - -- `Date(interface{}) *IndicesCandlesRequest` - - Sets the date parameter for the request. - -- `From(interface{}) *IndicesCandlesRequest` - - Sets the 'from' date parameter for the request. - - -#### Execution Methods - -These methods are used to send the request in different formats or retrieve the data. They handle the actual communication with the API endpoint. - -- `Get(...*MarketDataClient) ([]Candle, error)` - - Sends the request, unpacks the response, and returns the data in a user\-friendly format. - -- `Packed(...*MarketDataClient) (*IndicesCandlesResponse, error)` - - Packs the request parameters and sends the request, returning a structured response. - -- `Raw(...*MarketDataClient) (*resty.Response, error)` - - Sends the request as is and returns the raw HTTP response. - - - - - - - - - - -```go -vix, err := IndexCandles().Symbol("VIX").Resolution("D").From("2022-01-01").To("2022-01-05").Get() -if err != nil { - println("Error retrieving VIX index candles:", err.Error()) - return -} - -for _, candle := range vix { - fmt.Println(candle) -} -``` - -#### Output - -``` -Candle{Date: 2022-01-03, Open: 17.6, High: 18.54, Low: 16.56, Close: 16.6} -Candle{Date: 2022-01-04, Open: 16.57, High: 17.81, Low: 16.34, Close: 16.91} -Candle{Date: 2022-01-05, Open: 17.07, High: 20.17, Low: 16.58, Close: 19.73} -``` - - - - - - - - -```go -vix, err := IndexCandles().Symbol("VIX").Resolution("D").To("2022-01-05").Countback(3).Packed() -if err != nil { - println("Error retrieving VIX index candles:", err.Error()) - return -} -fmt.Println(vix) -``` - -#### Output - -``` -IndicesCandlesResponse{Time: [1641186000 1641272400 1641358800], Open: [17.6 16.57 17.07], High: [18.54 17.81 20.17], Low: [16.56 16.34 16.58], Close: [16.6 16.91 19.73]} -``` - - - - - - - - -```go -vix, err := IndexCandles().Symbol("VIX").Resolution("D").From("2022-01-01").To("2022-01-05").Raw() -if err != nil { - println("Error retrieving VIX index candles:", err.Error()) - return -} -fmt.Println(vix) -``` - -#### Output - -``` -{"s":"ok","t":[1641186000,1641272400,1641358800],"o":[17.6,16.57,17.07],"h":[18.54,17.81,20.17],"l":[16.56,16.34,16.58],"c":[16.6,16.91,19.73]} -``` - - - - - -### IndexCandles - -```go -func IndexCandles(client ...*MarketDataClient) *IndicesCandlesRequest -``` - -IndexCandles creates a new [IndicesCandlesRequest](<#IndicesCandlesRequest>) and associates it with the provided client. If no client is provided, it uses the default client. This function initializes the request with default parameters for date, resolution, and symbol, and sets the request path based on the predefined endpoints for indices candles. - -#### Parameters - -- `...*MarketDataClient` - - A variadic parameter that can accept zero or one \*MarketDataClient pointer. If no client is provided, the default client is used. - - -#### Returns - -- `*IndicesCandlesRequest` - - A pointer to the newly created \*IndicesCandlesRequest with default parameters and associated client. - -## IndicesCandlesRequest Setter Methods - - -### Countback - -```go -func (icr *IndicesCandlesRequest) Countback(q int) *IndicesCandlesRequest -``` - -Countback sets the countback parameter for the IndicesCandlesRequest. It specifies the number of candles to return, counting backwards from the 'to' date. - -#### Parameters - -- `int` - - An int representing the number of candles to return. - - -#### Returns - -- `*IndicesCandlesRequest` - - A pointer to the \*IndicesCandlesRequest instance to allow for method chaining. - - - -### Date - -```go -func (icr *IndicesCandlesRequest) Date(q interface{}) *IndicesCandlesRequest -``` - -Date sets the date parameter for the IndicesCandlesRequest. This method is used to specify the date for which the candle data is requested. It modifies the 'date' field of the IndicesCandlesRequest instance to store the date value. - -#### Parameters - -- `interface{}` - - An interface\{\} representing the date to be set. It can be a string, a time.Time object, a Unix int, or any other type that the underlying dates package method can process. - - -#### Returns - -- `*IndicesCandlesRequest` - - This method returns a pointer to the \*IndicesCandlesRequest instance it was called on. This allows for method chaining, where multiple setter methods can be called in a single statement. - - -#### Notes - -- If an error occurs while setting the date \(e.g., if the date value is not supported\), the Error field of the request is set with the encountered error, but the method still returns the \*IndicesCandlesRequest instance to allow for further method calls. - - -### From - -```go -func (icr *IndicesCandlesRequest) From(q interface{}) *IndicesCandlesRequest -``` - -From sets the 'from' date parameter for the IndicesCandlesRequest. It configures the starting point of the date range for which the candle data is requested. - -#### Parameters - -- `interface{}` - - An interface\{\} that represents the starting date. It can be a string, a time.Time object, a Unix timestamp or any other type that the underlying dates package can process. - - -#### Returns - -- `*IndicesCandlesRequest` - - A pointer to the \*IndicesCandlesRequest instance to allow for method chaining. - - - -### Resolution - -```go -func (icr *IndicesCandlesRequest) Resolution(q string) *IndicesCandlesRequest -``` - -Resolution sets the resolution parameter for the [IndicesCandlesRequest](<#IndicesCandlesRequest>). This method is used to specify the granularity of the candle data to be retrieved. It modifies the resolutionParams field of the IndicesCandlesRequest instance to store the resolution value. - -#### Parameters - -- `string` - - A string representing the resolution to be set. Valid resolutions may include values like "D", "5", "1h", etc. See the API's supported resolutions. - - -#### Returns - -- `*IndicesCandlesRequest` - - This method returns a pointer to the \*IndicesCandlesRequest instance it was called on. This allows for method chaining, where multiple setter methods can be called in a single statement. If the receiver \(\*IndicesCandlesRequest\) is nil, it returns nil to prevent a panic. - - -#### Notes - -- If an error occurs while setting the resolution \(e.g., if the resolution value is not supported\), the Error field of the \*IndicesCandlesRequest is set with the encountered error, but the method still returns the IndicesCandlesRequest instance to allow for further method calls by the caller. - - -### Symbol - -```go -func (icr *IndicesCandlesRequest) Symbol(q string) *IndicesCandlesRequest -``` - -Symbol sets the symbol parameter for the [IndicesCandlesRequest](<#IndicesCandlesRequest>). This method is used to specify the index symbol for which the candle data is requested. - -#### Parameters - -- `string` - - A string representing the index symbol to be set. - - -#### Returns - -- `*IndicesCandlesRequest` - - This method returns a pointer to the \*IndicesCandlesRequest instance it was called on. This allows for method chaining, where multiple setter methods can be called in a single statement. If the receiver \(\*IndicesCandlesRequest\) is nil, it returns nil to prevent a panic. - - -#### Notes - -- If an error occurs while setting the symbol \(e.g., if the symbol value is not supported\), the Error field of the IndicesCandlesRequest is set with the encountered error, but the method still returns the IndicesCandlesRequest instance to allow for further method calls or error handling by the caller. - - -### To - -```go -func (icr *IndicesCandlesRequest) To(q interface{}) *IndicesCandlesRequest -``` - -To sets the 'to' date parameter for the IndicesCandlesRequest. It configures the ending point of the date range for which the candle data is requested. - -#### Parameters - -- `interface{}` - - An interface\{\} that represents the ending date. It can be a string, a time.Time object, or any other type that the underlying SetTo method can process. - - -#### Returns - -- `*IndicesCandlesRequest` - - A pointer to the \*IndicesCandlesRequest instance to allow for method chaining. - - - -## IndicesCandlesRequest Execution Methods - -### Get - -```go -func (icr *IndicesCandlesRequest) Get(optionalClients ...*MarketDataClient) ([]models.Candle, error) -``` - -Get sends the [IndicesCandlesRequest](<#IndicesCandlesRequest>), unpacks the \[IndicesCandlesResponse\], and returns a slice of \[IndexCandle\]. It returns an error if the request or unpacking fails. This method is crucial for obtaining the actual candle data from the indices candles request. The method first checks if the IndicesCandlesRequest receiver is nil, which would result in an error as the request cannot be sent. It then proceeds to send the request using the Packed method. Upon receiving the response, it unpacks the data into a slice of IndexCandle using the Unpack method from the response. An optional MarketDataClient can be passed to replace the client used in the request. - -#### Parameters - -- `...*MarketDataClient` - - A variadic parameter that can accept zero or one \*MarketDataClient pointer. If a client is provided, it replaces the current client for this request. - - -#### Returns - -- `[]Candle` - - A slice of \[\]Candle containing the unpacked candle data from the response. - -- `error` - - An error object that indicates a failure in sending the request or unpacking the response. - - - - -### Packed - -```go -func (icr *IndicesCandlesRequest) Packed(optionalClients ...*MarketDataClient) (*models.IndicesCandlesResponse, error) -``` - -Packed sends the IndicesCandlesRequest and returns the IndicesCandlesResponse. This method checks if the IndicesCandlesRequest receiver is nil, returning an error if true. An optional MarketDataClient can be passed to replace the client used in the request. Otherwise, it proceeds to send the request and returns the IndicesCandlesResponse along with any error encountered during the request. - -#### Parameters - -- `...*MarketDataClient` - - A variadic parameter that can accept zero or one \*MarketDataClient pointer. If a client is provided, it replaces the current client for this request. - - -#### Returns - -- `*models.IndicesCandlesResponse` - - A pointer to the \*IndicesCandlesResponse obtained from the request. - -- `error` - - An error object that indicates a failure in sending the request. - - - - - - - - - -## IndicesCandlesResponse - -```go -type IndicesCandlesResponse struct { - Date []int64 `json:"t"` // Date holds the Unix timestamps for each candle, representing the time at which each candle was opened. - Open []float64 `json:"o"` // Open contains the opening prices for each candle in the response. - High []float64 `json:"h"` // High includes the highest prices reached during the time period each candle represents. - Low []float64 `json:"l"` // Low encompasses the lowest prices during the candle's time period. - Close []float64 `json:"c"` // Close contains the closing prices for each candle, marking the final price at the end of each candle's time period. -} -``` - -IndicesCandlesResponse represents the response structure for indices candles data. It includes slices for time, open, high, low, and close values of the indices. - -#### Generated By - -- `IndexCandlesRequest.Packed()` - - This method sends the IndicesCandlesRequest to the Market Data API and returns the IndicesCandlesResponse. It handles the actual communication with the \[/v1/indices/candles/] endpoint, sending the request, and returns a packed response that strictly conforms to the Market Data JSON response without unpacking the result into individual candle structs. - - -#### Methods - -- `String()` - - Provides a formatted string representation of the IndicesCandlesResponse instance. This method is primarily used for logging or debugging purposes, allowing the user to easily view the contents of an IndicesCandlesResponse object in a human\-readable format. It concatenates the time, open, high, low, and close values of the indices into a single string. - -- `Unpack() ([]Candle, error)` - - Unpacks the IndicesCandlesResponse into a slice of Candle structs, checking for errors in data consistency. - -- `MarshalJSON()` - - Marshals the IndicesCandlesResponse into a JSON object with ordered keys. - -- `UnmarshalJSON(data []byte)` - - Custom unmarshals a JSON object into the IndicesCandlesResponse, including validation. - -- `Validate()` - - Runs checks for time in ascending order, equal slice lengths, and no empty slices. - -- `IsValid()` - - Checks if the IndicesCandlesResponse passes all validation checks and returns a boolean. - - - - - -### IsValid - -```go -func (icr *IndicesCandlesResponse) IsValid() bool -``` - -#### Returns - -- `bool` - - Indicates whether the IndicesCandlesResponse is valid. - - - -### MarshalJSON - -```go -func (icr *IndicesCandlesResponse) MarshalJSON() ([]byte, error) -``` - -MarshalJSON marshals the IndicesCandlesResponse struct into a JSON object, ensuring the keys are ordered as specified. This method is particularly useful when a consistent JSON structure with ordered keys is required for external interfaces or storage. The "s" key is set to "ok" to indicate successful marshaling, followed by the indices data keys "t", "o", "h", "l", and "c". - -#### Returns - -- `[]byte` - - A byte slice representing the marshaled JSON object. The keys within the JSON object are ordered as "s", "t", "o", "h", "l", and "c". - -- `error` - - An error object if marshaling fails, otherwise nil. - - - -### String - -```go -func (icr *IndicesCandlesResponse) String() string -``` - -String provides a formatted string representation of the IndicesCandlesResponse instance. This method is primarily used for logging or debugging purposes, allowing the user to easily view the contents of an IndicesCandlesResponse object in a human\-readable format. It concatenates the time, open, high, low, and close values of the indices into a single string. - -#### Returns - -- `string` - - A formatted string containing the time, open, high, low, and close values of the indices. - - - -### UnmarshalJSON - -```go -func (icr *IndicesCandlesResponse) UnmarshalJSON(data []byte) error -``` - -UnmarshalJSON custom unmarshals a JSON object into the IndicesCandlesResponse, incorporating validation to ensure the data integrity of the unmarshaled object. This method is essential for converting JSON data into a structured IndicesCandlesResponse object while ensuring that the data adheres to expected formats and constraints. - -#### Parameters - -- `[]byte` - - A byte slice of the JSON object to be unmarshaled. - - -#### Returns - -- `error` - - An error if unmarshaling or validation fails, otherwise nil. - - - -### Unpack - -```go -func (icr *IndicesCandlesResponse) Unpack() ([]Candle, error) -``` - -Unpack converts the IndicesCandlesResponse into a slice of IndexCandle. - -#### Returns - -- `[]Candle` - - A slice of [Candle](<#Candle>) that holds the OHLC data. - -- `error` - - An error object that indicates a failure in unpacking the response. - - - -### Validate - -```go -func (icr *IndicesCandlesResponse) Validate() error -``` - -Validate performs multiple checks on the IndicesCandlesResponse to ensure data integrity. This method is crucial for verifying that the response data is consistent and reliable, specifically checking for time sequence, equal length of data slices, and the presence of data in each slice. It's used to preemptively catch and handle data\-related errors before they can affect downstream processes. - -#### Returns - -- `error` - - An error if any validation check fails, otherwise nil. This allows for easy identification of data integrity issues. - - - - - -## Candle - -```go -type Candle struct { - Symbol string `json:"symbol,omitempty"` // The symbol of the candle. - Date time.Time `json:"t"` // Date represents the date and time of the candle. - Open float64 `json:"o"` // Open is the opening price of the candle. - High float64 `json:"h"` // High is the highest price reached during the candle's time. - Low float64 `json:"l"` // Low is the lowest price reached during the candle's time. - Close float64 `json:"c"` // Close is the closing price of the candle. - Volume int64 `json:"v,omitempty"` // Volume represents the trading volume during the candle's time. - VWAP float64 `json:"vwap,omitempty"` // VWAP is the Volume Weighted Average Price, optional. - N int64 `json:"n,omitempty"` // N is the number of trades that occurred, optional. -} -``` - -Candle represents a single candle in a stock candlestick chart, encapsulating the time, open, high, low, close prices, volume, and optionally the symbol, VWAP, and number of trades. - -#### Generated By - -- `StockCandlesResponse.Unpack()` - - Generates Candle instances from a StockCandlesResponse. - -- `BulkStockCandlesResponse.Unpack()` - - Generates Candle instances from a BulkStockStockCandlesResponse. - -- `IndicesCandlesResponse.Unpack()` - - Generates Candle instances from a IndicesCandlesResponse. - - -#### Methods - -- `String() string` - - Provides a string representation of the Candle. - -- `Equals(other Candle) bool` - - Checks if two Candle instances are equal. - -- `MarshalJSON() ([]byte, error)` - - Customizes the JSON output of Candle. - -- `UnmarshalJSON(data []byte) error` - - Customizes the JSON input processing of Candle. - - -#### Notes - -- The VWAP, N fields are optional and will only be present in v2 Stock Candles. -- The Volume field is optional and will not be present in Index Candles. -- The Symbol field is optional and only be present in candles that were generated using the bulkcandles endpoint. - - - - -### Clone - -```go -func (c Candle) Clone() Candle -``` - -Clones the current Candle instance, creating a new instance with the same values. This method is useful when you need a copy of a Candle instance without modifying the original instance. - -#### Returns - -- `Candle` - - A new Candle instance with the same values as the current instance. - - - -### Equals - -```go -func (c Candle) Equals(other Candle) bool -``` - -Equals compares the current Candle instance with another Candle instance to determine if they represent the same candle data. This method is useful for validating if two Candle instances have identical properties, including symbol, date/time, open, high, low, close prices, volume, VWAP, and number of trades. It's primarily used in scenarios where candle data integrity needs to be verified or when deduplicating candle data. - -#### Parameters - -- `Candle` - - The other Candle instance to compare against the current instance. - - -#### Returns - -- `bool` - - Indicates whether the two Candle instances are identical. True if all properties match, false otherwise. - - -#### Notes - -- This method performs a deep equality check on all Candle properties, including date/time which is compared using the Equal method from the time package to account for potential timezone differences. - - -### IsAfter - -```go -func (c Candle) IsAfter(other Candle) bool -``` - -IsAfter determines if the current Candle instance occurred after another specified Candle instance. This method is useful for chronological comparisons between two Candle instances, particularly in time series analysis or when organizing historical financial data in ascending order. - -#### Parameters - -- `Candle` - - The other Candle instance to compare with the current Candle instance. - - -#### Returns - -- `bool` - - Indicates whether the current Candle's date is after the 'other' Candle's date. Returns true if it is; otherwise, false. - - - -### IsBefore - -```go -func (c Candle) IsBefore(other Candle) bool -``` - -IsBefore determines whether the current Candle instance occurred before another specified Candle instance. This method is primarily used for comparing the dates of two Candle instances to establish their chronological order, which can be useful in time series analysis or when organizing historical financial data. - -#### Parameters - -- `Candle` - - The other Candle instance to compare with the current Candle instance. - - -#### Returns - -- `bool` - - Returns true if the date of the current Candle instance is before the date of the 'other' Candle instance; otherwise, returns false. - - -#### Notes - -- This method only compares the dates of the Candle instances, ignoring other fields such as Open, Close, High, Low, etc. - - -### IsValid - -```go -func (c Candle) IsValid() bool -``` - -IsValid evaluates the financial data of a Candle to determine its validity. This method is essential for ensuring that the Candle's data adheres to basic financial integrity rules, making it a critical step before performing further analysis or operations with Candle data. A Candle is deemed valid if its high, open, and close prices are logically consistent with each other and its volume is non\-negative. - -#### Returns - -- `bool` - - Indicates whether the Candle is valid based on its financial data. Returns true if all validity criteria are met; otherwise, false. - - - -### MarshalJSON - -```go -func (c Candle) MarshalJSON() ([]byte, error) -``` - -MarshalJSON customizes the JSON output of the Candle struct, primarily used for converting the Candle data into a JSON format that includes the Date as a Unix timestamp instead of the standard time.Time format. This method is particularly useful when the Candle data needs to be serialized into JSON for storage or transmission over networks where a compact and universally understood date format is preferred. - -#### Returns - -- `[]byte` - - The JSON\-encoded representation of the Candle. - -- `error` - - An error if the JSON marshaling fails. - - -#### Notes - -- The Date field of the Candle is converted to a Unix timestamp to facilitate easier handling of date and time in JSON. - - -### String - -```go -func (c Candle) String() string -``` - -String provides a textual representation of the Candle instance. This method is primarily used for logging or debugging purposes, where a developer needs a quick and easy way to view the contents of a Candle instance in a human\-readable format. - -#### Returns - -- `string` - - A string that represents the Candle instance, including its symbol, date/time, open, high, low, close prices, volume, VWAP, and number of trades, if available. - - -#### Notes - -- The output format is designed to be easily readable, with each field labeled and separated by commas. -- Fields that are not applicable or not set \(e.g., VWAP, N, Volume for Index Candles\) are omitted from the output. - - -### UnmarshalJSON - -```go -func (c *Candle) UnmarshalJSON(data []byte) error -``` - -UnmarshalJSON customizes the JSON input processing of Candle. - -UnmarshalJSON customizes the JSON input processing for the Candle struct, allowing for the Date field to be correctly interpreted from a Unix timestamp \(integer\) back into a Go time.Time object. This method is essential for deserializing Candle data received in JSON format, where date and time are represented as Unix timestamps, ensuring the Candle struct accurately reflects the original data. - -#### Parameters - -- `data []byte` - - The JSON\-encoded data that is to be unmarshaled into the Candle struct. - - -#### Returns - -- `error` - - An error if the JSON unmarshaling fails, nil otherwise. - - -#### Notes - -- The Date field in the JSON is expected to be a Unix timestamp \(integer\). This method converts it back to a time.Time object, ensuring the Candle struct's Date field is correctly populated. - - -## ByClose - -```go -type ByClose []Candle -``` - -ByClose implements sort.Interface for \[\]Candle based on the Close field. - - - - - - - - - -```go -// Create a slice of Candle instances -candles := []Candle{ - {Symbol: "AAPL", Date: time.Now(), Open: 100, High: 105, Low: 95, Close: 102, Volume: 1000}, - {Symbol: "AAPL", Date: time.Now(), Open: 102, High: 106, Low: 98, Close: 104, Volume: 1500}, - {Symbol: "AAPL", Date: time.Now(), Open: 99, High: 103, Low: 97, Close: 100, Volume: 1200}, -} - -// Sort the candles by their Close value using sort.Sort and ByClose -sort.Sort(ByClose(candles)) - -// Print the sorted candles to demonstrate the order -for _, candle := range candles { - fmt.Printf("Close: %v\n", candle.Close) -} - -``` - -#### Output - -``` -Close: 100 -Close: 102 -Close: 104 -``` - - - - - -### Len - -```go -func (a ByClose) Len() int -``` - - - - -### Less - -```go -func (a ByClose) Less(i, j int) bool -``` - - - - -### Swap - -```go -func (a ByClose) Swap(i, j int) -``` - - - - -## ByDate - -```go -type ByDate []Candle -``` - -ByDate implements sort.Interface for \[\]Candle based on the Date field. This allows for sorting a slice of Candle instances by their Date field in ascending order. - - - - - - - - - -```go -// Assuming the Candle struct has at least a Date field of type time.Time -candles := []Candle{ - {Date: time.Date(2023, 3, 10, 0, 0, 0, 0, time.UTC)}, - {Date: time.Date(2023, 1, 5, 0, 0, 0, 0, time.UTC)}, - {Date: time.Date(2023, 2, 20, 0, 0, 0, 0, time.UTC)}, -} - -// Sorting the slice of Candle instances by their Date field in ascending order -sort.Sort(ByDate(candles)) - -// Printing out the sorted dates to demonstrate the order -for _, candle := range candles { - fmt.Println(candle.Date.Format("2006-01-02")) -} - -``` - -#### Output - -``` -2023-01-05 -2023-02-20 -2023-03-10 -``` - - - - - -### Len - -```go -func (a ByDate) Len() int -``` - - - - -### Less - -```go -func (a ByDate) Less(i, j int) bool -``` - - - - -### Swap - -```go -func (a ByDate) Swap(i, j int) -``` - - - - -## ByHigh - -```go -type ByHigh []Candle -``` - -ByHigh implements sort.Interface for \[\]Candle based on the High field. - - - - - - - - - -```go -// Assuming the Candle struct has at least a High field of type float64 -candles := []Candle{ - {High: 15.2}, - {High: 11.4}, - {High: 13.5}, -} - -// Sorting the slice of Candle instances by their High field in ascending order -sort.Sort(ByHigh(candles)) - -// Printing out the sorted High values to demonstrate the order -for _, candle := range candles { - fmt.Printf("%.1f\n", candle.High) -} - -``` - -#### Output - -``` -11.4 -13.5 -15.2 -``` - - - - - -### Len - -```go -func (a ByHigh) Len() int -``` - - - - -### Less - -```go -func (a ByHigh) Less(i, j int) bool -``` - - - - -### Swap - -```go -func (a ByHigh) Swap(i, j int) -``` - - - - -## ByLow - -```go -type ByLow []Candle -``` - -ByLow implements sort.Interface for \[\]Candle based on the Low field. - - - - - - - - - -```go -// Assuming the Candle struct has at least a Low field of type float64 -candles := []Candle{ - {Low: 5.5}, - {Low: 7.2}, - {Low: 6.3}, -} - -// Sorting the slice of Candle instances by their Low field in ascending order -sort.Sort(ByLow(candles)) - -// Printing out the sorted Low values to demonstrate the order -for _, candle := range candles { - fmt.Printf("%.1f\n", candle.Low) -} - -``` - -#### Output - -``` -5.5 -6.3 -7.2 -``` - - - - - -### Len - -```go -func (a ByLow) Len() int -``` - - - - -### Less - -```go -func (a ByLow) Less(i, j int) bool -``` - - - - -### Swap - -```go -func (a ByLow) Swap(i, j int) -``` - - - - -## ByN - -```go -type ByN []Candle -``` - -ByN implements sort.Interface for \[\]Candle based on the N field. - - - - - - - - - -```go -// Assuming the Candle struct has at least an N field of type int (or any comparable type) -candles := []Candle{ - {N: 3}, - {N: 1}, - {N: 2}, -} - -// Sorting the slice of Candle instances by their N field in ascending order -sort.Sort(ByN(candles)) - -// Printing out the sorted N values to demonstrate the order -for _, candle := range candles { - fmt.Println(candle.N) -} - -``` - -#### Output - -``` -1 -2 -3 -``` - - - - - -### Len - -```go -func (a ByN) Len() int -``` - - - - -### Less - -```go -func (a ByN) Less(i, j int) bool -``` - - - - -### Swap - -```go -func (a ByN) Swap(i, j int) -``` - - - - -## ByOpen - -```go -type ByOpen []Candle -``` - -ByOpen implements sort.Interface for \[\]Candle based on the Open field. - - - - - - - - - -```go -// Assuming the Candle struct has at least an Open field of type float64 -candles := []Candle{ - {Open: 10.5}, - {Open: 8.2}, - {Open: 9.7}, -} - -// Sorting the slice of Candle instances by their Open field in ascending order -sort.Sort(ByOpen(candles)) - -// Printing out the sorted Open values to demonstrate the order -for _, candle := range candles { - fmt.Printf("%.1f\n", candle.Open) -} - -``` - -#### Output - -``` -8.2 -9.7 -10.5 -``` - - - - - -### Len - -```go -func (a ByOpen) Len() int -``` - - - - -### Less - -```go -func (a ByOpen) Less(i, j int) bool -``` - - - - -### Swap - -```go -func (a ByOpen) Swap(i, j int) -``` - - - - -## BySymbol - -```go -type BySymbol []Candle -``` - -BySymbol implements sort.Interface for \[\]Candle based on the Symbol field. Candles are sorted in ascending order. - - - - - - - - - -```go -// Create a slice of Candle instances with different symbols -candles := []Candle{ - {Symbol: "MSFT", Date: time.Date(2023, 4, 10, 0, 0, 0, 0, time.UTC), Open: 250.0, High: 255.0, Low: 248.0, Close: 252.0, Volume: 3000}, - {Symbol: "AAPL", Date: time.Date(2023, 4, 10, 0, 0, 0, 0, time.UTC), Open: 150.0, High: 155.0, Low: 149.0, Close: 152.0, Volume: 2000}, - {Symbol: "GOOGL", Date: time.Date(2023, 4, 10, 0, 0, 0, 0, time.UTC), Open: 1200.0, High: 1210.0, Low: 1195.0, Close: 1205.0, Volume: 1000}, -} - -// Sort the candles by their Symbol using sort.Sort and BySymbol -sort.Sort(BySymbol(candles)) - -// Print the sorted candles to demonstrate the order -for _, candle := range candles { - fmt.Printf("Symbol: %s, Close: %.2f\n", candle.Symbol, candle.Close) -} - -``` - -#### Output - -``` -Symbol: AAPL, Close: 152.00 -Symbol: GOOGL, Close: 1205.00 -Symbol: MSFT, Close: 252.00 -``` - - - - - -### Len - -```go -func (a BySymbol) Len() int -``` - - - - -### Less - -```go -func (a BySymbol) Less(i, j int) bool -``` - - - - -### Swap - -```go -func (a BySymbol) Swap(i, j int) -``` - - - - -## ByVWAP - -```go -type ByVWAP []Candle -``` - -ByVWAP implements sort.Interface for \[\]Candle based on the VWAP field. - - - - - - - - - -```go -// Assuming the Candle struct has at least a VWAP (Volume Weighted Average Price) field of type float64 -candles := []Candle{ - {VWAP: 10.5}, - {VWAP: 8.2}, - {VWAP: 9.7}, -} - -// Sorting the slice of Candle instances by their VWAP field in ascending order -sort.Sort(ByVWAP(candles)) - -// Printing out the sorted VWAP values to demonstrate the order -for _, candle := range candles { - fmt.Printf("%.1f\n", candle.VWAP) -} - -``` - -#### Output - -``` -8.2 -9.7 -10.5 -``` - - - - - -### Len - -```go -func (a ByVWAP) Len() int -``` - - - - -### Less - -```go -func (a ByVWAP) Less(i, j int) bool -``` - - - - -### Swap - -```go -func (a ByVWAP) Swap(i, j int) -``` - - - - -## ByVolume - -```go -type ByVolume []Candle -``` - -ByVolume implements sort.Interface for \[\]Candle based on the Volume field. - - - - - - - - - -```go -// Assuming the Candle struct has at least a Volume field of type int -candles := []Candle{ - {Volume: 300}, - {Volume: 100}, - {Volume: 200}, -} - -// Sorting the slice of Candle instances by their Volume field in ascending order -sort.Sort(ByVolume(candles)) - -// Printing out the sorted volumes to demonstrate the order -for _, candle := range candles { - fmt.Println(candle.Volume) -} - -``` - -#### Output - -``` -100 -200 -300 -``` - - - - - -### Len - -```go -func (a ByVolume) Len() int -``` - - - - -### Less - -```go -func (a ByVolume) Less(i, j int) bool -``` - - - - -### Swap - -```go -func (a ByVolume) Swap(i, j int) -``` - - - - diff --git a/.scripts/go/indices/quotes.mdx b/.scripts/go/indices/quotes.mdx deleted file mode 100644 index 10d276c..0000000 --- a/.scripts/go/indices/quotes.mdx +++ /dev/null @@ -1,345 +0,0 @@ ---- -title: Quotes -sidebar_position: 2 ---- - - - - - -Retrieve real\-time quotes for any supported index. - -## Making Requests - -Utilize [IndexQuoteRequest](<#IndexQuoteRequest>) to make requests to the endpoint through one of the three supported execution methods: - -| Method | Execution | Return Type | Description | -|------------|---------------|----------------------------|-----------------------------------------------------------------------------------------------------------| -| **Get** | Direct | `[]IndexQuote` | Directly returns a slice of `[]IndexQuote`, facilitating individual access to each quote. | -| **Packed** | Intermediate | `IndexQuotesResponse` | Returns a packed `IndexQuotesResponse` object. Must be unpacked to access the `[]IndexQuote` slice. | -| **Raw** | Low-level | `resty.Response` | Offers the raw `resty.Response` for utmost flexibility. Direct access to raw JSON or `*http.Response`. | - - - -## IndexQuoteRequest - -```go -type IndexQuoteRequest struct { - // contains filtered or unexported fields -} -``` - -IndexQuoteRequest represents a request to the [/v1/indices/quotes/]() endpoint. It encapsulates parameters for symbol and fifty\-two\-week data to be used in the request. This struct provides methods such as Symbol\(\) and FiftyTwoWeek\(\) to set these parameters respectively. - -#### Generated By - -- `IndexQuotes(client ...*MarketDataClient)` - - IndexQuotes creates a new \*IndexQuoteRequest and returns a pointer to the request allowing for method chaining. - - -#### Setter Methods - -These methods are used to set the parameters of the request. They allow for method chaining by returning a pointer to the \*IndexQuoteRequest instance they modify. - -- `Symbol(string) *IndexQuoteRequest` - - Sets the symbol parameter for the request. - -- `FiftyTwoWeek(bool) *IndexQuoteRequest` - - Sets the fifty\-two\-week parameter for the request. - - -#### Execution Methods - -These methods are used to send the request in different formats or retrieve the data. They handle the actual communication with the API endpoint. - -- `Raw() (*resty.Response, error)` - - Sends the request as is and returns the raw HTTP response. - -- `Packed() (*IndexQuotesResponse, error)` - - Packs the request parameters and sends the request, returning a structured response. - -- `Get() ([]IndexQuote, error)` - - Sends the request, unpacks the response, and returns the data in a user\-friendly format. - - - - - -### IndexQuotes - -```go -func IndexQuotes(client ...*MarketDataClient) *IndexQuoteRequest -``` - -IndexQuotes creates a new IndexQuoteRequest and associates it with the provided client. If no client is provided, it uses the default client. This function initializes the request with default parameters for symbol and fifty\-two\-week data, and sets the request path based on the predefined endpoints for index quotes. - -#### Parameters - -- `...*MarketDataClient` - - A variadic parameter that can accept zero or one MarketDataClient pointer. If no client is provided, the default client is used. - - -#### Returns - -- `*IndexQuoteRequest` - - A pointer to the newly created IndexQuoteRequest with default parameters and associated client. - -## IndexQuoteRequest Setter Methods - - -### FiftyTwoWeek - -```go -func (iqr *IndexQuoteRequest) FiftyTwoWeek(q bool) *IndexQuoteRequest -``` - -FiftyTwoWeek sets the FiftyTwoWeek parameter for the IndexQuoteRequest. This method is used to specify whether to include fifty\-two\-week high and low data in the quote. It modifies the fiftyTwoWeekParams field of the IndexQuoteRequest instance to store the boolean value. - -#### Parameters - -- `bool` - - A boolean indicating whether to include fifty\-two\-week data. - - -#### Returns - -- `*IndexQuoteRequest` - - This method returns a pointer to the IndexQuoteRequest instance it was called on. This allows for method chaining. If the receiver \(\*IndexQuoteRequest\) is nil, it returns nil to prevent a panic. - - - -### Symbol - -```go -func (iqr *IndexQuoteRequest) Symbol(q string) *IndexQuoteRequest -``` - -Symbol sets the symbol parameter for the IndexQuoteRequest. This method is used to specify the market symbol for which the quote data is requested. It modifies the symbolParams field of the IndexQuoteRequest instance to store the symbol value. - -#### Parameters - -- `string` - - A string representing the market symbol to be set. - - -#### Returns - -- `*IndexQuoteRequest` - - This method returns a pointer to the IndexQuoteRequest instance it was called on. This allows for method chaining, where multiple setter methods can be called in a single statement. If the receiver \(\*IndexQuoteRequest\) is nil, it returns nil to prevent a panic. - - -#### Note: - -- If an error occurs while setting the symbol \(e.g., if the symbol value is not supported\), the Error field of the IndexQuoteRequest is set with the encountered error, but the method still returns the IndexQuoteRequest instance to allow for further method calls or error handling by the caller. - - -## IndexQuoteRequest Execution Methods - -### Get - -```go -func (iqr *IndexQuoteRequest) Get(optionalClients ...*MarketDataClient) ([]models.IndexQuote, error) -``` - -Get sends the IndexQuoteRequest, unpacks the IndexQuotesResponse, and returns a slice of IndexQuote. It returns an error if the request or unpacking fails. This method is crucial for obtaining the actual quote data from the index quote request. The method first checks if the IndexQuoteRequest receiver is nil, which would result in an error as the request cannot be sent. It then proceeds to send the request using the Packed method. Upon receiving the response, it unpacks the data into a slice of IndexQuote using the Unpack method from the response. An optional MarketDataClient can be passed to replace the client used in the request. - -#### Parameters - -- `...*MarketDataClient` - - A variadic parameter that can accept zero or one MarketDataClient pointer. If a client is provided, it replaces the current client for this request. - - -#### Returns - -- `[]models.IndexQuote` - - A slice of IndexQuote containing the unpacked quote data from the response. - -- `error` - - An error object that indicates a failure in sending the request or unpacking the response. - - - - -### Packed - -```go -func (iqr *IndexQuoteRequest) Packed(optionalClients ...*MarketDataClient) (*models.IndexQuotesResponse, error) -``` - -Packed sends the IndexQuoteRequest and returns the IndexQuotesResponse. This method checks if the IndexQuoteRequest receiver is nil, returning an error if true. An optional MarketDataClient can be passed to replace the client used in the request. Otherwise, it proceeds to send the request and returns the IndexQuotesResponse along with any error encountered during the request. - -#### Parameters - -- `...*MarketDataClient` - - A variadic parameter that can accept zero or one \*MarketDataClient pointer. If a client is provided, it replaces the current client for this request. - - -#### Returns - -- `*models.IndexQuotesResponse` - - A pointer to the IndexQuotesResponse obtained from the request. - -- `error` - - An error object that indicates a failure in sending the request. - - - - - - - - - -## IndexQuote - -```go -type IndexQuote struct { - Symbol string // Symbol is the stock symbol or ticker. - Last float64 // Last is the last traded price. - Change *float64 // Change represents the change in price, can be nil if not applicable. - ChangePct *float64 // ChangePct represents the percentage change in price, can be nil if not applicable. - High52 *float64 // High52 is the 52-week high price, can be nil if not applicable. - Low52 *float64 // Low52 is the 52-week low price, can be nil if not applicable. - Volume int64 // Volume is the number of shares traded. - Updated time.Time // Updated is the timestamp of the last update. -} -``` - -IndexQuote represents a single quote for an index, encapsulating details such as the symbol, last traded price, price changes, 52\-week high and low prices, volume, and the timestamp of the last update. - -#### Generated By - -- `IndexQuotesResponse.Unpack()` - - Generates IndexQuote instances from an IndexQuotesResponse. - - -#### Methods - -- `String() string` - - Provides a string representation of the IndexQuote. - - -#### Notes - -- The Change and ChangePct fields are pointers to accommodate nil values, indicating that the change information is not applicable or unavailable. -- The High52 and Low52 fields are also pointers, allowing these fields to be nil if 52\-week high/low data is not applicable or unavailable. - - - - -### String - -```go -func (iq IndexQuote) String() string -``` - -String generates a string representation of the IndexQuote for easy human\-readable display. It is useful for logging, debugging, or displaying the IndexQuote details, including symbol, last traded price, volume, update timestamp, and optionally, 52\-week highs, lows, and price changes if available. - -#### Returns - -- `string` - - A formatted string encapsulating the IndexQuote details. It includes the symbol, last price, volume, update timestamp, and, if not nil, 52\-week highs, lows, change, and percentage change. - - - -## IndexQuotesResponse - -```go -type IndexQuotesResponse struct { - Symbol []string `json:"symbol"` // Symbols are the stock symbols or tickers. - Last []float64 `json:"last"` // Last contains the last traded prices. - Change []*float64 `json:"change,omitempty"` // Change represents the change in price, can be nil if not applicable. - ChangePct []*float64 `json:"changepct,omitempty"` // ChangePct represents the percentage change in price, can be nil if not applicable. - High52 *[]float64 `json:"52weekHigh,omitempty"` // High52 points to a slice of 52-week high prices, can be nil if not applicable. - Low52 *[]float64 `json:"52weekLow,omitempty"` // Low52 points to a slice of 52-week low prices, can be nil if not applicable. - Updated []int64 `json:"updated"` // Updated contains timestamps of the last updates. -} -``` - -IndexQuotesResponse encapsulates the data for index quotes, including symbols, last prices, price changes, percentage changes, 52\-week highs and lows, and update timestamps. - -#### Generated By - -- `IndexQuoteRequest.Packed()` - - Fetches index quotes and returns them in an IndexQuotesResponse struct. - - -#### Methods - -- `Unpack() ([]IndexQuote, error)` - - Transforms the IndexQuotesResponse into a slice of IndexQuote for individual processing. - -- `String() string` - - Provides a string representation of the IndexQuotesResponse for logging or debugging. - - -#### Notes - -- The Change and ChangePct fields are pointers to accommodate nil values, indicating that the change information is not applicable or unavailable. -- The High52 and Low52 fields are pointers to slices, allowing for the entire field to be nil if 52\-week high/low data is not applicable or unavailable. - - - - -### String - -```go -func (iqr *IndexQuotesResponse) String() string -``` - -String provides a formatted string representation of the IndexQuotesResponse instance. This method is primarily used for logging or debugging purposes, allowing the user to easily view the contents of an IndexQuotesResponse object in a human\-readable format. It concatenates various fields of the IndexQuotesResponse into a single string, making it easier to understand the response at a glance. - -#### Returns - -- `string` - - A formatted string containing the contents of the IndexQuotesResponse. - - - -### Unpack - -```go -func (iqr *IndexQuotesResponse) Unpack() ([]IndexQuote, error) -``` - -Unpack transforms the IndexQuotesResponse into a slice of IndexQuote. This method is primarily used for converting a bulk response of index quotes into individual index quote objects, making them easier to work with in a program. It is useful when you need to process or display index quotes individually after fetching them in bulk. - -#### Returns - -- `[]IndexQuote` - - A slice of IndexQuote derived from the IndexQuotesResponse, allowing for individual access and manipulation of index quotes. - -- `error` - - An error if any issues occur during the unpacking process, enabling error handling in the calling function. - - - - - diff --git a/.scripts/gomarkdoc.sh b/.scripts/gomarkdoc.sh index 8d091b3..054b44f 100755 --- a/.scripts/gomarkdoc.sh +++ b/.scripts/gomarkdoc.sh @@ -2,6 +2,23 @@ set -e # Exit immediately if a command exits with a non-zero status. +# Flag to determine whether cleanup should be performed +PERFORM_CLEANUP=true + +# Parse command-line arguments +for arg in "$@" +do + case $arg in + --no-cleanup) + PERFORM_CLEANUP=false + shift # Remove --no-cleanup from processing + ;; + *) + # Unknown option + ;; + esac +done + # Function to create a new temporary directory create_tmp_dir() { echo $(mktemp -d) @@ -20,17 +37,11 @@ move_and_merge_go_dir() { SOURCE_DIR="$OUTPUT_DIR/go" # Assuming the 'go' folder is directly inside the OUTPUT_DIR # Use rsync to copy files from source to destination. - rsync -av --ignore-existing --remove-source-files "$SOURCE_DIR/" "$DEST_DIR/" + rsync -av --remove-source-files "$SOURCE_DIR/" "$DEST_DIR/" # Find and remove empty directories in the source directory find "$SOURCE_DIR" -type d -empty -delete - # After running rsync and find - if [ -z "$(ls -A "$SOURCE_DIR")" ]; then - echo "$SOURCE_DIR is empty, removing..." - rmdir "$SOURCE_DIR" - fi - echo "Moved and merged 'go' directory from $SOURCE_DIR to $DEST_DIR" } @@ -89,8 +100,11 @@ process_group() { # Run the Python script on all markdown files "$OUTPUT_DIR/process_markdown.py" "$OUTPUT_DIR"/*.md - # Remove the Markdown files - rm "$OUTPUT_DIR"/*.md + + if [ "$PERFORM_CLEANUP" = true ]; then + # Remove the Markdown files + rm "$OUTPUT_DIR"/*.md + fi echo "Markdown processing and cleanup completed for $GROUP_NAME" } @@ -98,6 +112,7 @@ process_group() { # Call process_group for each group name process_group "indices_candles" process_group "indices_quotes" +process_group "markets_status" # Add more calls to process_group with different group names as needed diff --git a/.scripts/process_markdown.py b/.scripts/process_markdown.py index 73e2aff..d50f298 100755 --- a/.scripts/process_markdown.py +++ b/.scripts/process_markdown.py @@ -7,6 +7,8 @@ URL_TO_INFO = { "https://www.marketdata.app/docs/api/indices/candles": {"title": "Candles", "sidebar_position": 1}, "https://www.marketdata.app/docs/api/indices/quotes": {"title": "Quotes", "sidebar_position": 2}, + "https://www.marketdata.app/docs/api/markets/status": {"title": "Status", "sidebar_position": 1}, + # Add more mappings as needed } @@ -54,6 +56,65 @@ def colapse_bullet_points(content): # Join the modified lines back into a single string return '\n'.join(modified_lines) +def move_responses_to_top(file_content): + # Find all unique response struct patterns + response_struct_patterns = set(re.findall(r'', file_content)) + # Find all ', file_content)) + + modified_content = file_content + for pattern in response_struct_patterns: + # Construct the exact start pattern for each response struct + start_pattern = f'' + # Initialize end_pattern as None + end_pattern = None + # Find the closest non-response pattern after each response pattern + for non_response in non_response_patterns: + non_response_index = file_content.find(f'') + response_index = file_content.find(start_pattern) + if non_response_index > response_index: + end_pattern = f'' + break # Break after finding the closest non-response pattern + + if end_pattern: + # Call move_to_top for each response struct pattern with the found end_pattern + modified_content = move_to_top(modified_content, start_pattern, end_pattern) + else: + # If no end_pattern is found, it means this response struct is the last section + modified_content = move_to_top(modified_content, start_pattern, None) + + return modified_content + +def move_to_top(file_content, start_pattern, end_pattern): + lines = file_content.split('\n') + + sections = [] + start_index = None + + for i, line in enumerate(lines): + if line.startswith(start_pattern): + if start_index is not None: + # Save the previous section if a new one starts before the old one ends + sections.append((start_index, i)) + start_index = i # Mark the start of a new section + elif end_pattern is not None and line.startswith(end_pattern) and start_index is not None: + # Mark the end of the current section and reset start_index if end_pattern is not None + sections.append((start_index, i)) + start_index = None + + # If end_pattern is None, capture all the way to the end of the file from the start_pattern + if start_index is not None: + sections.append((start_index, len(lines))) + + # Extract sections and the rest of the content + section_contents = [lines[start:end] for start, end in sections] + rest_of_content = [line for i, line in enumerate(lines) if not any(start <= i < end for start, end in sections)] + + # Combine the extracted sections with the rest of the content, placing sections at the top + modified_content = [line for section in section_contents for line in section] + rest_of_content + + return '\n'.join(modified_content) + def move_to_bottom(file_content, start_pattern, end_pattern): lines = file_content.split('\n') @@ -499,7 +560,8 @@ def process_file(file_path): content = remove_code_block_delimiters(content, "## Making Requests") content = find_method_blocks_and_relocate(content) - content = move_to_bottom(content, '