<?xml version="1.0" encoding="UTF-8"?>
<rss version="2.0" xmlns:atom="http://www.w3.org/2005/Atom" xmlns:dc="http://purl.org/dc/elements/1.1/">
  <channel>
    <title>DEV Community: Danglewood</title>
    <description>The latest articles on DEV Community by Danglewood (@danglewood).</description>
    <link>https://dev.to/danglewood</link>
    <image>
      <url>https://media2.dev.to/dynamic/image/width=90,height=90,fit=cover,gravity=auto,format=auto/https:%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Fuser%2Fprofile_image%2F831779%2F75796dbf-c19b-4298-8454-eada4b438def.png</url>
      <title>DEV Community: Danglewood</title>
      <link>https://dev.to/danglewood</link>
    </image>
    <atom:link rel="self" type="application/rss+xml" href="https://dev.to/feed/danglewood"/>
    <language>en</language>
    <item>
      <title>Building an Historical Prices Object With the OpenBB SDK</title>
      <dc:creator>Danglewood</dc:creator>
      <pubDate>Wed, 08 Mar 2023 05:48:02 +0000</pubDate>
      <link>https://dev.to/danglewood/building-an-historical-prices-object-with-the-openbb-sdk-40kc</link>
      <guid>https://dev.to/danglewood/building-an-historical-prices-object-with-the-openbb-sdk-40kc</guid>
      <description>&lt;p&gt;The objective is to build an object for historical price data, containing the attributes of multiple resolutions, wrapped as a one-liner function.  The purpose of the functionality is to reduce the amount of time required to toggle between various time-intervals, for downstream calculations or charting.&lt;/p&gt;

&lt;p&gt;For those interested in both, open source and finance, OpenBB is a great rabbit hole to dive down; and it's free. Clone the repo from GitHub &lt;a href="https://github.com/OpenBB-finance/OpenBBTerminal"&gt;here&lt;/a&gt;.&lt;/p&gt;

&lt;p&gt;The first code block is for the import statements.&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;# Import the SDK

from typing import Optional
from openbb_terminal.sdk import openbb
from IPython.utils import io
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;The next step is to define the object that will be returned when called by the function.&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;# Define the object to be returned.


class HistoricalPrices:
    def __init__(
        self,
        symbol: str = "",
        start_date: Optional[str] = "1990-01-01",
        end_date: Optional[str] = None,
        prepost: Optional[bool] = False,
        source: str = "YahooFinance",
    ) -&amp;gt; None:
        self.one_min = openbb.stocks.load(
            symbol=symbol,
            start_date=start_date,
            end_date=end_date,
            interval=1,
            prepost=prepost,
            source=source,
        )

        self.five_min = openbb.stocks.load(
            symbol=symbol,
            start_date=start_date,
            end_date=end_date,
            interval=5,
            prepost=prepost,
            source=source,
        )

        self.fifteen_min = openbb.stocks.load(
            symbol=symbol,
            start_date=start_date,
            end_date=end_date,
            interval=15,
            prepost=prepost,
            source=source,
        )

        self.thirty_min = openbb.stocks.load(
            symbol=symbol,
            start_date=start_date,
            end_date=end_date,
            interval=30,
            prepost=prepost,
            source=source,
        )

        self.sixty_min = openbb.stocks.load(
            symbol=symbol,
            start_date=start_date,
            end_date=end_date,
            interval=60,
            prepost=prepost,
            source=source,
        )

        self.daily = openbb.stocks.load(
            symbol=symbol,
            start_date=start_date,
            end_date=end_date,
            interval=1440,
            prepost=prepost,
            source=source,
        )

        self.weekly = openbb.stocks.load(
            symbol=symbol,
            start_date=start_date,
            end_date=end_date,
            interval=1440,
            prepost=prepost,
            weekly=True,
            source=source,
        )

        self.monthly = openbb.stocks.load(
            symbol=symbol,
            start_date=start_date,
            end_date=end_date,
            interval=1440,
            prepost=prepost,
            monthly=True,
            source=source,
        )
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;Then, make the function to call the object.&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;# Create the function to return the data as an object.


def historical_prices(
    symbol: str = "SPY",
    start_date: Optional[str] = "1990-01-01",
    end_date: Optional[str] = None,
    prepost: Optional[bool] = True,
    source: str = "YahooFinance",
) -&amp;gt; HistoricalPrices:
    # capture_output() is used to silence the console output.
    with io.capture_output():
        historical = HistoricalPrices(symbol, start_date, end_date, prepost, source)

    return historical
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;Finally, assign the function to a variable.&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;#Use the variables, [symbol, start_date, end_date, prepost, source], to modify the call.

historical = historical_prices()
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;The attributes returned are:&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;historical.one_min
historical.five_min
historical.fifteen_min
historical.thirty_min
historical.sixty_min
historical.daily
historical.weekly
historical.monthly
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;





&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;historical.one_min.tail(5)
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;div class="table-wrapper-paragraph"&gt;&lt;table&gt;
&lt;thead&gt;
&lt;tr&gt;
&lt;th&gt;date&lt;/th&gt;
&lt;th&gt;Open&lt;/th&gt;
&lt;th&gt;High&lt;/th&gt;
&lt;th&gt;Low&lt;/th&gt;
&lt;th&gt;Close&lt;/th&gt;
&lt;th&gt;Adj Close&lt;/th&gt;
&lt;th&gt;Volume&lt;/th&gt;
&lt;/tr&gt;
&lt;/thead&gt;
&lt;tbody&gt;
&lt;tr&gt;
&lt;td&gt;2023-03-07 19:55:00&lt;/td&gt;
&lt;td&gt;398.15&lt;/td&gt;
&lt;td&gt;398.19&lt;/td&gt;
&lt;td&gt;398.14&lt;/td&gt;
&lt;td&gt;398.18&lt;/td&gt;
&lt;td&gt;398.18&lt;/td&gt;
&lt;td&gt;0&lt;/td&gt;
&lt;/tr&gt;
&lt;tr&gt;
&lt;td&gt;2023-03-07 19:56:00&lt;/td&gt;
&lt;td&gt;398.15&lt;/td&gt;
&lt;td&gt;398.19&lt;/td&gt;
&lt;td&gt;398.15&lt;/td&gt;
&lt;td&gt;398.175&lt;/td&gt;
&lt;td&gt;398.175&lt;/td&gt;
&lt;td&gt;0&lt;/td&gt;
&lt;/tr&gt;
&lt;tr&gt;
&lt;td&gt;2023-03-07 19:57:00&lt;/td&gt;
&lt;td&gt;398.17&lt;/td&gt;
&lt;td&gt;398.28&lt;/td&gt;
&lt;td&gt;398.17&lt;/td&gt;
&lt;td&gt;398.25&lt;/td&gt;
&lt;td&gt;398.25&lt;/td&gt;
&lt;td&gt;0&lt;/td&gt;
&lt;/tr&gt;
&lt;tr&gt;
&lt;td&gt;2023-03-07 19:58:00&lt;/td&gt;
&lt;td&gt;398.25&lt;/td&gt;
&lt;td&gt;398.27&lt;/td&gt;
&lt;td&gt;398.23&lt;/td&gt;
&lt;td&gt;398.24&lt;/td&gt;
&lt;td&gt;398.24&lt;/td&gt;
&lt;td&gt;0&lt;/td&gt;
&lt;/tr&gt;
&lt;tr&gt;
&lt;td&gt;2023-03-07 19:59:00&lt;/td&gt;
&lt;td&gt;398.26&lt;/td&gt;
&lt;td&gt;398.27&lt;/td&gt;
&lt;td&gt;398.18&lt;/td&gt;
&lt;td&gt;398.25&lt;/td&gt;
&lt;td&gt;398.25&lt;/td&gt;
&lt;td&gt;0&lt;/td&gt;
&lt;/tr&gt;
&lt;/tbody&gt;
&lt;/table&gt;&lt;/div&gt;



&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;historical.monthly.head(5)
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;div class="table-wrapper-paragraph"&gt;&lt;table&gt;
&lt;thead&gt;
&lt;tr&gt;
&lt;th&gt;date&lt;/th&gt;
&lt;th&gt;Open&lt;/th&gt;
&lt;th&gt;High&lt;/th&gt;
&lt;th&gt;Low&lt;/th&gt;
&lt;th&gt;Close&lt;/th&gt;
&lt;th&gt;Adj Close&lt;/th&gt;
&lt;th&gt;Volume&lt;/th&gt;
&lt;th&gt;Dividends&lt;/th&gt;
&lt;th&gt;Stock Splits&lt;/th&gt;
&lt;/tr&gt;
&lt;/thead&gt;
&lt;tbody&gt;
&lt;tr&gt;
&lt;td&gt;1993-02-01 00:00:00&lt;/td&gt;
&lt;td&gt;25.2362&lt;/td&gt;
&lt;td&gt;25.8998&lt;/td&gt;
&lt;td&gt;24.5725&lt;/td&gt;
&lt;td&gt;25.4873&lt;/td&gt;
&lt;td&gt;25.4873&lt;/td&gt;
&lt;td&gt;5.4176e+06&lt;/td&gt;
&lt;td&gt;0&lt;/td&gt;
&lt;td&gt;0&lt;/td&gt;
&lt;/tr&gt;
&lt;tr&gt;
&lt;td&gt;1993-03-01 00:00:00&lt;/td&gt;
&lt;td&gt;25.577&lt;/td&gt;
&lt;td&gt;26.3123&lt;/td&gt;
&lt;td&gt;25.3797&lt;/td&gt;
&lt;td&gt;25.9357&lt;/td&gt;
&lt;td&gt;25.9357&lt;/td&gt;
&lt;td&gt;3.0192e+06&lt;/td&gt;
&lt;td&gt;0.213&lt;/td&gt;
&lt;td&gt;0&lt;/td&gt;
&lt;/tr&gt;
&lt;tr&gt;
&lt;td&gt;1993-04-01 00:00:00&lt;/td&gt;
&lt;td&gt;26.0942&lt;/td&gt;
&lt;td&gt;26.0942&lt;/td&gt;
&lt;td&gt;24.9589&lt;/td&gt;
&lt;td&gt;25.3914&lt;/td&gt;
&lt;td&gt;25.3914&lt;/td&gt;
&lt;td&gt;2.6972e+06&lt;/td&gt;
&lt;td&gt;0&lt;/td&gt;
&lt;td&gt;0&lt;/td&gt;
&lt;/tr&gt;
&lt;tr&gt;
&lt;td&gt;1993-05-01 00:00:00&lt;/td&gt;
&lt;td&gt;25.4274&lt;/td&gt;
&lt;td&gt;26.3285&lt;/td&gt;
&lt;td&gt;25.2833&lt;/td&gt;
&lt;td&gt;26.0762&lt;/td&gt;
&lt;td&gt;26.0762&lt;/td&gt;
&lt;td&gt;1.808e+06&lt;/td&gt;
&lt;td&gt;0&lt;/td&gt;
&lt;td&gt;0&lt;/td&gt;
&lt;/tr&gt;
&lt;tr&gt;
&lt;td&gt;1993-06-01 00:00:00&lt;/td&gt;
&lt;td&gt;26.1663&lt;/td&gt;
&lt;td&gt;26.4186&lt;/td&gt;
&lt;td&gt;25.4995&lt;/td&gt;
&lt;td&gt;25.9861&lt;/td&gt;
&lt;td&gt;25.9861&lt;/td&gt;
&lt;td&gt;3.438e+06&lt;/td&gt;
&lt;td&gt;0.318&lt;/td&gt;
&lt;td&gt;0&lt;/td&gt;
&lt;/tr&gt;
&lt;/tbody&gt;
&lt;/table&gt;&lt;/div&gt;

&lt;p&gt;Download a notebook with this code, &lt;a href="https://github.com/deeleeramone/BuildInPublic/blob/main/OpenBB_SDK_Historical_Prices_Object.ipynb"&gt;here&lt;/a&gt;&lt;/p&gt;

</description>
      <category>tutorial</category>
      <category>python</category>
      <category>opensource</category>
      <category>showdev</category>
    </item>
    <item>
      <title>Open Interest For The Open Source Community: The Options Menu in the OpenBB Terminal. #FOSS</title>
      <dc:creator>Danglewood</dc:creator>
      <pubDate>Sat, 14 May 2022 21:51:13 +0000</pubDate>
      <link>https://dev.to/danglewood/open-interest-for-the-open-source-community-the-options-menu-in-the-openbb-terminal-foss-188</link>
      <guid>https://dev.to/danglewood/open-interest-for-the-open-source-community-the-options-menu-in-the-openbb-terminal-foss-188</guid>
      <description>&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fukmnd11y2v631n8k27en.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fukmnd11y2v631n8k27en.png" alt="Options, not settings..."&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fifpdn9wv3xz9nn6rwjhk.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fifpdn9wv3xz9nn6rwjhk.png" alt="The Options menu in the OpenBB Terminal(https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/options/)"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;The Options menu in the OpenBB Terminal is jam-packed with features. For those new to the asset class, the information in the next sections provide context and then defines some key terms. The intention is not to explain &lt;em&gt;how&lt;/em&gt; to trade options, but to understand &lt;em&gt;what&lt;/em&gt; options are, and how to use the Terminal for researching setups and monitoring trends. Experienced options traders can advance to the heading title, Options Menu Items.&lt;/p&gt;

&lt;h2&gt;
  
  
  Introduction &amp;amp; Market Coverage
&lt;/h2&gt;

&lt;p&gt;The set of features behind OpenBB's Options menu uses the ticker loaded in the parent menu (stocks) by default. A new ticker can be selected by using the load command from the Options submenu. At the time of writing, OpenBB is able to provide coverage only for US-listed equity and ETF options. While not officially supported, some additional markets and index options may be accessible with yFinance as the source.&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /stocks/options/ $ load -h
usage: load [-t TICKER] [-s {tr,yf}] [-h]

Load a ticker into option menu

optional arguments:
  -t TICKER, --ticker TICKER
                        Stock ticker (default: None)
  -s {tr,yf}, --source {tr,yf}
                        Source to get option expirations from (default: None)
  -h, --help            show this help message (default: False)
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;As OpenBB matures, coverage will expand to include more markets. In the meantime it is safe to generalize options as referring to American-listed options priced in $USD, unless noted.&lt;/p&gt;

&lt;h2&gt;
  
  
  American versus European Options
&lt;/h2&gt;

&lt;p&gt;There are key differences between American and European options, which changes the output of a formula or value model.&lt;/p&gt;

&lt;ul&gt;
&lt;li&gt;&lt;p&gt;American options can be exercised at any time during the life of the contract, and shares are deliverable upon execution.&lt;/p&gt;&lt;/li&gt;
&lt;li&gt;&lt;p&gt;All optionable stocks and exchange-traded funds (ETFs) have American-style options while only a few broad-based indices have American-style options. &lt;/p&gt;&lt;/li&gt;
&lt;li&gt;&lt;p&gt;Quarterlies trade until the last trading day of the calendar quarter, while weeklies cease trading on Wednesday or Friday of the specified week.&lt;/p&gt;&lt;/li&gt;
&lt;li&gt;&lt;p&gt;European options may be exercised only at expiration.&lt;/p&gt;&lt;/li&gt;
&lt;li&gt;&lt;p&gt;European index options stop trading one day earlier, at the close of business on the Thursday preceding the third Friday of the expiration month.&lt;/p&gt;&lt;/li&gt;
&lt;/ul&gt;

&lt;p&gt;&lt;strong&gt;European options carry significantly more risk during the settlement period.&lt;/strong&gt;&lt;/p&gt;

&lt;p&gt;On the third Friday of the month, the opening price for each stock in the index is determined. Individual stocks open at different times, with some of these opening prices available at 9:30 a.m. ET while others are determined a few minutes later.&lt;/p&gt;

&lt;p&gt;The underlying index price is calculated as if all stocks were trading at their respective opening prices at the same time. This is not a real-world price because you cannot look at the published index and assume the settlement price is close in value.&lt;/p&gt;

&lt;p&gt;The settlement price for the underlying asset (stock, ETF, or index) with American-style options is the regular closing price or the last trade before the market closes on the third Friday. After-hours trades do not count when determining the settlement price. Markets close on Friday, that's the final price. There is no uncertainty of moneyness from close through settlement.&lt;/p&gt;

&lt;p&gt;The difference between settlement procedures is crucial to understand. It is nearly impossible to determine the value of European options after trading ceases but prior to settlement. Especially with large indices, the opening price of all constituents on Friday morning can swing the final settlement price violently.&lt;/p&gt;

&lt;p&gt;Pay attention to expiring contracts in your account because most brokerage platforms will automatically exercise expired ITM options. If there is not enough cash to cover costs they will liquidate other holdings indiscriminately. They may also charge the phone-in commission rate for each transaction, which will be significantly higher. Exposure to liquidity risk can bring unexpected margin calls, so stay vigilant.&lt;/p&gt;

&lt;h2&gt;
  
  
  Key Terms and Lingo
&lt;/h2&gt;

&lt;p&gt;Options contracts usually represent 100 shares. &lt;/p&gt;

&lt;p&gt;The cost of executing a call option is: [(strike + premium) x 100] + (commissions + fees)&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Derivatives&lt;/strong&gt;: The parent asset class to equity options. Derivatives and options are frequently used interchangeably, because all options are derivatives; however, not all derivatives are options.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Call&lt;/strong&gt;: The holder of a call option contract has the right, but are not required, to purchase 100 shares of the underlying asset at the strike price, until the date of expiration.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Put&lt;/strong&gt;: The holder of a put option contract has the right, but are not required, to sell 100 shares of the underlying asset at the strike price, until the date of expiration.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Covered&lt;/strong&gt;: Collateralized contracts guaranteed with shares or the full cash cost to exercise. Selling cash-secured puts, as a strategy for accumulating shares below spot price, is a low-risk method for generating yield on cash in a trading account. Selling puts is bullish and selling calls is bearish.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Naked&lt;/strong&gt;: Non-collateralized contracts on margin. This is how accounts blow up really fast.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Expiration&lt;/strong&gt;: The future date when the contract expires.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;DTE&lt;/strong&gt;: Days 'till expiry.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Chain&lt;/strong&gt;: All options available on the underlying asset at the selected expiration date.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Exercised&lt;/strong&gt;: The options contract has been executed or has expired ITM. Most brokerages will automatically execute options expiring in-the-money, be mindful of any pending liabilities in your account.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Strike&lt;/strong&gt;: The pre-determined stock price that contract will be executed for.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Premium&lt;/strong&gt;: The amount paid for the right to own the contract.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;ITM&lt;/strong&gt;: In-the-money. The strike price of a call is less than the underlying stock price, and puts with a strike above the share price are in-the-money.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;OTM&lt;/strong&gt;: Out-the-money. The opposite of ITM.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;ATM&lt;/strong&gt;: At-the-money. Where strike price = share price.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;NTM&lt;/strong&gt;: Near-the-money. Where the strike price approaches the share price, from above or below.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Moneyness&lt;/strong&gt;: The difference, expressed as a percent, between the strike and share prices.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;OI&lt;/strong&gt;: Open interest. The number of contracts for calls and puts outstanding at a strike &amp;amp; expiry. It is important to note that open interest is not updated during market hours. The total open interest will be adjusted at the beginning of the next session.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Volume&lt;/strong&gt;: The number of contracts traded during the trading session. Unusual options activity can be measured as a ratio of volume-to-OI.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Flow&lt;/strong&gt;: A type of technical analysis that follows large blocks of capital traded by market makers or institutions.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Greeks&lt;/strong&gt;: Delta, Gamma, Vega, Theta, Rho, Phi, Charm, Vanna, Vomma&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Implied Volatility&lt;/strong&gt;: In financial mathematics, the implied volatility (IV) of an option contract is that value of the volatility of the underlying instrument which, when input in an option pricing model (such as Black–Scholes), will return a theoretical value equal to the current market price of said option. A non-option financial instrument that has embedded optionality, such as an interest rate cap, can also have an implied volatility. Implied volatility, a forward-looking and subjective measure, differs from historical volatility because the latter is calculated from known past returns of a security. To understand where implied volatility stands in terms of the underlying, implied volatility rank is used to understand its implied volatility from a one-year high and low IV. Implied volatility is so important that options are often quoted in terms of volatility rather than price, particularly among professional traders.(&lt;a href="https://en.wikipedia.org/wiki/Implied_volatility" rel="noopener noreferrer"&gt;Wikipedia&lt;/a&gt;)&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Vega&lt;/strong&gt;: Greek that measures an option's sensitivity to implied volatility. It is the change in the option's price for a one-point change in implied volatility.&lt;/p&gt;

&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fb79c21lkdwtdebaj2i1s.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fb79c21lkdwtdebaj2i1s.png" alt="The relationship between Vega, IV, and Price"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Delta&lt;/strong&gt;: Delta measures how much an option's price can be expected to move for every $1 change in the price of the underlying security or index.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Gamma&lt;/strong&gt;: The gamma of an option tells us by how much the delta of an option would increase by when the underlying moves by $1.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Theta&lt;/strong&gt;: A measure of the time decay of an option, the dollar amount an option will lose each day due to the passage of time. For at-the-money options, theta increases as an option approaches the expiration date. For in- and out-of-the-money options, theta decreases as an option approaches expiration.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Rho&lt;/strong&gt;: Represents the rate of change between an option's value and a 1% change in the interest rate. This measures sensitivity to the interest rate. Rho is positive for purchased calls as higher interest rates increase call premiums. Conversely, Rho is negative for purchased puts as higher interest rates decrease put premiums.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Rho2&lt;/strong&gt;: The sensitivity of the price of a foreign exchange option to the interest rate of the foreign currency.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Phi&lt;/strong&gt;: The sensitivity of the price of a stock option relative to dividend yield.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Lambda&lt;/strong&gt;: The Greek letter assigned to a variable that tells the ratio of how much leverage an option is providing as the price of that option changes. This measure is also referred to as the leverage factor, or in some countries, effective gearing.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Charm&lt;/strong&gt;: Delta decay of an option, charm indicates how much the delta will change as one trading day passes. A second-order derivative of the option value, it is very important to options traders because if today the delta of your position or portfolio is 0.2 and charm is, for instance, 0.05 tomorrow your position will have a delta equal to 0.25.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Vanna&lt;/strong&gt;: A second order Greek that measures movements of the delta with respect to a 1% change in implied volatility. Alternatively, it can also be interpreted as the fluctuations of vega with respect to small changes in the underlying price.&lt;/p&gt;

&lt;p&gt;&lt;strong&gt;Vomma&lt;/strong&gt;: Vomma measures how Vega is going to change with respect to implied volatility and it is normally expressed in order to quantify the influence on vega should the volatility oscillate by 1 point. out-of-the-money options have the highest vomma, while at-the-money options have a low vomma which means that vega remains almost constant with respect to volatility. &lt;br&gt;
&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fr0c5se6nrc0e5b6q4rpd.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fr0c5se6nrc0e5b6q4rpd.png" alt="The shape of vomma"&gt;&lt;/a&gt;&lt;br&gt;
&lt;a href="https://medium.com/hypervolatility/options-greeks-vanna-charm-vomma-dvegadtime-77d35c4db85c" rel="noopener noreferrer"&gt;Image and explanation from this blog post on second order Greeks&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;The shape of vomma is something that every options trader should bear in mind while trading because it clearly confirms that the vega that will be influenced the most by a change in volatility will be the one of OTM options while the relationship with ATM options will be almost constant. This makes sense because a change in implied volatility would increase the probability of an OTM options to expire in-the-money and this is precisely why vomma is the highest around the OTM area. &lt;/p&gt;
&lt;h2&gt;
  
  
  Options Menu Items
&lt;/h2&gt;

&lt;p&gt;Navigating the Options menu will be the same as anywhere else in the Terminal. After reading the jargon above, many of the features will be self-explanatory. Refer to the &lt;a href="https://openbb-finance.github.io/OpenBBTerminal/" rel="noopener noreferrer"&gt;user documentation&lt;/a&gt; for details on any individual feature or menu. &lt;/p&gt;

&lt;p&gt;At the bottom of the menu, there are items prefaced with a character, &amp;gt;. Like everywhere else in the OpenBB Terminal, &amp;gt; placed before a menu item indicates the presence of a submenu.&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /stocks/ $ options
Loaded expiry dates from Tradier

    unu           show unusual options activity [Fdscanner.com]
    calc          basic call/put PnL calculator

    load          load new ticker
    exp           see and set expiration dates

Ticker: SPY
Expiry: None

    pcr           display put call ratio for ticker [AlphaQuery.com]
    info          display option information (volatility, IV rank etc) [Barchart.com]
    chains        display option chains with greeks [Tradier]
    oi            plot open interest [Tradier/YFinance]
    vol           plot volume [Tradier/YFinance]
    voi           plot volume and open interest [Tradier/YFinance]
    hist          plot option history [Tradier]
    vsurf         show 3D volatility surface [Yfinance]
    grhist        plot option greek history [Syncretism.io]
    plot          plot variables provided by the user [Yfinance]
    parity        shows whether options are above or below expected price [Yfinance]
    binom         shows the value of an option using binomial options pricing [Yfinance]
    greeks        shows the greeks for a given option [Yfinance]

&amp;gt;   screen        screens tickers based on preset [Syncretism.io]
&amp;gt;   payoff        shows payoff diagram for a selection of options [Yfinance]
&amp;gt;   pricing       shows options pricing and risk neutral valuation [Yfinance]
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;Here's what's behind the screen submenu:&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;
(🦋) /stocks/options/ $ screen

    view          view available presets (or one in particular)
    set           set one of the available presets

PRESET: high_IV

    scr            screen data from this preset

Last screened tickers: 
&amp;gt;   ca             take these to comparison analysis menu
&amp;gt;   po             take these to portoflio optimization menu

&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;The Payoff submenu:&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /stocks/options/ $ payoff

Ticker: SPY
Expiry: 2022-05-18

    pick          long, short, or none (default) underlying asset

Underlying Asset: None

    list          list available strike prices for calls and puts

    add           add option to the list of the options to be plotted
    rmv           remove option from the list of the options to be plotted

    sop           selected options
    plot          show the option payoff diagram
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;The Pricing submenu:&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;
(🦋) /stocks/options/ $ pricing

Ticker: SPY
Expiry: 2022-05-18

    add           add an expected price to the list
    rmv           remove an expected price from the list

    show          show the listed of expected prices
    rnval         risk neutral valuation for an option
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;Next, we'll go over what you should know about operating the OpenBB Terminal within the Options Menu.&lt;/p&gt;

&lt;h2&gt;
  
  
  Using the Options Menu
&lt;/h2&gt;

&lt;p&gt;Let's get started using it. Tag any command with, -h, to see the help dialogue.&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /stocks/options/ $ load -h
usage: load [-t TICKER] [-s {tr,yf}] [-h]

Load a ticker into option menu

optional arguments:
  -t TICKER, --ticker TICKER
                        Stock ticker (default: None)
  -s {tr,yf}, --source {tr,yf}
                        Source to get option expirations from (default: None)
  -h, --help            show this help message (default: False)
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;The default source for options is Tradier, and you can obtain  a free developer API key &lt;a href="https://developer.tradier.com" rel="noopener noreferrer"&gt;here&lt;/a&gt;. It's not perfect, but the price is right. Alternatively, there is a choice to use yFinance data sets by attaching the flag as shown below. More data sources will be added as OpenBB grows.&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /stocks/options/ $ load -t GOOGL -s yf
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;The next step is to select an expiration date.&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /stocks/options/ $ exp

Available expiry dates:
    0.  2022-05-20
    1.  2022-05-27
    2.  2022-06-03
    3.  2022-06-10
    4.  2022-06-17
    5.  2022-06-24
    6.  2022-07-15
    7.  2022-08-19
    8.  2022-09-16
    9.  2022-10-21
   10.  2022-11-18
   11.  2022-12-16
   12.  2023-01-20
   13.  2023-03-17
   14.  2023-06-16
   15.  2024-01-19

(🦋) /stocks/options/ $ exp 8

Expiration set to 2022-08-19 

(🦋) /stocks/options/ $ voi -h
usage: voi [-v MIN_VOL] [-m MIN_SP] [-M MAX_SP] [-s {tr,yf}] [-h] [--export EXPORT]

Plots Volume + Open Interest of calls vs puts.

optional arguments:
  -v MIN_VOL, --minv MIN_VOL
                        minimum volume (considering open interest) threshold of the plot. (default: -1)
  -m MIN_SP, --min MIN_SP
                        minimum strike price to consider in the plot. (default: -1)
  -M MAX_SP, --max MAX_SP
                        maximum strike price to consider in the plot. (default: -1)
  -s {tr,yf}, --source {tr,yf}
                        Source to get data from (default: tr)
  -h, --help            show this help message (default: False)
  --export EXPORT       Export raw data into csv, json, xlsx and figure into png, jpg, pdf, svg (default: )

(🦋) /stocks/options/ $ voi
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fqqltnyl1wz4sfdukdpg7.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fqqltnyl1wz4sfdukdpg7.png" alt="(https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/options/voi/)"&gt;&lt;/a&gt;&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /stocks/options/ $ info
                Options Information                
┏━━━━━━━━━━━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━━━━━━━━━━━┓
┃ Info                  ┃ Value                   ┃
┡━━━━━━━━━━━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━━━━━━━━━━━┩
│ Implied Volatility    │   37.06%  (  -4.75%)    │
├───────────────────────┼─────────────────────────┤
│ Historical Volatility │   39.77%                │
├───────────────────────┼─────────────────────────┤
│ IV Percentile         │   92%                   │
├───────────────────────┼─────────────────────────┤
│ IV Rank               │   60.60%                │
├───────────────────────┼─────────────────────────┤
│ IV High               │   50.22% on 04/26/22    │
├───────────────────────┼─────────────────────────┤
│ IV Low                │   16.81% on 09/01/21    │
├───────────────────────┼─────────────────────────┤
│ Put/Call Vol Ratio    │  0.53                   │
├───────────────────────┼─────────────────────────┤
│ Today's Volume        │  51,816                 │
├───────────────────────┼─────────────────────────┤
│ Volume Avg (30-Day)   │  27,791                 │
├───────────────────────┼─────────────────────────┤
│ Put/Call OI Ratio     │  0.78                   │
├───────────────────────┼─────────────────────────┤
│ Today's Open Interest │  349,771                │
├───────────────────────┼─────────────────────────┤
│ Open Int (30-Day)     │  330,789                │
└───────────────────────┴─────────────────────────┘

&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;Autocomplete will provide some help along the way.&lt;br&gt;
&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fr0lp7adiqhywrner7ebp.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fr0lp7adiqhywrner7ebp.png" alt="https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/options/hist/"&gt;&lt;/a&gt;&lt;br&gt;
&lt;a href="https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/options/binom/" rel="noopener noreferrer"&gt;Read the user documentation for this feature&lt;/a&gt;&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /stocks/options/ $ binom -h
usage: binom [-s STRIKE] [-p] [-e] [-x] [--plot] [-v VOLATILITY] [-h]

Gives the option value using binomial option valuation

optional arguments:
  -s STRIKE, --strike STRIKE
                        Strike price for option shown (default: 0)
  -p, --put             Value a put instead of a call (default: False)
  -e, --european        Value a European option instead of an American one (default: False)
  -x, --xlsx            Export an excel spreadsheet with binomial pricing data (default: False)
  --plot                Plot expected ending values (default: False)
  -v VOLATILITY, --volatility VOLATILITY
                        Underlying asset annualized volatility. Historical volatility used if not supplied. (default: None)
  -h, --help            show this help message (default: False)
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;





&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /stocks/options/ $ binom --plot -v 0.376
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F2buy6h873n6a3l2j78jn.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F2buy6h873n6a3l2j78jn.png" alt="https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/options/binom/"&gt;&lt;/a&gt;&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /stocks/options/ $ plot -h
usage: plot [-p] [-x {ltd,s,lp,b,a,c,pc,v,oi,iv}] [-y {ltd,s,lp,b,a,c,pc,v,oi,iv}] [-c {smile}] [-h] [--export EXPORT]

Shows a plot for the given x and y variables

optional arguments:
  -p, --put             Shows puts instead of calls (default: False)
  -x {ltd,s,lp,b,a,c,pc,v,oi,iv}, --x_axis {ltd,s,lp,b,a,c,pc,v,oi,iv}
                        ltd- last trade date, s- strike, lp- last price, b- bid, a- ask,c- change, pc- percent change, v- volume, oi- open interest, iv- implied volatility (default: None)
  -y {ltd,s,lp,b,a,c,pc,v,oi,iv}, --y_axis {ltd,s,lp,b,a,c,pc,v,oi,iv}
                        ltd- last trade date, s- strike, lp- last price, b- bid, a- ask,c- change, pc- percent change, v- volume, oi- open interest, iv- implied volatility (default: None)
  -c {smile}, --custom {smile}
                        Choose from already created graphs (default: None)
  -h, --help            show this help message (default: False)
  --export EXPORT       Export figure into png, jpg, pdf, svg (default: )

(🦋) /stocks/options/ $ plot -x s -y lp
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F5masesy3cd6qm7wn082w.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F5masesy3cd6qm7wn082w.png" alt="https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/options/plot/"&gt;&lt;/a&gt;&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /stocks/options/ $ plot -x s -y oi
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F6xinhnaq0lvvz2afypqj.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F6xinhnaq0lvvz2afypqj.png" alt="(https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/options/plot/)"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;The options screener reads .INI files from the local installation path. Presets can be created using the file: template.ini&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;~/Applications/OpenBB/openbb_terminal/stocks/options/presets/
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F39b0j5vipp2fs2l3fqqz.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F39b0j5vipp2fs2l3fqqz.png" alt="(https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/options/scr/)"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Monitoring unusual options is a popular way of identifying institution and market maker hedging activity. Unusual options can be a substitute for subscription services dedicated to options flow.&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /stocks/options/ $ unu -h
usage: unu [-l LIMIT] [-s {Strike,Vol/OI,Vol,OI,Bid,Ask,Exp,Ticker} [{Strike,Vol/OI,Vol,OI,Bid,Ask,Exp,Ticker} ...]] [-a] [-p] [-c] [-h] [--export EXPORT]

This command gets unusual options from fdscanner.com

optional arguments:
  -l LIMIT, --limit LIMIT
                        Limit of options to show. Each scraped page gives 20 results. (default: 20)
  -s {Strike,Vol/OI,Vol,OI,Bid,Ask,Exp,Ticker} [{Strike,Vol/OI,Vol,OI,Bid,Ask,Exp,Ticker} ...], --sortby {Strike,Vol/OI,Vol,OI,Bid,Ask,Exp,Ticker} [{Strike,Vol/OI,Vol,OI,Bid,Ask,Exp,Ticker} ...]
                        Column to sort by. Vol/OI is the default and typical variable to be considered unusual. (default: Vol/OI)
  -a, --ascending       Flag to sort in ascending order (default: False)
  -p, --puts_only       Flag to show puts only (default: False)
  -c, --calls_only      Flag to show calls only (default: False)
  -h, --help            show this help message (default: False)
  --export EXPORT       Export raw data into csv, json, xlsx (default: )

(🦋) /stocks/options/ $ unu -s Exp -p
                        Last Updated: 2022-05-13 15:20:48 (EST)                         
┏━━━━━━━━┳━━━━━━━━━━━━┳━━━━━━━━━┳━━━━━━┳━━━━━━━━┳━━━━━━━━━━┳━━━━━━━━━┳━━━━━━━━━━┳━━━━━━┓
┃ Ticker ┃ Exp        ┃ Strike  ┃ Type ┃ Vol/OI ┃ Vol      ┃ OI      ┃ Bid      ┃ Ask  ┃
┡━━━━━━━━╇━━━━━━━━━━━━╇━━━━━━━━━╇━━━━━━╇━━━━━━━━╇━━━━━━━━━━╇━━━━━━━━━╇━━━━━━━━━━╇━━━━━━┩
│ AAPL   │ 2023-09-15 │ 80.00   │ Put  │ 13.70  │ 1559.00  │ 114.00  │ 2.25     │ 2.50 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ KO     │ 2023-06-16 │ 55.00   │ Put  │ 31.40  │ 4275.00  │ 136.00  │ 2.43     │ 2.65 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ WFC    │ 2022-11-18 │ 40.00   │ Put  │ 12.20  │ 3749.00  │ 308.00  │ 3.45     │ 3.55 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ FCX    │ 2022-08-19 │ 25.00   │ Put  │ 13.70  │ 2829.00  │ 207.00  │ 0.74     │ 0.82 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ AXP    │ 2022-07-15 │ 135.00  │ Put  │ 27.50  │ 3024.00  │ 110.00  │ 3.15     │ 3.35 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ SYF    │ 2022-06-17 │ 30.00   │ Put  │ 13.10  │ 16274.00 │ 1243.00 │ 0.90     │ 0.95 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ NEM    │ 2022-05-20 │ 64.00   │ Put  │ 47.50  │ 20825.00 │ 438.00  │ 1.06     │ 1.13 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ OXY    │ 2022-05-20 │ 63.00   │ Put  │ 23.50  │ 14074.00 │ 600.00  │ 1.94     │ 2.00 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ BA     │ 2022-05-13 │ 126.00  │ Put  │ 17.30  │ 6970.00  │ 403.00  │ 0.05     │ 0.09 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ AMD    │ 2022-05-13 │ 94.00   │ Put  │ 13.70  │ 20062.00 │ 1462.00 │ 0.04     │ 0.05 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ TSLA   │ 2022-05-13 │ 760.00  │ Put  │ 33.40  │ 59742.00 │ 1788.00 │ 0.31     │ 0.38 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ NVDA   │ 2022-05-13 │ 175.00  │ Put  │ 12.20  │ 39326.00 │ 3235.00 │ 0.13     │ 0.15 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ AMZN   │ 2022-05-13 │ 2220.00 │ Put  │ 12.20  │ 5891.00  │ 481.00  │ 0.90     │ 1.00 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ TSLA   │ 2022-05-13 │ 755.00  │ Put  │ 24.40  │ 26674.00 │ 1094.00 │ 0.12     │ 0.13 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ TSLA   │ 2022-05-13 │ 740.00  │ Put  │ 13.60  │ 24897.00 │ 1830.00 │ 0.02     │ 0.04 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ DAL    │ 2022-05-13 │ 36.50   │ Put  │ 22.70  │ 4618.00  │ 203.00  │ 0.00e+00 │ 0.01 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ BA     │ 2022-05-13 │ 124.00  │ Put  │ 19.70  │ 5400.00  │ 274.00  │ 0.00e+00 │ 0.01 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ BA     │ 2022-05-13 │ 127.00  │ Put  │ 14.30  │ 3433.00  │ 240.00  │ 0.25     │ 0.37 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ TSLA   │ 2022-05-13 │ 750.00  │ Put  │ 14.80  │ 79306.00 │ 5348.00 │ 0.04     │ 0.06 │
├────────┼────────────┼─────────┼──────┼────────┼──────────┼─────────┼──────────┼──────┤
│ TSLA   │ 2022-05-13 │ 765.00  │ Put  │ 39.60  │ 33733.00 │ 852.00  │ 1.00     │ 1.13 │
└────────┴────────────┴─────────┴──────┴────────┴──────────┴─────────┴──────────┴──────┘
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;If you have been following along with your terminal you will now be able to confidently manoeuvre around, and use the filters available for each command shown by requesting the help dialogue, -h.&lt;/p&gt;

&lt;p&gt;Those requiring technical support should use the &lt;a href="https://dev.to/danglewood/openbb-is-setting-the-standard-for-customer-support-and-service-in-the-foss-community-we-named-our-new-feature-support-3h7c"&gt;support command, from anywhere in the terminal!&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Visit the community Discord server and chat with us about your options: &lt;a href="https://discord.com/invite/Up2QGbMKHY" rel="noopener noreferrer"&gt;https://discord.com/invite/Up2QGbMKHY&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Tag OpenBB on Twitter with your degenerate options trades: &lt;a href="https://twitter.com/openbb_finance" rel="noopener noreferrer"&gt;https://twitter.com/openbb_finance&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Visit OpenBB's website to get the latest updates and downloads: &lt;a href="https://openbb.co" rel="noopener noreferrer"&gt;https://openbb.co&lt;/a&gt;&lt;/p&gt;

</description>
      <category>tutorial</category>
      <category>python</category>
      <category>todayilearned</category>
      <category>100daysofcode</category>
    </item>
    <item>
      <title>OpenBB is pleased to announce the release of v1.3.0 which introduces new features and fixes! Available now to download!</title>
      <dc:creator>Danglewood</dc:creator>
      <pubDate>Thu, 12 May 2022 18:53:41 +0000</pubDate>
      <link>https://dev.to/danglewood/openbb-is-pleased-to-announce-the-release-of-v130-which-introduces-new-features-and-fixes-available-now-to-download-536h</link>
      <guid>https://dev.to/danglewood/openbb-is-pleased-to-announce-the-release-of-v130-which-introduces-new-features-and-fixes-available-now-to-download-536h</guid>
      <description>&lt;p&gt;&lt;a href="https://github.com/OpenBB-finance/OpenBBTerminal/releases/tag/v1.3.0"&gt;OpenBB Terminal v1.3.0 release&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;What has changed?&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;A big thank you and welcome to our new contributors:
@josephjacks
🚀❤️‍❤️‍❤️‍🚀

2022-05-12 - OpenBB Terminal blended signature (#1806) by @DidierRLopes
2022-05-12 - Reports and Dashboards to be one level above (#1805) by @DidierRLopes
2022-05-12 - fix 1756 (#1801) by @jose-donato
2022-05-12 - Improve overall UX (#1804) by @DidierRLopes
2022-05-11 - fix 1793; bring stocks ta to crypto (#1802) by @jose-donato
2022-05-12 - Fix regression bug introduced by #1709 regarding support command (#1803) by @DidierRLopes
2022-05-12 - Fixes 1636 - hugo docs showing white bg (#1800) by @jose-donato
2022-05-12 - Add /crypto/ta/kc implementation (#1799) by @alexferrari88
2022-05-11 - Trading hours stock feature (#1697) by @buahaha
2022-05-11 - improve error keys for reddit and twitter error (#1797) by @DidierRLopes
2022-05-11 - Fix crypto loading for Binance #1794 (#1795) by @alexferrari88
2022-05-11 - change view_vwap to specify date range (#1790) by @PzaThief
2022-05-10 - Update README - Very minor grammatical typos (#1792) by @josephjacks 🚀
2022-05-10 - Refactored Crypto Tests (#1743) by @colin99d
2022-05-11 - Add terminal-wide report command (#1709) by @minhhoang1023


We're proud of our community contributors and staunch supporters of open-source ecosystems.
Help us promote our community by tagging `@openbb_finance` on Twitter with a link to your pull request, and join our Discord server to chat about your contribution! We want to hear about your experience!
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;Visit our official webpage where you can find developer jobs OpenBB is actively hiring for: &lt;a href="https://openbb.co"&gt;https://openbb.co&lt;/a&gt;&lt;/p&gt;

</description>
      <category>news</category>
      <category>python</category>
      <category>opensource</category>
      <category>github</category>
    </item>
    <item>
      <title>OpenBB is Setting the Standard for Customer Support and Service in the FOSS Community. We Named our new Feature, Support!</title>
      <dc:creator>Danglewood</dc:creator>
      <pubDate>Thu, 12 May 2022 06:08:06 +0000</pubDate>
      <link>https://dev.to/danglewood/openbb-is-setting-the-standard-for-customer-support-and-service-in-the-foss-community-we-named-our-new-feature-support-3h7c</link>
      <guid>https://dev.to/danglewood/openbb-is-setting-the-standard-for-customer-support-and-service-in-the-foss-community-we-named-our-new-feature-support-3h7c</guid>
      <description>&lt;p&gt;It is one thing to publish an open-source project, and it is an entirely different animal to adopt open-source solutions for the workplace. When it comes to providing its users with a comprehensive suite of MIT-licensed financial research and public equities analysis tools, OpenBB wants them to take comfort in knowing that the tools they have grown to rely on will continue to be there for them when they need help, or when things break inexplicably.&lt;/p&gt;

&lt;p&gt;Depending on the type of workplace, adopting open-source solutions and platforms can work great until they don't. If a person integrating the OSS ecosystem within an organization leaves, then so does its ability to maintain or improve the systems in place. It has been a quiet conversation taking place deep in the background, but new concerns with cybersecurity risks are advancing timelines for the inevitable demise of proprietary closed software and technology. Eventually, open-source eats everything.&lt;/p&gt;

&lt;p&gt;For those unfamiliar with the topic, this short video does a good job of explaining the general problem large organizations face while adopting OSS solutions.&lt;/p&gt;

&lt;p&gt;&lt;iframe width="710" height="399" src="https://www.youtube.com/embed/mYjdTebRsjQ"&gt;
&lt;/iframe&gt;
&lt;/p&gt;

&lt;p&gt;While the goal was not a complete enterprise-grade solution, the key objective was to remove points of friction ordinarily preventing users from submitting issues for bugs, deficiencies, general questions, and suggestions. &lt;/p&gt;

&lt;p&gt;How many times has the barrier of signing-up, or in, to a service prevented you from interacting with their support team? How many times have you stopped using software or a service because of bad, or non-existent, user support? &lt;/p&gt;

&lt;p&gt;To begin supporting our users, we added a global command for them to pre-populate a form and then presents it for final submission. No more hunting for a location to ask questions, or wading through GitHub to open an issue. OpenBB wants to reduce friction from participating in our global community of users, contributors, and maintainers.&lt;/p&gt;

&lt;p&gt;Anyone can request support, from anywhere in the Terminal.&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /crypto/dd/ $ support -h

usage: support [-c {generic,load,oi,active,change,nonzero,eb}] [--msg MSG [MSG ...]] [--type {bug,suggestion,question,generic}] [-h]

Submit your support request

optional arguments:
  -c {generic,load,oi,active,change,nonzero,eb}, --command {generic,load,oi,active,change,nonzero,eb}
                        Command that needs support (default: None)
  --msg MSG [MSG ...], -m MSG [MSG ...]
                        Message to send. Enclose it with double quotes (default: )
  --type {bug,suggestion,question,generic}, -t {bug,suggestion,question,generic}
                        Support ticket type (default: generic)
  -h, --help            show this help message (default: False)
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--TVHl911c--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/aaufjfo82urqskpnzf39.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--TVHl911c--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/aaufjfo82urqskpnzf39.png" alt="Generating a suggestion ticket from the terminal" width="880" height="85"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--J0OvwPz2--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/1smqffddpgo6p3wviyj8.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--J0OvwPz2--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/1smqffddpgo6p3wviyj8.png" alt="What happens when you submit a support request?" width="673" height="481"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;If a user would like a reply to the submission, they can include an email address of their choice. All that is left to do is review, attach any screenshots, and submit!&lt;/p&gt;

&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--P6BHAyVQ--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/5xif1koetcldl7yvoiq3.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--P6BHAyVQ--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/5xif1koetcldl7yvoiq3.png" alt="All that's left to do is submit!" width="690" height="697"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Download the OpenBB Terminal to get a comprehensive set of open-source tools, written in Python, for financial and public markets research. &lt;/p&gt;

&lt;p&gt;Compatible with Mac, Windows, Linux, Raspberry Pi.&lt;/p&gt;

&lt;p&gt;&lt;a href="https://openbb.co"&gt;https://openbb.co&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Visit the GitHub repo to inspect the code and give the project a star!&lt;/p&gt;

&lt;p&gt;&lt;a href="https://github.com/OpenBB-finance/OpenBBTerminal"&gt;https://github.com/OpenBB-finance/OpenBBTerminal&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Chat with users and contributors from around the world in our Discord server!&lt;/p&gt;

&lt;p&gt;&lt;a href="https://discord.com/invite/Up2QGbMKHY"&gt;https://discord.com/invite/Up2QGbMKHY&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Follow OpenBB on Twitter: &lt;a href="https://twitter.com/openbb_finance"&gt;@openbb_finance&lt;/a&gt;&lt;/p&gt;

</description>
      <category>opensource</category>
      <category>python</category>
      <category>showdev</category>
      <category>help</category>
    </item>
    <item>
      <title>OpenBB Is Pleased To Announce The Release Of OpenBB Terminal v 1.2! Now Better Than Ever!</title>
      <dc:creator>Danglewood</dc:creator>
      <pubDate>Fri, 06 May 2022 17:59:11 +0000</pubDate>
      <link>https://dev.to/danglewood/openbb-is-pleased-to-announce-the-release-of-openbb-terminal-v-12-now-better-than-ever-3jd3</link>
      <guid>https://dev.to/danglewood/openbb-is-pleased-to-announce-the-release-of-openbb-terminal-v-12-now-better-than-ever-3jd3</guid>
      <description>&lt;p&gt;&lt;a href="https://github.com/OpenBB-finance/OpenBBTerminal/releases/tag/v1.2.1"&gt;Download Today!&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--WzjgDpL6--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/y5p4dqbdnoaosr7jqpmr.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--WzjgDpL6--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/y5p4dqbdnoaosr7jqpmr.png" alt="Welcome To OpenBB Terminal!" width="880" height="538"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;A big thanks to all contributors, your efforts continue to drive innovation.&lt;/p&gt;

&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--K2sE-ylU--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/b5jbjdudg640g2p9j787.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--K2sE-ylU--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/b5jbjdudg640g2p9j787.png" alt="[Community Contributors Hall Of Fame](https://openbb.co/community)" width="880" height="513"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Here is what changed:&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;What's changed:
2022-05-06 - Stop treating loss as a small value (#1770) by @piiq
2022-05-05 - Bump project version (#1769) by @piiq
2022-05-05 - Fix bugs for fetching crypto prices on chain and displaying very small numbers in tables (#1762) by @alexferrari88
2022-05-05 - Fix bugs, remove feargeed and improve help messages (#1767) by @piiq
2022-05-05 - Fix some linting errors (#1763) by @alexferrari88
2022-05-04 - Improves PO controller from UX perspective (#1760) by @DidierRLopes
2022-05-04 - Add Logger Tests (#1707) by @colin99d
2022-05-03 - Allow exporting from stocks/ca/hcorr (#1759) by @alexferrari88 🚀
2022-05-03 - Polygon stock load (#1757) by @jmaslek
2022-05-03 - Improve OpenBB API for investment research reports (#1753) by @DidierRLopes
2022-05-03 - New portfolio optimization menu (#1642) by @dcajasn 🚀
2022-05-03 - Adds an additional ~50 global or sector indices; improves global coverage and autocomplete. (#1746) by @deeleeramone
2022-05-02 - Add Messari crypto dd commands (#1711) by @jose-donato
2022-05-02 - Adding stock price comparison via -c flag (#1745) by @Avani1994 🚀
2022-04-30 - minor output formatting (#1749) by @DidierRLopes
2022-04-30 - Adding new funds to the avanza fund list (#1750) by @northern-64bit
2022-04-30 - Fixing sudo command (#1748) by @Deadolus 🚀
2022-04-28 - Add command to determine Reddit sentiment about a ticker/company. (#1744) by @jbushago 🚀
2022-04-27 - Try a "smart" load of tickers (#1722) by @jmaslek
2022-04-27 - Fixing Typing (#1747) by @Chavithra
2022-04-27 - Add crypto DD commands (#1710) by @minhhoang1023
2022-04-26 - Fix user path (#1737) by @piiq
2022-04-25 - Update linux&amp;amp;mac anaconda install docs (#1742) by @piiq
2022-04-25 - fixed spelling (#1739) by @colin99d
2022-04-25 - updated Linux installation instructions (#1736) by @deeleeramone
2022-04-25 - fixed misspelled f-string (#1738) by @yodawi 🚀
2022-04-25 - Fix crypto load (#1715) by @jose-donato
2022-04-25 - [Bug] Incorrect log for reddit keys. #1733 fix (#1735) by @lepla 🚀
2022-04-22 - Adds ross index (#1723) by @jose-donato
2022-04-21 - Default env for packaged apps (#1693) by @piiq
2022-04-21 - Add performance table on load (#1724) by @jmaslek
2022-04-20 - Fx forward rates (#1721) by @jmaslek
2022-04-19 - openbb_terminal tests: coverage (61% -&amp;gt; 65%) (#1664) by @colin99d
2022-04-18 - Fix ETF screener #1704 (#1708) by @DidierRLopes
2022-04-17 - Requests using style fix (#1691) by @PzaThief 🚀
2022-04-17 - drop duplicates (#1705) by @LBolte29
2022-04-16 - Tests for Coinbase broker functions (#1696) by @marcelonyc
2022-04-15 - Adding everything from Risk Metrics PR based on new main branch (#1666) by @northern-64bit
2022-04-15 - Bots plots refactor.. 90% html size decrease! (#1686) by @tehcoderer
2022-04-14 - Add cost to borrow of stocks. Data from IBKR (#1663) by @guanquann 🚀
2022-04-14 - Deeleeramone indices (#1687) by @deeleeramone
We're proud of our community contributors and staunch supporters of open-source ecosystems.
Help us promote our community by tagging @openbb_finance on Twitter with a link to your pull request, and join our Discord server to chat about your contribution! We want to hear about your experience!
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;&lt;a href="https://github.com/OpenBB-finance/OpenBBTerminal"&gt;Give the repo a star!&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;&lt;a href="https://discord.com/invite/Y4HDyB6Ypu"&gt;Join the community Discord Server!&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;&lt;a href="https://twitter.com/openbb_finance"&gt;Follow OpenBB on Twitter&lt;/a&gt;&lt;/p&gt;

</description>
      <category>python</category>
      <category>opensource</category>
      <category>news</category>
      <category>git</category>
    </item>
    <item>
      <title>How To Monitor Open Source Trends With The OpenBB Terminal!</title>
      <dc:creator>Danglewood</dc:creator>
      <pubDate>Sun, 01 May 2022 03:53:01 +0000</pubDate>
      <link>https://dev.to/danglewood/how-to-monitor-open-source-trends-with-the-openbb-terminal-363b</link>
      <guid>https://dev.to/danglewood/how-to-monitor-open-source-trends-with-the-openbb-terminal-363b</guid>
      <description>&lt;p&gt;Admittedly, we are likely a little biased when it comes to open-source projects. The rest of the world may only be learning what OSS is because Elon Musk has been twatting about opening up the algorithm. &lt;/p&gt;

&lt;p&gt;We all know the value, I don't need to sell y'all on it. When it comes to following projects, you can keep your ear even closer to the ground with the Open Source Menu of the OpenBB Terminal.&lt;/p&gt;

&lt;p&gt;If you haven't already, the first thing you need to do is go to GitHub and star the OpenBB Terminal Repo. &lt;/p&gt;

&lt;p&gt;&lt;a href="https://github.com/OpenBB-finance/OpenBBTerminal" rel="noopener noreferrer"&gt;OpenBB GitHub Repo&lt;/a&gt;&lt;br&gt;
&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Faybf72kdks92uio10n4i.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Faybf72kdks92uio10n4i.png" alt="https://github.com/OpenBB-finance/OpenBBTerminal"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;While you're there, fork the repo and follow along!&lt;/p&gt;

&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fbv4rowsgno8vnbqctg4c.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fbv4rowsgno8vnbqctg4c.png" alt="Get To The OSS Menu (https://openbb-finance.github.io/OpenBBTerminal/terminal/alternative/oss/)"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;There are four commands to choose from in the OSS submenu:&lt;/p&gt;

&lt;p&gt;rs: Repo Summary&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /alternative/oss/ $ rs -h
usage: rs [-r REPO] [-h] [--export EXPORT] [--raw]

Display a repo summary [Source: https://api.github.com]

optional arguments:
  -r REPO, --repo REPO  Repository to search for repo summary. Format: org/repo, e.g., openbb-finance/openbbterminal (default: None)
  -h, --help            show this help message (default: False)
  --export EXPORT       Export raw data into csv, json, xlsx (default: )
  --raw                 Flag to display raw data (default: False)
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;sh: Repo Star History&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /alternative/oss/ $ sh -h
usage: sh [-r REPO] [-h] [--export EXPORT] [--raw]

Display a repo star history [Source: https://api.github.com]

optional arguments:
  -r REPO, --repo REPO  Repository to search for star history. Format: org/repo, e.g., openbb-finance/openbbterminal (default: None)
  -h, --help            show this help message (default: False)
  --export EXPORT       Export raw data into csv, json, xlsx and figure into png, jpg, pdf, svg (default: )
  --raw                 Flag to display raw data (default: False)
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;tr: Top Starred Repos&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /alternative/oss/ $ tr -h
usage: tr [-s {stars,forks}] [-c CATEGORIES] [-h] [--export EXPORT] [--raw] [-l LIMIT]

Display top repositories [Source: https://api.github.com]

optional arguments:
  -s {stars,forks}, --sortby {stars,forks}
                        Sort repos by {stars, forks}. Default: stars (default: stars)
  -c CATEGORIES, --categories CATEGORIES
                        Filter by repo categories. If more than one separate with a comma: e.g., finance,investment (default: )
  -h, --help            show this help message (default: False)
  --export EXPORT       Export raw data into csv, json, xlsx and figure into png, jpg, pdf, svg (default: )
  --raw                 Flag to display raw data (default: False)
  -l LIMIT, --limit LIMIT
                        Number of entries to show in data. (default: 10)
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;rossidx: The Ross Index - An Index Comprised Of The Fastest Growing Open-Source Startups&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /alternative/oss/ $ rossidx -h
usage: rossidx [-s SORTBY [SORTBY ...]] [--descend] [-c] [-g] [-t {stars,forks}] [-h] [--export EXPORT] [-l LIMIT]

Display list of startups from ross index [Source: https://runacap.com/] Use --chart to display chart and -t {stars,forks} to set chart type

optional arguments:
  -s SORTBY [SORTBY ...], --sortby SORTBY [SORTBY ...]
                        Sort startups by column (default: Stars AGR [%])
  --descend             Flag to sort in descending order (lowest first) (default: False)
  -c, --chart           Flag to show chart (default: False)
  -g, --growth          Flag to show growth chart (default: False)
  -t {stars,forks}, --chart-type {stars,forks}
                        Chart type: {stars, forks} (default: stars)
  -h, --help            show this help message (default: False)
  --export EXPORT       Export raw data into csv, json, xlsx (default: )
  -l LIMIT, --limit LIMIT
                        Number of entries to show in data. (default: 10)
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;Here's what you get:&lt;/p&gt;

&lt;p&gt;Repo Summary&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;                                                                                                 Repo summary                                                                                                  
┏━━━━━━━━━━━━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┓
┃ Metric                 ┃ Value                                                                                                                                                                              ┃
┡━━━━━━━━━━━━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┩
│ Name                   │ OpenBBTerminal                                                                                                                                                                     │
├────────────────────────┼────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────┤
│ Owner                  │ OpenBB-finance                                                                                                                                                                     │
├────────────────────────┼────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────┤
│ Creation Date          │ 2020-12-20                                                                                                                                                                         │
├────────────────────────┼────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────┤
│ Last Update            │ 2022-05-01                                                                                                                                                                         │
├────────────────────────┼────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────┤
│ Topics                 │ artificial-intelligence, cryptocurrency, economics, finance, gamestonk-terminal, investment, investment-analysis, investment-research, machine-learning, python,                   │
│                        │ quantitative-finance, stock-market, stocks, terminal-app                                                                                                                           │
├────────────────────────┼────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────┤
│ Stars                  │ 11785                                                                                                                                                                              │
├────────────────────────┼────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────┤
│ Forks                  │ 1265                                                                                                                                                                               │
├────────────────────────┼────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────┤
│ Open Issues            │ 50                                                                                                                                                                                 │
├────────────────────────┼────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────┤
│ Language               │ Python                                                                                                                                                                             │
├────────────────────────┼────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────┤
│ License                │ MIT License                                                                                                                                                                        │
├────────────────────────┼────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────┤
│ Releases               │ 2                                                                                                                                                                                  │
├────────────────────────┼────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────┤
│ Last Release Downloads │ 965                                                                                                                                                                                │
└────────────────────────┴────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────┘
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;Star History:&lt;br&gt;
&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Funojz80h1c26zrupr5e9.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Funojz80h1c26zrupr5e9.png" alt="OpenBB GitHub Star History (https://openbb-finance.github.io/OpenBBTerminal/terminal/alternative/oss/sh/)"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Top Starred Repos:&lt;br&gt;
&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Flfxv4suck43qr6e955v2.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Flfxv4suck43qr6e955v2.png" alt="Top Starred Finance Repos On GitHub (https://openbb-finance.github.io/OpenBBTerminal/terminal/alternative/oss/tr/)"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;We're coming for you, Plotly Dash! &lt;/p&gt;

&lt;p&gt;Finally, the masterpiece of open-source aggregates, The Ross Index:&lt;/p&gt;

&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F3isrjm7zqns54iwyzpnc.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F3isrjm7zqns54iwyzpnc.png" alt="Have Your Chart, Your Way Today! (https://openbb-finance.github.io/OpenBBTerminal/terminal/alternative/oss/rossidx/)"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;You can get a chart, get a table; user's choice.&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /alternative/oss/ $ rossidx -s Founded
                                             ROSS Index - the fastest-growing open-source startups                                             
┏━━━━━━━━━━━━┳━━━━━━━━━━━━━┳━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━┳━━━━━━━━━┳━━━━━━━━━━━━━┳━━━━━━━━━━━━┳━━━━━━━┳━━━━━━━┳━━━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━┓
┃ GitHub     ┃ Company     ┃ Country     ┃ City          ┃ Founded ┃ Raised [$M] ┃ Language   ┃ Stars ┃ Forks ┃ Stars AGR [%] ┃ Forks AGR [%] ┃
┡━━━━━━━━━━━━╇━━━━━━━━━━━━━╇━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━╇━━━━━━━━━╇━━━━━━━━━━━━━╇━━━━━━━━━━━━╇━━━━━━━╇━━━━━━━╇━━━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━┩
│ gravitl/ne │ Netmaker    │ USA         │ Asheville     │ 2021    │ 0.1         │ Go         │ 3546  │ 213   │ 1422          │ 1532          │
│ tmaker     │             │             │               │         │             │            │       │       │               │               │
├────────────┼─────────────┼─────────────┼───────────────┼─────────┼─────────────┼────────────┼───────┼───────┼───────────────┼───────────────┤
│ prabhatsha │ Zinc        │ USA         │ San Francisco │ 2021    │             │ Go         │ 6687  │ 290   │ 376           │ 421           │
│ rma/zinc   │             │             │               │         │             │            │       │       │               │               │
├────────────┼─────────────┼─────────────┼───────────────┼─────────┼─────────────┼────────────┼───────┼───────┼───────────────┼───────────────┤
│ medusajs/m │ Medusa      │ Denmark     │ Copenhagen    │ 2021    │ 1.0         │ JavaScript │ 9833  │ 500   │ 863           │ 1135          │
│ edusa      │             │             │               │         │             │            │       │       │               │               │
├────────────┼─────────────┼─────────────┼───────────────┼─────────┼─────────────┼────────────┼───────┼───────┼───────────────┼───────────────┤
│ tooljet/to │ ToolJet     │ India       │ Bengaluru     │ 2021    │ 1.6         │ JavaScript │ 8856  │ 657   │ 1656          │ 1034          │
│ oljet      │             │             │               │         │             │            │       │       │               │               │
├────────────┼─────────────┼─────────────┼───────────────┼─────────┼─────────────┼────────────┼───────┼───────┼───────────────┼───────────────┤
│ slint-     │ Slint       │ Germany     │ Berlin        │ 2020    │             │ Rust       │ 4115  │ 122   │ 470           │ 483           │
│ ui/slint   │             │             │               │         │             │            │       │       │               │               │
├────────────┼─────────────┼─────────────┼───────────────┼─────────┼─────────────┼────────────┼───────┼───────┼───────────────┼───────────────┤
│ orchest/or │ Orchest     │ Netherlands │ Rotterdam     │ 2020    │ 4.2         │ Python     │ 2528  │ 142   │ 385           │ 119           │
│ chest      │             │             │               │         │             │            │       │       │               │               │
├────────────┼─────────────┼─────────────┼───────────────┼─────────┼─────────────┼────────────┼───────┼───────┼───────────────┼───────────────┤
│ amplicatio │ Amplication │ Israel      │ Tel Aviv      │ 2020    │ 6.6         │ TypeScript │ 6296  │ 319   │ 812           │ 667           │
│ n/amplicat │             │             │               │         │             │            │       │       │               │               │
│ ion        │             │             │               │         │             │            │       │       │               │               │
├────────────┼─────────────┼─────────────┼───────────────┼─────────┼─────────────┼────────────┼───────┼───────┼───────────────┼───────────────┤
│ withfig/au │ Fig         │ USA         │ San Francisco │ 2020    │ 2.4         │ TypeScript │ 14329 │ 3425  │ 716           │ 486           │
│ tocomplete │             │             │               │         │             │            │       │       │               │               │
├────────────┼─────────────┼─────────────┼───────────────┼─────────┼─────────────┼────────────┼───────┼───────┼───────────────┼───────────────┤
│ growthbook │ GrowthBook  │ USA         │ Palo Alto     │ 2020    │ 0.5         │ TypeScript │ 2791  │ 109   │ 503           │ 824           │
│ /growthboo │             │             │               │         │             │            │       │       │               │               │
│ k          │             │             │               │         │             │            │       │       │               │               │
├────────────┼─────────────┼─────────────┼───────────────┼─────────┼─────────────┼────────────┼───────┼───────┼───────────────┼───────────────┤
│ coqui-     │ Coqui       │ Germany     │ Berlin        │ 2020    │             │ Python     │ 4394  │ 439   │ 381           │ 763           │
│ ai/tts     │             │             │               │         │             │            │       │       │               │               │
└────────────┴─────────────┴─────────────┴───────────────┴─────────┴─────────────┴────────────┴───────┴───────┴───────────────┴───────────────┘
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;Will OpenBB make the cut for 2022?&lt;/p&gt;

&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F6liobwmuf5larenqcgqh.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F6liobwmuf5larenqcgqh.png" alt="The Ross Index On OpenBB Terminal (https://openbb-finance.github.io/OpenBBTerminal/terminal/alternative/oss/rossidx/)"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Who do I call at S&amp;amp;P to become a constituent of this index?&lt;/p&gt;

&lt;p&gt;&lt;a href="https://twitter.com/openbb_finance" rel="noopener noreferrer"&gt;Tell us on Twitter&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;&lt;a href="https://openbb.co" rel="noopener noreferrer"&gt;OpenBB Official Webiste&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;&lt;a href="https://discord.com/invite/Up2QGbMKHY" rel="noopener noreferrer"&gt;Discord Community Server&lt;/a&gt;&lt;/p&gt;

</description>
      <category>open</category>
      <category>github</category>
      <category>star</category>
      <category>repo</category>
    </item>
    <item>
      <title>PR #1723 Adds The ROSS Index To OpenBB's OSS Menu! Fintech&lt;=&gt;OSS</title>
      <dc:creator>Danglewood</dc:creator>
      <pubDate>Sat, 23 Apr 2022 07:20:04 +0000</pubDate>
      <link>https://dev.to/danglewood/pr-1723-adds-the-ross-index-to-openbbs-oss-menu-fintechoss-2374</link>
      <guid>https://dev.to/danglewood/pr-1723-adds-the-ross-index-to-openbbs-oss-menu-fintechoss-2374</guid>
      <description>&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--OGqK_XH3--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/6f1ykgov2ga4qjfkz7ca.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--OGqK_XH3--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/6f1ykgov2ga4qjfkz7ca.png" alt="https://github.com/OpenBB-finance/OpenBBTerminal/pull/1723" width="840" height="806"&gt;&lt;/a&gt;&lt;br&gt;
&lt;a href="https://github.com/OpenBB-finance/OpenBBTerminal/pull/1723"&gt;https://github.com/OpenBB-finance/OpenBBTerminal/pull/1723&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;&lt;a href="https://runacap.com/ross-index/"&gt;https://runacap.com/ross-index/&lt;/a&gt;&lt;/p&gt;

&lt;blockquote&gt;
&lt;p&gt;Runa actively invests in OSS startups (like Nginx and MariaDB) and considers an active developer community instrumental for open-source businesses. We look for promising companies with a fast-growing army of fans, track them at Github, and decided to open-source our findings as an index.&lt;br&gt;
ROSS index highlights top-20 open-source startups by the annualised growth rate (AGR) of Github stars at their repositories. While these stars are not a perfect metric for community evaluation, they allow us to understand which OSS products were on top of developers’ minds last quarter. Our index is transparent, measurable and entirely focused on startups.&lt;/p&gt;
&lt;/blockquote&gt;

&lt;p&gt;OpenBB is on a mission make investment research effective, powerful and accessible to everyone. Support the project by getting it to the top of the ROSS Index!&lt;/p&gt;

&lt;p&gt;&lt;a href="https://github.com/OpenBB-finance/OpenBBTerminal"&gt;https://github.com/OpenBB-finance/OpenBBTerminal&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;&lt;a href="https://openbb.co"&gt;https://openbb.co&lt;/a&gt;&lt;/p&gt;

</description>
      <category>opensource</category>
      <category>ross</category>
      <category>python</category>
      <category>github</category>
    </item>
    <item>
      <title>How To Retrieve Corporate Fundamentals Data With The OpenBB Terminal</title>
      <dc:creator>Danglewood</dc:creator>
      <pubDate>Fri, 22 Apr 2022 18:44:01 +0000</pubDate>
      <link>https://dev.to/danglewood/how-to-retrieve-corporate-fundamentals-data-with-the-openbb-terminal-2be1</link>
      <guid>https://dev.to/danglewood/how-to-retrieve-corporate-fundamentals-data-with-the-openbb-terminal-2be1</guid>
      <description>&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fljr3bbmvnwzzyoxtn5h3.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fljr3bbmvnwzzyoxtn5h3.png" alt="wut phun-damentals?"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Over the past few years there has been a thriving narrative that says stocks are detached from reality and they do not trade on fundamentals. Over the past three quarters that narrative has rapidly evolved from a violent sector rotation, through price multiples compression events, then nose-dived on the real economy just to circle back and choke on supply chain constraints. Like a hose wrapped in a knot.&lt;/p&gt;

&lt;p&gt;A company's position as a cog in the global macro wheel will dictate their ability to withstand market forces beyond their control. Those maintaining pricing power stay in control of fundamentals, empowered by their balance sheet that offers flexibility in the use of debt, equity, and cash. If there is not a way to hedge against supplier price shocks, a business is not in control of its operating margins.&lt;/p&gt;

&lt;p&gt;Like technical analysis, everyone has their own way to read the tea leaves; however, unlike technicals, the fundamental data shows up on financial statements, which do live in reality. There is an auditable and tangible value of assets and liabilities held by a company; office chairs are still worth money even when the company isn't.&lt;/p&gt;

&lt;p&gt;If cash and cash-equivalents are greater than the market cap minus [debt + operating expenses], there is an argument to be made for shares being underpriced. Extra money laying around can only be used for specific purposes:&lt;/p&gt;

&lt;ul&gt;
&lt;li&gt;Pay down debt&lt;/li&gt;
&lt;li&gt;Pay a dividend&lt;/li&gt;
&lt;li&gt;Buyback shares (increase equity ownership of shareholders)&lt;/li&gt;
&lt;li&gt;Remain on the balance sheet for the next year&lt;/li&gt;
&lt;/ul&gt;

&lt;p&gt;A company does not have to report positive earnings-per-share in order to post a profit. Earnings are expressed as a multiple of the income against the share price before:&lt;/p&gt;

&lt;ul&gt;
&lt;li&gt;Interest&lt;/li&gt;
&lt;li&gt;Taxes&lt;/li&gt;
&lt;li&gt;Debt&lt;/li&gt;
&lt;li&gt;Amortization&lt;/li&gt;
&lt;/ul&gt;

&lt;p&gt;EBITDA&lt;/p&gt;

&lt;p&gt;Adjustments made to the income statement will spit out a value for net income. The three financial statements flow in order:&lt;/p&gt;

&lt;ol&gt;
&lt;li&gt;&lt;p&gt;Income statement - Money In&lt;/p&gt;&lt;/li&gt;
&lt;li&gt;&lt;p&gt;Balance sheet - Against Money Out&lt;/p&gt;&lt;/li&gt;
&lt;li&gt;&lt;p&gt;Cashflow statement - Is Net Equity To Shareholders&lt;/p&gt;&lt;/li&gt;
&lt;/ol&gt;

&lt;p&gt;The bottom line of the first statement becomes the top line of the second, adding or subtracting until the net cash attributable to the tangible book value of a share is revealed. When you hear someone describing a company's fundamentals as being X% the share value in cash, they are talking about the balance sheet.&lt;/p&gt;

&lt;p&gt;The cashflow statement shows how money moved in or out of the business in three ways:&lt;/p&gt;

&lt;ol&gt;
&lt;li&gt;&lt;p&gt;Operations: Summation of costs, returns, and expenses.&lt;/p&gt;&lt;/li&gt;
&lt;li&gt;&lt;p&gt;Investments: Net balance of R&amp;amp;D, acquisitions, dispositions, property, derivatives, etc.&lt;/p&gt;&lt;/li&gt;
&lt;li&gt;&lt;p&gt;Financing:  Capital flows remaining for stakeholders - Bond issuances or payments, share offerings or buybacks, dividend payments, cash retained on the balance sheet.&lt;/p&gt;&lt;/li&gt;
&lt;/ol&gt;

&lt;p&gt;&lt;strong&gt;OK, but how, openbb.request.get.fundamentals('ticker')?&lt;/strong&gt;&lt;/p&gt;

&lt;p&gt;wut ticker?&lt;/p&gt;

&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fvi7kvwenle4fpwn7mdop.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fvi7kvwenle4fpwn7mdop.png" alt="really...?"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Let's do this!&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;/stocks/load ko
fa
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F08tfvtu2tdkkor3gzjrk.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F08tfvtu2tdkkor3gzjrk.png" alt="The Fundamental Analysis menu in the OpenBB Terminal (https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/fundamental_analysis/)"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Inside the submenu, there are commands listed on the left in blue, with accompanying descriptions on the right. At the bottom, there is also a command with a character on the left, &amp;gt;. Behind this command is yet another submenu!&lt;/p&gt;

&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F95ydc77z44v2uxahnyop.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F95ydc77z44v2uxahnyop.png" alt="Fundamentals in the OpenBB Terminal (https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/fundamental_analysis/fmp/)"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;As with portfolio construction, diversity of information is critical when making informed decisions. It helps offset the risk of confirmation bias and mitigates reliance on any single source. Redundant features in this submenu are a feature, not a bug.&lt;/p&gt;

&lt;p&gt;Like anywhere in the terminal, a help dialogue is called with the additional, -h flag.&lt;/p&gt;

&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fzn6ainbpsfblrveajvf4.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fzn6ainbpsfblrveajvf4.png" alt="Viewing Coca-Cola fundamentals with the OpenBB Terminal (https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/fundamental_analysis/fmp/enterprise/)"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Plot the dividend history (substitute KO with another ticker, anywhere in the terminal to get here):&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;/stocks/load ko/fa/divs -p
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fgovgeaac4ltlpx64k3d9.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fgovgeaac4ltlpx64k3d9.png" alt="Dividend history chart (https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/fundamental_analysis/divs/)"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Something sus?&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /stocks/fa/ $ fraud -h
usage: fraud [-e] [-h] [--export EXPORT]

M-score:
------------------------------------------------
The Beneish model is a statistical model that uses financial ratios calculated with accounting data of a specific company in order to check if it is likely (high probability) that the reported earnings of the company have been manipulated. A score of -5 to -2.22 indicated a low chance of fraud, a score of -2.22 to -1.78 indicates a moderate change of fraud, and a score above -1.78 indicated a high chance of fraud.[Source: Wikipedia]

DSRI:
Days Sales in Receivables Index gauges whether receivables and revenue are out of balance, a large number is expected to be associated with a higher likelihood that revenues and earnings are overstated.

GMI:
Gross Margin Index shows if gross margins are deteriorating. Research suggests that firms with worsening gross margin are more likely to engage in earnings management, therefore there should be a positive correlation between GMI and probability of earnings management.

AQI:
Asset Quality Index measures the proportion of assets where potential benefit is less certain. A positive relation between AQI and earnings manipulation is expected.

SGI:
Sales Growth Index shows the amount of growth companies are having. Higher growth companies are more likely to commit fraud so there should be a positive relation between SGI and earnings management.

DEPI:
Depreciation Index is the ratio for the rate of depreciation. A DEPI greater than 1 shows that the depreciation rate has slowed and is positively correlated with earnings management.

SGAI:
Sales General and Administrative Expenses Index measures the change in SG&amp;amp;A over sales. There should be a positive relationship between SGAI and earnings management.

LVGI:
Leverage Index represents change in leverage. A LVGI greater than one indicates a lower change of fraud.

TATA: 
Total Accruals to Total Assets is a proxy for the extent that cash underlies earnings. A higher number is associated with a higher likelihood of manipulation.

Z-score:
------------------------------------------------
The Zmijewski Score is a bankruptcy model used to predict a firm's bankruptcy in two years. The ratio uses in the Zmijewski score were determined by probit analysis (think of probit as probability unit). In this case, scores less than .5 represent a higher probability of default. One of the criticisms that Zmijewski made was that other bankruptcy scoring models oversampled distressed firms and favored situations with more complete data.[Source: YCharts]McKee-score:
------------------------------------------------
The McKee Score is a bankruptcy model used to predict a firm's bankruptcy in one yearIt looks at a companie's size, profitability, and liquidity to determine the probability.This model is 80% accurate in predicting bankruptcy.

optional arguments:
  -e, --explanation  Shows an explanation for the metrics
  -h, --help         show this help message
  --export EXPORT    Export raw data into csv, json, xlsx 
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fdrqhwy5sn5et5cml3u94.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fdrqhwy5sn5et5cml3u94.png" alt="Checkin' the scene for grifters (https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/fundamental_analysis/fraud/)"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Use a NLP model to highlight areas of concern in SEC filings.&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /stocks/fa/ $ analysis -h
usage: analysis [-h] [--export EXPORT]

Display analysis of SEC filings based on NLP model. [Source: https://eclect.us]

optional arguments:
  -h, --help       show this help message (default: False)
  --export EXPORT  Export raw data into csv, json, xlsx (default: )

(🦋) /stocks/fa/ $ analysis

        RISK FACTORS:
The public health crisis caused by the COVID-19 pandemic and the measures that have been taken or that may be taken in the future by governments, businesses, including us and our bottling partners, and the public at large to limit the spread of COVID-19 have had, and we expect will continue to have, certain negative impacts on our business including, without limitation, the following: • We have experienced a decrease in sales of certain of our products in markets around the world as a result of the COVID-19 pandemic.

The resumption of normal business operations after the disruptions caused by the COVID-19 pandemic may be delayed or constrained by the pandemic’ s lingering effects on our bottling partners, consumers, suppliers and/or third-party service providers.

These actions include focusing investments on a defined growth portfolio by prioritizing brands best positioned for consumer reach; streamlining the innovation pipeline through initiatives that are scalable regionally or globally, as well as maintaining a disciplined approach to local experimentation; refreshing our marketing approach, with a focus on improving our marketing investment effectiveness and efficiency; and investing in new capabilities to capitalize on emerging shifts in consumer behaviors that we anticipate may last beyond this crisis.

• We may be required to record significant impairment charges with respect to noncurrent assets, including trademarks, goodwill and other intangible assets, equity method investments, and other long-lived assets whose fair values may be negatively affected by the effects of the COVID-19 pandemic on our operations.

It is not currently possible to predict with any certainty the impact this requirement could have on our Company and its workforce.

        DISCUSSION AND ANALYSIS:
Gross Profit MarginGross profit margin is a ratio calculated by dividing gross profit by net operating revenues.

The increase in operating income was primarily driven by concentrate sales volume growth of 4513 percent; lower other operating charges and a favorable foreign currency exchange rate impact of 6 percent, partially offset by higher short-term incentive expense and increased marketing spending.

Risk Factors” in Part I and“ Our Business—Challenges and Risks” in Part II of our Annual Report on Form 10-K for the year ended December 31, 2020.

40 The favorable channel and package mix for the three months ended October 1, 2021 in all applicable operating segments was primarily a result of the gradual recovery in away-from-home channels in many markets in the current year and the impact of shelter-in-place and social distancing requirements in the prior year.

The favorable channel and package mix for the nine months ended October 1, 2021 in all applicable operating segments was primarily a result of the gradual recovery in away-from-home channels in many markets in the current year and the impact of shelter-in-place and social distancing requirements in the prior year.

42 The decrease in selling and distribution expenses during the three and nine months ended October 1, 2021 was primarily due to the impact of the COVID-19 pandemic on away-from-home channels, partially offset by the impact of foreign currency exchange rate fluctuations.

Our price, product and geographic mix was also negatively impacted, primarily due to unfavorable channel and product mix as consumer demand has shifted to more at-home consumption versus away-from-home consumption.

As a result, the first quarter of 2021 had five additional days when compared to the first quarter of 2020, and the fourth quarter of 2021 will have six fewer days when compared to the fourth quarter of 2020.

Operating loss in 2021 increased primarily as a result of increased marketing spending and higher short-term incentive and stock-based compensation expense.

Operating loss in 2021 increased primarily as a result of higher short-term incentive and stock-based compensation expense, increased marketing spending and higher other operating charges.

In the fourth quarter of 2020, the Company started a trade accounts receivable factoring program in certain countries.

As a result of timing, the Company paid the third quarterly dividend of 2021 in the third quarter and paid the third quarterly dividend of 2020 in the fourth quarter of 2020. 
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;Historical market cap:&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;(🦋) /stocks/fa/ $ mktcap -h
usage: mktcap [-s START] [-h] [--export EXPORT]

Market Cap estimate over time. [Source: Yahoo Finance]

optional arguments:
  -s START, --start START
                        The starting date (format YYYY-MM-DD) of the market cap display (default: 2019-04-20)
  -h, --help            show this help message (default: False)
  --export EXPORT       Export raw data into csv, json, xlsx and figure into png, jpg, pdf, svg (default: )

(🦋) /stocks/fa/ $ mktcap -s 1962-01-02
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F92kc49d4tvnq9v4u7j7y.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F92kc49d4tvnq9v4u7j7y.png" alt="$KO historical market cap (https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/fundamental_analysis/mktcap/)"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;$KO Stock splits over time:&lt;/p&gt;

&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fkh1qi9f3wygikzofg3v4.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fkh1qi9f3wygikzofg3v4.png" alt="$KO Stock splits over time (https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/fundamental_analysis/splits/)"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Who's holding?&lt;/p&gt;

&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fv2vzzmekgnxt3c1ec97g.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fv2vzzmekgnxt3c1ec97g.png" alt="Ownership stakes of interest (https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/fundamental_analysis/shrs/)"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F1m34cjt9wpq10uwrv7gg.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2F1m34cjt9wpq10uwrv7gg.png" alt="wait for it..."&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;That's right, I would be out of characters if I posted all of the amazing, free, features included in the Fundamental Analysis menu of the OpenBB Terminal! Go to the website now, click the download link, and I will personally send you a second download, for free!!**&lt;/p&gt;

&lt;p&gt;&lt;a href="https://openbb.co" rel="noopener noreferrer"&gt;https://openbb.co&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;An operator is standing by now!! Join us: &lt;a href="https://discord.com/invite/Up2QGbMKHY" rel="noopener noreferrer"&gt;https://discord.com/invite/Up2QGbMKHY&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;** &lt;em&gt;just pay separate handling, processing, shipping &amp;amp; processing, fondling, and delivery charges!&lt;/em&gt;&lt;/p&gt;

</description>
      <category>tutorial</category>
      <category>python</category>
      <category>opensource</category>
      <category>100daysofcode</category>
    </item>
    <item>
      <title>OpenBB is hiring Junior Python Developers and Senior Software Engineers passionate about the future of finance!</title>
      <dc:creator>Danglewood</dc:creator>
      <pubDate>Thu, 21 Apr 2022 04:04:18 +0000</pubDate>
      <link>https://dev.to/danglewood/openbb-is-hiring-junior-python-developers-and-senior-software-engineers-passionate-about-the-future-of-finance-53d0</link>
      <guid>https://dev.to/danglewood/openbb-is-hiring-junior-python-developers-and-senior-software-engineers-passionate-about-the-future-of-finance-53d0</guid>
      <description>&lt;p&gt;We are growing; come grow with us!&lt;/p&gt;

&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fv2261vcgochm2bw9mdfs.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fv2261vcgochm2bw9mdfs.png" alt="There are 4 continents represented at OpenBB, looking at you, Antarctica!"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;I know there's some talented MOFO's lurking here, maybe also looking for path for career growth. Are you a Python developer who is also a degenerate options day trader? Are you a Senior Software Engineer wanting to break free from the shackles of Big Fintech? We want to talk to you!&lt;/p&gt;

&lt;p&gt;If you're here, it's quite likely that you have been pitched startups like it was 1998, so I'll save that for later. &lt;/p&gt;

&lt;p&gt;&lt;a href="https://openbb.co/company/careers#open-roles" rel="noopener noreferrer"&gt;Apply here!&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fojqeivgqflbuwlag5o5u.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fojqeivgqflbuwlag5o5u.png" alt="Why OpenBB?"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;If a picture can say a thousand words, a star can inspire millions more.&lt;/p&gt;

&lt;p&gt;&lt;a href="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fawn7n0c2qhkelqpxjrcy.png" class="article-body-image-wrapper"&gt;&lt;img src="https://media.dev.to/dynamic/image/width=800%2Cheight=%2Cfit=scale-down%2Cgravity=auto%2Cformat=auto/https%3A%2F%2Fdev-to-uploads.s3.amazonaws.com%2Fuploads%2Farticles%2Fawn7n0c2qhkelqpxjrcy.png" alt="&amp;lt;3"&gt;&lt;/a&gt;&lt;/p&gt;

</description>
      <category>opensource</category>
      <category>python</category>
      <category>career</category>
      <category>devops</category>
    </item>
    <item>
      <title>v1.0, meet, v1.1.0</title>
      <dc:creator>Danglewood</dc:creator>
      <pubDate>Mon, 18 Apr 2022 06:39:32 +0000</pubDate>
      <link>https://dev.to/danglewood/v10-meet-v110-4ke2</link>
      <guid>https://dev.to/danglewood/v10-meet-v110-4ke2</guid>
      <description>&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--Qo38tXUD--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/f9zmx6i1ed9ptrhg6pxy.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--Qo38tXUD--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/f9zmx6i1ed9ptrhg6pxy.png" alt="GitHub Code Frequency Chart for the OpenBB Terminal Repo" width="880" height="418"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;&lt;a href="https://github.com/OpenBB-finance/OpenBBTerminal/releases"&gt;OpenBB Terminal v1.1.0&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Changelog:&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;2022-04-14 - Starts crypto tools menu (#1668) by jose-donato
2022-04-13 - Replaces coingecko deprecated commands (#1650) by jose-donato
2022-04-12 - Adding Necessary files to fix the windows installer splash screen (#1653) by andrewkenreich
2022-04-10 - updated anchor command to display earnings (#1661) by jose-donato
2022-04-10 - Closing in on 90% Bot Coverage (#1646) by Colin Delahunty
2022-04-10 - Add a pytest.mark.linux to test_display_defi_tvl (#1665) by Artem Veremey
2022-04-09 - Incorrect Env Names (#1657) by Colin Delahunty
2022-04-08 - Update similarity report (#1651) by Theodore Aptekarev
2022-04-08 - Adds QA and Pred to forex (#1652) by jose-donato
2022-04-08 - Added fix for alphavantage key and fraud command (#1660) by Colin Delahunty
2022-04-08 - Add pytest.mark.linux to test_plot_oi (#1662) by Artem Veremey
2022-04-07 - Updating advanced docker documentation to reference the new container (#1655) by Artem Veremey
2022-04-07 - Fix divcal timeout (#1649) by Theodore Aptekarev
2022-04-06 - fix #1645 and #1574 (#1639) by LBolte29
2022-04-06 - Resolve dependency issues (#1640) by Theodore Aptekarev
2022-04-05 - Fixinttests (#1635) by Colin Delahunty
2022-04-05 - Fixed import bug in report and dashboard notebooks (#1632) by Colin Delahunty
2022-04-05 - Added check for valid Coinbase product, including delisted checking (#1633) by Marcelo Litovsky
2022-04-04 - Update test documentation (#1630) by minhhoang1023
2022-04-04 - New Open Source menu (#1603) by jose-donato
2022-04-04 - Fix logging for users that don't rename parent folder to OpenBBTerminal (#1613) by didierlopes.eth
2022-04-04 - Fix coin_map_df returns nan (#1627) by minhhoang1023
2022-04-03 - add star history (#1619) by didierlopes.eth
2022-04-03 - Powerful stock search (#1617) by didierlopes.eth
2022-04-03 - Added helpful messages to twitter model (#1622) by meatpi
2022-04-03 - Add tests for bots/stocks (#1616) by Colin Delahunty
2022-04-02 - Shorten CI Time (#1615) by Colin Delahunty
2022-04-02 - Rename Gamestonk Terminal to OpenBB Terminal in the web version (#1609) by Arjun V
2022-04-02 - Get into oanda submenu (#1611) by Szymon Błaszczyński
2022-04-02 - Expanding bot tests (#1561) by Colin Delahunty
2022-04-02 - Edit portfolio value for add as well as a spelling error (#1614) by jmaslek
2022-04-01 - chore: updated the readme, removed the use of the slang Karen and Gan… (#1606) by Mabel Oza
2022-04-01 - Update README.md (#1604) by mrawdon
2022-03-31 - Logging : fix filter (#1602) by Chavithra
2022-03-31 - Bug : fix #1597 (#1598) by Chavithra
2022-03-31 - Bug : Fix #1600 (#1601) by Chavithra
2022-03-31 - Add Raspberry PI installation (#1562) by Zedris
2022-03-30 - Renaming GamestonkTerminal (#1596) by Chavithra
2022-03-30 - Fix API Keys images not showing in README (#1595) by Jeroen Bouma
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;Thanks to all the Open Source Community Contributors; y'all are amazing, and keep the momentum of this project going up, and to the right!&lt;/p&gt;

&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--zRnyhGvN--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/k0e8hufobw73hc3zpdpk.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--zRnyhGvN--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/k0e8hufobw73hc3zpdpk.png" alt="GitHub Star History - in the Open Source Menu of the OpenBB Terminal (https://openbb-finance.github.io/OpenBBTerminal/terminal/alternative/oss/sh/)" width="880" height="443"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Come say hello over on Discord: &lt;a href="https://discord.com/invite/Up2QGbMKHY"&gt;https://discord.com/invite/Up2QGbMKHY&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Follow OpenBB on Twitter: &lt;a href="https://twitter.com/openbb_finance"&gt;https://twitter.com/openbb_finance&lt;/a&gt;&lt;/p&gt;

</description>
      <category>programming</category>
      <category>python</category>
      <category>opensource</category>
      <category>github</category>
    </item>
    <item>
      <title>#FOSS Equities Research With The OpenBB Terminal: Hunting Dividend Opportunities</title>
      <dc:creator>Danglewood</dc:creator>
      <pubDate>Tue, 12 Apr 2022 13:41:51 +0000</pubDate>
      <link>https://dev.to/danglewood/foss-equities-research-with-the-openbb-terminal-hunting-dividend-opportunities-1bom</link>
      <guid>https://dev.to/danglewood/foss-equities-research-with-the-openbb-terminal-hunting-dividend-opportunities-1bom</guid>
      <description>&lt;p&gt;What do you think about when someone gets excited about dividend stocks?  &lt;/p&gt;

&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--GyeO9DAz--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/6grsz0lfepp989hb0j1b.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--GyeO9DAz--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/6grsz0lfepp989hb0j1b.png" alt="The Dividend Calendar - /stocks/disc/divcal (https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/discovery/divcal/)" width="880" height="507"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;You're probably thinking something along the lines of this:&lt;/p&gt;

&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--FmEkt3Nb--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/1gwsjg4oj7j2j7qy6bok.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--FmEkt3Nb--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/1gwsjg4oj7j2j7qy6bok.png" alt="Add [Didier Memes#2168] to bring a fun Discord Bot for memes into your server!" width="356" height="386"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;I'm not talking about your grandma's blue chip shares, and I'm certainly not talking about the fabled dividend capture strategy. What I am talking about, however, is a way of reading the data to find actionable opportunities in the short-term that are reasonably safe places to store cash. Any return is better than no return, or better yet, negative interest rates on deposits. &lt;/p&gt;

&lt;p&gt;The stock market can be a reasonable place to store some long-term, rainy day, funds. The liquidity exists (obviously don't put all emergency needs into semi-liquid assets) to meet the demands of many situations because securities are  easily converted into transferrable cash.&lt;/p&gt;

&lt;p&gt;If you have an emergency fund worth more than a year's living expenses, and it has been parked in a 0% savings account for some time now, moving a sizeable portion to a major brokerage account, as a way to offset the decrease in purchasing power dead money accumulates, is not a terrible idea. Honestly, you have considered and/or executed much riskier alternatives.&lt;br&gt;
By consuming pop culture media, one might get the impression that stocks = stonks, and everyone is an insane gambling addict. While it's true that you will be thankful to have not taken speculative or complex positions when tapping the primary source of funds after the well dries up, low-risk stocks like Canadian Banks are highly liquid stores of value which historically appreciate in price while paying a dividend. Left to themselves they are compounders, and high interest regimes only generate more income. It shows up on the balance sheet as both, share buybacks and dividend payments. Paying a 4-7% dividend while growing profits, and buying back ~5% of outstanding shares, is a formula for appreciating shareholder equity.&lt;/p&gt;

&lt;p&gt;There are situations where a known future date for funds evacuating the pirate ship is 3-6 months; plenty of time to put that cash to work while it's still available. I'm not here to recommend a course of action, only offer ways to think about them. So with ire sufficiently raised, let's pivot away from safe harbours, towards non-traditional applications.&lt;/p&gt;

&lt;p&gt;The dividend calendar is located in the Discovery Menu, under Stocks. To display the help dialogue, enter this:&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;/stocks/disc/divcal -h
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;Which displays the help dialogue:&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;usage: divcal [-d DATE] [-s SORT [SORT ...]] [-a] [-h] [--export EXPORT] [-l LIMIT]

Get dividend calendar for selected date

optional arguments:
  -d DATE, --date DATE  Date to get format for (default: 2022-04-11 20:15:40.109294)
  -s SORT [SORT ...], --sort SORT [SORT ...]
                        Column to sort by (default: ['Dividend'])
  -a, --ascend          Flag to sort in ascending order (default: False)
  -h, --help            show this help message (default: False)
  --export EXPORT       Export raw data into csv, json, xlsx (default: )
  -l LIMIT, --limit LIMIT
                        Number of entries to show in data. (default: 10)
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;Here's the list of stocks trading ex-dividend on Tuesday:&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;/stocks/disc/divcal -d 2022-04-12
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--CP8YoDWz--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/ehfolg4iljv6g2scstjk.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--CP8YoDWz--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/ehfolg4iljv6g2scstjk.png" alt="Stocks trading ex-dividend on April 12 2022 - /stocks/disc/divcal (https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/discovery/divcal/)&amp;lt;br&amp;gt;
" width="880" height="617"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;The difference between the Ex-Dividend and the Record Date will dictate the minimum amount of time in the trade. Dates closer together are more favourable because they require the least amount of time-investment. UBS has sequential dates, and this would be considered ideal if the yield were more substantial; i.e., the share price is low.  &lt;/p&gt;

&lt;p&gt;We can pull a quote to see:&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;2022 Apr 11, 23:39 (🦋) /stocks/ $ quote UBS
                Ticker Quote                
┏━━━━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━━━━━━━━━━━┓
┃                ┃ UBS                     ┃
┡━━━━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━━━━━━━━━━━┩
│ Name           │ UBS Group AG Registered │
├────────────────┼─────────────────────────┤
│ Price          │ 18.40                   │
├────────────────┼─────────────────────────┤
│ Open           │ 18.62                   │
├────────────────┼─────────────────────────┤
│ High           │ 18.77                   │
├────────────────┼─────────────────────────┤
│ Low            │ 18.39                   │
├────────────────┼─────────────────────────┤
│ Previous Close │ 18.53                   │
├────────────────┼─────────────────────────┤
│ Volume         │ 3,518,127               │
├────────────────┼─────────────────────────┤
│ 52 Week High   │ 21.48                   │
├────────────────┼─────────────────────────┤
│ 52 Week Low    │ 14.42                   │
├────────────────┼─────────────────────────┤
│ Change         │ -0.13                   │
├────────────────┼─────────────────────────┤
│ Change %       │ -0.70%                  │
└────────────────┴─────────────────────────┘
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;At $0.16/share, this is a measly yield and not worth the price of admission. There will be lots of this, but is no reason to give up. Looking at about a month out, we can see what was already announced. Many haven't, the lists will be a little sparser as a result, but it will grow as the date comes closer. &lt;/p&gt;

&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--D8TAWVda--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/pkpwff1ch0m0m1e4ckct.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--D8TAWVda--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/pkpwff1ch0m0m1e4ckct.png" alt="Stocks trading ex-dividend on May 5 &amp;amp; 12 - /stocks/disc/divcal (https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/discovery/divcal/)" width="880" height="473"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Ternium ($TX) catches my eye here. It's on my watchlist, is a steel producer play, has a minimum time-investment of only four days, and is trading &amp;gt;10% down from August highs. A daily return on capital of 1% is very good, and four days of holding makes a greater return than any amount of doing nothing. This assumes that the stock price does not swing beyond a pre-defined level of tolerance to the downside.&lt;/p&gt;

&lt;p&gt;Looking at a long chart, it trades in a non-frothy range, and is in a top-performing sector for 2022. &lt;/p&gt;

&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--shyUZ3jf--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/a2zxwkdpausatwl74j4o.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--shyUZ3jf--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/a2zxwkdpausatwl74j4o.png" alt="Ternium ($TX) Daily Candles - /stocks/candle (https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/candle/)&amp;lt;br&amp;gt;
" width="880" height="301"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Even a one-month return of 4% is a very healthy annualized yield. The only objective here is to preserve purchasing power over time; anything else is a bonus. This is the opposite of YOLO hundred-baggers; a safe place to park some cash, for a week or a month, and earn a yield greater than flipping durable goods.&lt;/p&gt;

&lt;p&gt;Time to poke some holes in this thought bubble. Here's a weekly chart with moving averages.&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;stocks/load -t tx -s 2006-02-01 -w/candle --ma 21,63,126
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--tM3ijLNc--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/4bkmwemdr7clou26qi9w.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--tM3ijLNc--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/4bkmwemdr7clou26qi9w.png" alt="Weekly chart of Ternium With Moving Averages (https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/candle/)&amp;lt;br&amp;gt;
" width="880" height="326"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Could be setting up for one more leg up before the ex-dividend date; volume levels are pushing all-time highs. What do the options say about our timeline?&lt;/p&gt;

&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--TjcJHcjJ--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/ns76zamzzq7hdbm5lw8p.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--TjcJHcjJ--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/ns76zamzzq7hdbm5lw8p.png" alt="Open Interest On Ternium, For May Expiration (https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/options/oi/)&amp;lt;br&amp;gt;
" width="880" height="419"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;The bell curve forecasts a $50 range, and the closing price was $48.86. Taking this at face-value, it doesn't look primed to jump off a cliff between now and the trading day following the record date. &lt;/p&gt;

&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--fPvxdQIt--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/3m5eunk72hk98dv4ylk7.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--fPvxdQIt--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/3m5eunk72hk98dv4ylk7.png" alt="https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/options/binom/" width="880" height="379"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;The chains data doesn't disagree. Selling a $46 put will net enough premium to buy a $49 call, that could be one place to gain exposure; but, that doesn't earn yield like shares do, and options are not a part of the key objectives. If nothing else, options are a leading indicator for future prices.  &lt;/p&gt;

&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--sZSjjm-d--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/ba8rigjhcxzuq9kezbhq.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--sZSjjm-d--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/ba8rigjhcxzuq9kezbhq.png" alt="Ternium Options Chains For May Expiration (https://openbb-finance.github.io/OpenBBTerminal/terminal/stocks/options/chains/)&amp;lt;br&amp;gt;
" width="880" height="438"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;At this point, one can see if there is enough meat on the bone to fulfill the requirements and objectives of the capital allocation strategy. Turning over stones can reveal treasures, this is currently a single stock picker's market. What's on your watchlist?&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;/stocks/dd/rating
                                    Rating                                    
┏━━━━━━━━━━━━┳━━━━━━━━┳━━━━━━━━━━━━┳━━━━━━━━━┳━━━━━━━━━┳━━━━━━━━━┳━━━━━┳━━━━━┓
┃            ┃ Rating ┃ DCF        ┃ ROE     ┃ ROA     ┃ DE      ┃ PE  ┃ PB  ┃
┡━━━━━━━━━━━━╇━━━━━━━━╇━━━━━━━━━━━━╇━━━━━━━━━╇━━━━━━━━━╇━━━━━━━━━╇━━━━━╇━━━━━┩
│ 2022-04-11 │ Buy    │ Strong Buy │ Neutral │ Neutral │ Neutral │ Buy │ Buy │
├────────────┼────────┼────────────┼─────────┼─────────┼─────────┼─────┼─────┤
│ 2022-04-08 │ Buy    │ Strong Buy │ Neutral │ Neutral │ Neutral │ Buy │ Buy │
├────────────┼────────┼────────────┼─────────┼─────────┼─────────┼─────┼─────┤
│ 2022-04-07 │ Buy    │ Strong Buy │ Neutral │ Neutral │ Neutral │ Buy │ Buy │
├────────────┼────────┼────────────┼─────────┼─────────┼─────────┼─────┼─────┤
│ 2022-04-06 │ Buy    │ Strong Buy │ Neutral │ Neutral │ Neutral │ Buy │ Buy │
├────────────┼────────┼────────────┼─────────┼─────────┼─────────┼─────┼─────┤
│ 2022-04-05 │ Buy    │ Strong Buy │ Neutral │ Neutral │ Neutral │ Buy │ Buy │
└────────────┴────────┴────────────┴─────────┴─────────┴─────────┴─────┴─────┘
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;If you made it this far come say hello, ask questions, or get support on Discord: &lt;a href="https://discord.com/invite/Up2QGbMKHY"&gt;https://discord.com/invite/Up2QGbMKHY&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;&lt;a href="http://openbb.co"&gt;http://openbb.co&lt;/a&gt;&lt;/p&gt;

</description>
      <category>python</category>
      <category>opensource</category>
      <category>tutorial</category>
      <category>showdev</category>
    </item>
    <item>
      <title>Triplet Command: One Command, Three Outcomes; All Info</title>
      <dc:creator>Danglewood</dc:creator>
      <pubDate>Sun, 10 Apr 2022 07:06:16 +0000</pubDate>
      <link>https://dev.to/danglewood/triplet-command-one-command-three-outcomes-all-info-516o</link>
      <guid>https://dev.to/danglewood/triplet-command-one-command-three-outcomes-all-info-516o</guid>
      <description>&lt;p&gt;Info is what we're all here to get, collect and analyze; get your lazy-day reading in with the OpenBB Terminal!&lt;br&gt;
&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--6ElNXJdH--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/nsk9l06ek91y9jwl1el3.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--6ElNXJdH--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/nsk9l06ek91y9jwl1el3.png" alt="Sunday Funday" width="200" height="251"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;info: Found under several submenus, this command will provide a text or table output. &lt;/p&gt;

&lt;ul&gt;
&lt;li&gt;/stocks/options/info&lt;/li&gt;
&lt;li&gt;/stocks/fa/info&lt;/li&gt;
&lt;li&gt;/crypto/dd/info
&lt;/li&gt;
&lt;/ul&gt;
&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;2022 Apr 10, 02:29 (🦋) / $ /stocks/load NVDA/options/exp 1/info

2022 Apr 10, 02:31 (🦋) /stocks/ $ load NVDA

Loading Daily NVDA stock with starting period 2019-04-05 for analysis.

Datetime: 2022 Apr 10 02:31
Timezone: America/New_York
Currency: USD
Market:   CLOSED

2022 Apr 10, 02:31 (🦋) /stocks/ $ options
Loaded expiry dates from Tradier
2022 Apr 10, 02:31 (🦋) /stocks/options/ $ exp 1
Expiration set to 2022-04-22 

2022 Apr 10, 02:31 (🦋) /stocks/options/ $ info
                Options Information                
┏━━━━━━━━━━━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━━━━━━━━━━━┓
┃ Info                  ┃ Value                   ┃
┡━━━━━━━━━━━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━━━━━━━━━━━┩
│ Implied Volatility    │   53.58%  (  +0.59%)    │
├───────────────────────┼─────────────────────────┤
│ Historical Volatility │   66.11%                │
├───────────────────────┼─────────────────────────┤
│ IV Percentile         │   79%                   │
├───────────────────────┼─────────────────────────┤
│ IV Rank               │   47.58%                │
├───────────────────────┼─────────────────────────┤
│ IV High               │   78.34% on 07/20/21    │
├───────────────────────┼─────────────────────────┤
│ IV Low                │   31.11% on 10/15/21    │
├───────────────────────┼─────────────────────────┤
│ Put/Call Vol Ratio    │  0.77                   │
├───────────────────────┼─────────────────────────┤
│ Today's Volume        │  516,279                │
├───────────────────────┼─────────────────────────┤
│ Volume Avg (30-Day)   │  492,326                │
├───────────────────────┼─────────────────────────┤
│ Put/Call OI Ratio     │  0.94                   │
├───────────────────────┼─────────────────────────┤
│ Today's Open Interest │  2,413,622              │
├───────────────────────┼─────────────────────────┤
│ Open Int (30-Day)     │  2,040,910              │
└───────────────────────┴─────────────────────────┘
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;


&lt;p&gt;Here's the fundamental analysis version:&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;2022 Apr 10, 02:31 (🦋) /stocks/options/ $ ../fa/info
2022 Apr 10, 02:37 (🦋) /stocks/ $ fa
2022 Apr 10, 02:37 (🦋) /stocks/fa/ $ info
                                 NVDA Info                                  
┏━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┓
┃                                   ┃ Value                                ┃
┡━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┩
│ Zip                               │ 95051                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Sector                            │ Technology                           │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Full time employees               │ 22.473 K                             │
├───────────────────────────────────┼──────────────────────────────────────┤
│ City                              │ Santa Clara                          │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Phone                             │ 408 486 2000                         │
├───────────────────────────────────┼──────────────────────────────────────┤
│ State                             │ CA                                   │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Country                           │ United States                        │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Website                           │ https://www.nvidia.com               │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Max age                           │ 1                                    │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Address                           │ 2788 San Tomas Expressway            │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Industry                          │ Semiconductors                       │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Ebitda margins                    │ 0.417                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Profit margins                    │ 0.362                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Gross margins                     │ 0.649                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Operating cashflow                │ 9.108 B                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Revenue growth                    │ 0.528                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Operating margins                 │ 0.373                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Ebitda                            │ 11.215 B                             │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Target low price                  │ 177.500                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Recommendation key                │ buy                                  │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Gross profits                     │ 17.475 B                             │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Free cashflow                     │ 6.468 B                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Target median price               │ 350                                  │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Current price                     │ 231.190                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Earnings growth                   │ 1.034                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Current ratio                     │ 6.650                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Return on assets                  │ 0.172                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Number of analyst opinions        │ 43                                   │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Target mean price                 │ 341.150                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Debt to equity                    │ 44.457                               │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Return on equity                  │ 0.448                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Target high price                 │ 400                                  │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Total cash                        │ 21.208 B                             │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Total debt                        │ 11.831 B                             │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Total revenue                     │ 26.914 B                             │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Total cash per share              │ 8.463                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Financial currency                │ USD                                  │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Revenue per share                 │ 10.783                               │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Quick ratio                       │ 5.965                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Recommendation mean               │ 2                                    │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Exchange                          │ NMS                                  │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Short name                        │ NVIDIA Corporation                   │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Long name                         │ NVIDIA Corporation                   │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Exchange timezone name            │ America/New_York                     │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Exchange timezone short name      │ EDT                                  │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Is esg populated                  │ False                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Gmt off set milliseconds          │ -14.400 M                            │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Quote type                        │ EQUITY                               │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Symbol                            │ NVDA                                 │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Message board id                  │ finmb_32307                          │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Market                            │ us_market                            │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Enterprise to revenue             │ 21.178                               │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Enterprise to ebitda              │ 50.823                               │
├───────────────────────────────────┼──────────────────────────────────────┤
│ 52 week change                    │ 0.520                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Forward EPS                       │ 6.790                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Shares outstanding                │ 2.492 B                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Book value                        │ 10.619                               │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Shares short                      │ 24.494 M                             │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Shares percent shares out         │ 0.010                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Last fiscal year end              │ 1.644 B                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Held percent institutions         │ 0.662                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Net income to common              │ 9.752 B                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Trailing EPS                      │ 3.850                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Last dividend value               │ 0.040                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Sand p52 week change              │ 0.087                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Price to book                     │ 21.771                               │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Held percent insiders             │ 0.041                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Next fiscal year end              │ 1.707 B                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Most recent quarter               │ 1.644 B                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Short ratio                       │ 0.490                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Shares short previous month date  │ 1.645 B                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Float shares                      │ 2.406 B                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Beta                              │ 1.423                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Enterprise value                  │ 569.985 B                            │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Price hint                        │ 2                                    │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Last split date                   │ 2021-07-19                           │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Last split factor                 │ 4:1                                  │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Last dividend date                │ 1.646 B                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Earnings quarterly growth         │ 1.061                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Price to sales trailing 12 months │ 21.406                               │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Date short interest               │ 1.647 B                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ PEG ratio                         │ 1.390                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Forward PE                        │ 34.049                               │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Short percent of float            │ 0.010                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Shares short prior month          │ 26.447 M                             │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Previous close                    │ 242.080                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Regular market open               │ 239.170                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Two hundred day average           │ 243.779                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Trailing annual dividend yield    │ 0.001                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Payout ratio                      │ 0.042                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Regular market day high           │ 239.230                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Average daily volume 10 day       │ 50.376 M                             │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Regular market previous close     │ 242.080                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Fifty day average                 │ 247.720                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Trailing annual dividend rate     │ 0.160                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Open                              │ 239.170                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Average volume 10 days            │ 50.376 M                             │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Dividend rate                     │ 0.160                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Ex dividend date                  │ 1.646 B                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Regular market day low            │ 230.620                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Currency                          │ USD                                  │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Trailing PE                       │ 60.049                               │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Regular market volume             │ 52.237 M                             │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Market cap                        │ 576.125 B                            │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Average volume                    │ 53.599 M                             │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Day low                           │ 230.620                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Ask                               │ 230.800                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Ask size                          │ 1.800 K                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Volume                            │ 52.237 M                             │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Fifty two week high               │ 346.470                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Five year avg dividend yield      │ 0.230                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Fifty two week low                │ 134.590                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Bid                               │ 230.600                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Tradeable                         │ False                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Dividend yield                    │ 0.001                                │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Bid size                          │ 1.800 K                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Day high                          │ 239.230                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Regular market price              │ 231.190                              │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Logo_url                          │ https://logo.clearbit.com/nvidia.com │
├───────────────────────────────────┼──────────────────────────────────────┤
│ Trailing peg ratio                │ 3.018                                │
└───────────────────────────────────┴──────────────────────────────────────┘
Business Summary:
NVIDIA Corporation provides graphics, and compute and networking solutions in the United States, Taiwan, China, and internationally. The company's Graphics segment offers GeForce GPUs for gaming and PCs, the GeForce NOW game streaming service and related infrastructure, and solutions for gaming platforms; Quadro/NVIDIA RTX GPUs for enterprise workstation graphics; vGPU software for cloud-based visual and virtual computing; automotive platforms for infotainment systems; and Omniverse software for building 3D designs and virtual worlds. Its Compute &amp;amp; Networking segment provides Data Center platforms and systems for AI, HPC, and accelerated computing; Mellanox networking and interconnect solutions; automotive AI Cockpit, autonomous driving development agreements, and autonomous vehicle solutions; cryptocurrency mining processors; Jetson for robotics and other embedded platforms; and NVIDIA AI Enterprise and other software. The company's products are used in gaming, professional visualization, datacenter, and automotive markets. NVIDIA Corporation sells its products to original equipment manufacturers, original device manufacturers, system builders, add-in board manufacturers, retailers/distributors, independent software vendors, Internet and cloud service providers, automotive manufacturers and tier-1 automotive suppliers, mapping companies, start-ups, and other ecosystem participants. It has a strategic collaboration with Kroger Co. NVIDIA Corporation was incorporated in 1993 and is headquartered in Santa Clara, California.
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;Completing the trio with the crypto menu version:&lt;br&gt;
&lt;/p&gt;

&lt;div class="highlight js-code-highlight"&gt;
&lt;pre class="highlight plaintext"&gt;&lt;code&gt;2022 Apr 10, 02:37 (🦋) /stocks/fa/ $ /crypto/load btc/dd/info

2022 Apr 10, 02:44 (🦋) /crypto/ $ load btc

Loaded btc-bitcoin against usd from CoinPaprika source

Current Price: 42374.64 USD
Performance in interval (1day): -2.89%
Performance since 2021-04-08: -27.19%

2022 Apr 10, 02:45 (🦋) /crypto/ $ dd
2022 Apr 10, 02:45 (🦋) /crypto/dd/ $ info
                                              Basic Coin Information                                              
┏━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┓
┃ Metric                      ┃ Value                                                                            ┃
┡━━━━━━━━━━━━━━━━━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┩
│ Id                          │ bitcoin                                                                          │
├─────────────────────────────┼──────────────────────────────────────────────────────────────────────────────────┤
│ Name                        │ Bitcoin                                                                          │
├─────────────────────────────┼──────────────────────────────────────────────────────────────────────────────────┤
│ Symbol                      │ btc                                                                              │
├─────────────────────────────┼──────────────────────────────────────────────────────────────────────────────────┤
│ Description                 │ Bitcoin is the first successful internet money based on peer-to-peer technology; │
│                             │ whereby no central bank or authority is involved in the transaction and          │
│                             │ production of the Bitcoin currency. It was created by an anonymous               │
│                             │ individual/group under the name, Satoshi Nakamoto. The source code is available  │
│                             │ publicly as an open source project, anybody can look at it and be part of the    │
│                             │ developmental process. Bitcoin is changing the way we see money as we speak. The │
│                             │ idea was to produce a means of exchange, independent of any central authority,   │
│                             │ that could be transferred electronically in a secure, verifiable and immutable   │
│                             │ way. It is a decentralized peer-to-peer internet currency making mobile payment  │
│                             │ easy, very low transaction fees, protects your identity, and it works anywhere   │
│                             │ all the time with no central authority and banks. Bitcoin is designed to have    │
│                             │ only 21 million BTC ever created, thus making it a deflationary currency.        │
│                             │ Bitcoin uses the SHA-256 hashing algorithm with an average transaction           │
│                             │ confirmation time of 10 minutes. Miners today are mining Bitcoin using ASIC chip │
│                             │ dedicated to only mining Bitcoin, and the hash rate has shot up to peta hashes.  │
│                             │ Being the first successful online cryptography currency, Bitcoin has inspired    │
│                             │ other alternative currencies such as Litecoin, Peercoin, Primecoin, and so on.   │
│                             │ The cryptocurrency then took off with the innovation of the turing-complete      │
│                             │ smart contract by Ethereum which led to the development of other amazing         │
│                             │ projects such as EOS, Tron, and even crypto-collectibles such as CryptoKitties.  │
├─────────────────────────────┼──────────────────────────────────────────────────────────────────────────────────┤
│ Contract Address            │ {}                                                                               │
├─────────────────────────────┼──────────────────────────────────────────────────────────────────────────────────┤
│ Market Cap Rank             │ 1                                                                                │
├─────────────────────────────┼──────────────────────────────────────────────────────────────────────────────────┤
│ Public Interest Score       │ 0.00                                                                             │
├─────────────────────────────┼──────────────────────────────────────────────────────────────────────────────────┤
│ Total Supply                │ 21000000.00                                                                      │
├─────────────────────────────┼──────────────────────────────────────────────────────────────────────────────────┤
│ Max Supply                  │ 21000000.00                                                                      │
├─────────────────────────────┼──────────────────────────────────────────────────────────────────────────────────┤
│ Circulating Supply          │ 19007681.00                                                                      │
├─────────────────────────────┼──────────────────────────────────────────────────────────────────────────────────┤
│ Price Change Percentage 24H │ 0.71                                                                             │
├─────────────────────────────┼──────────────────────────────────────────────────────────────────────────────────┤
│ Price Change Percentage 7D  │ -6.63                                                                            │
├─────────────────────────────┼──────────────────────────────────────────────────────────────────────────────────┤
│ Price Change Percentage 30D │ 8.45                                                                             │
├─────────────────────────────┼──────────────────────────────────────────────────────────────────────────────────┤
│ Current Price Btc           │ 1.00                                                                             │
├─────────────────────────────┼──────────────────────────────────────────────────────────────────────────────────┤
│ Current Price Eth           │ 13.15                                                                            │
├─────────────────────────────┼──────────────────────────────────────────────────────────────────────────────────┤
│ Current Price Usd           │ 42805                                                                            │
└─────────────────────────────┴──────────────────────────────────────────────────────────────────────────────────┘
&lt;/code&gt;&lt;/pre&gt;

&lt;/div&gt;



&lt;p&gt;There you have it, all the latest info.&lt;/p&gt;

&lt;p&gt;&lt;a href="https://res.cloudinary.com/practicaldev/image/fetch/s--M3jH2i1N--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/e1v7xyzhkku594o7f27q.png" class="article-body-image-wrapper"&gt;&lt;img src="https://res.cloudinary.com/practicaldev/image/fetch/s--M3jH2i1N--/c_limit%2Cf_auto%2Cfl_progressive%2Cq_auto%2Cw_880/https://dev-to-uploads.s3.amazonaws.com/uploads/articles/e1v7xyzhkku594o7f27q.png" alt="Be the messenger, join our community Discord server: https://discord.com/invite/Up2QGbMKHY&amp;lt;br&amp;gt;
" width="600" height="437"&gt;&lt;/a&gt;&lt;/p&gt;

&lt;p&gt;Be the messenger, join our community Discord server: &lt;a href="https://discord.com/invite/Up2QGbMKHY"&gt;https://discord.com/invite/Up2QGbMKHY&lt;/a&gt;&lt;/p&gt;

</description>
      <category>python</category>
      <category>opensource</category>
      <category>openapi</category>
      <category>showdev</category>
    </item>
  </channel>
</rss>
