| Crates.io | yfinance-rs |
| lib.rs | yfinance-rs |
| version | 0.7.2 |
| created_at | 2025-08-27 01:04:05.024534+00 |
| updated_at | 2025-10-31 20:02:29.539661+00 |
| description | Ergonomic Rust client for Yahoo Finance, supporting historical prices, real-time streaming, options, fundamentals, and more. |
| homepage | https://github.com/gramistella/yfinance-rs |
| repository | https://github.com/gramistella/yfinance-rs |
| max_upload_size | |
| id | 1812080 |
| size | 9,221,709 |
An ergonomic, async-first Rust client for the unofficial Yahoo Finance API. It provides a simple and efficient way to fetch financial data, with a convenient, yfinance-like API, leveraging Rust's type system and async runtime for performance and safety.
fast_info).QuoteUpdate.volume reflects the delta since the previous update for that symbol. The first observed tick (and after a reset/rollover) has volume = None..to_dataframe() (enable the dataframe feature).tokio and reqwest for non-blocking I/O.Ticker Interface: A convenient, yfinance-like struct for accessing all data for a single symbol.To get started, add yfinance-rs to your Cargo.toml:
[dependencies]
yfinance-rs = "0.7.2"
tokio = { version = "1", features = ["full"] }
To enable DataFrame conversions backed by Polars, turn on the optional dataframe feature and (if you use Polars types in your code) add polars:
[dependencies]
yfinance-rs = { version = "0.7.2", features = ["dataframe"] }
polars = "0.51"
Then, create a YfClient and use a Ticker to fetch data.
use yfinance_rs::{Interval, Range, Ticker, YfClient};
use yfinance_rs::core::conversions::money_to_f64;
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
let client = YfClient::default();
let ticker = Ticker::new(&client, "AAPL");
// Get the latest quote
let quote = ticker.quote().await?;
println!(
"Latest price for AAPL: ${:.2}",
quote.price.as_ref().map(money_to_f64).unwrap_or(0.0)
);
// Get historical data for the last 6 months
let history = ticker.history(Some(Range::M6), Some(Interval::D1), false).await?;
if let Some(last_bar) = history.last() {
println!(
"Last closing price: ${:.2} on {}",
money_to_f64(&last_bar.close),
last_bar.ts
);
}
// Get analyst recommendations
let recs = ticker.recommendations().await?;
if let Some(latest_rec) = recs.first() {
println!("Latest recommendation period: {}", latest_rec.period);
}
// Dividends in the last year
let dividends = ticker.dividends(Some(Range::Y1)).await?;
println!("Found {} dividend payments in the last year", dividends.len());
// Earnings trend
let trends = ticker.earnings_trend(None).await?;
if let Some(latest) = trends.first() {
println!(
"Latest earnings estimate: ${:.2}",
latest
.earnings_estimate
.avg
.as_ref()
.map(money_to_f64)
.unwrap_or(0.0)
);
}
Ok(())
}
Possible network or consent issues
Some users have reported encountering errors on first use, such as:
Rate limited at ...HTTP error: error sending request for url (https://fc.yahoo.com/consent)These are typically environmental (network or regional) issues with Yahoo’s public API.
In some regions, Yahoo may require a one-time consent or session initialization.
Workaround:
Open https://fc.yahoo.com/consent in a web browser from the same network before running your code again.
This usually resolves the issue for that IP/network.
This crate can emit structured tracing spans and key events when the optional tracing feature is enabled. When disabled (default), all instrumentation is compiled out with zero overhead. The library does not configure a subscriber; set one up in your application.
Spans are added at: Ticker public APIs (info, quote, history, etc.), HTTP send_with_retry, profile fallback, quote summary fetch (including invalid-crumb retry), and full history fetch. Key events include retry/backoff and fallback notifications.
Enable the dataframe feature to convert paft models into a Polars DataFrame with .to_dataframe().
use yfinance_rs::{Interval, Range, Ticker, YfClient};
use paft::prelude::{ToDataFrame, ToDataFrameVec};
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
let client = YfClient::default();
let ticker = Ticker::new(&client, "AAPL");
// Quote → DataFrame
let quote_df = ticker.quote().await?.to_dataframe()?;
println!("Quote as DataFrame:\n{}", quote_df);
// History (Vec<Candle>) → DataFrame
let hist_df = ticker
.history(Some(Range::M1), Some(Interval::D1), false)
.await?
.to_dataframe()?;
println!("History rows: {}", hist_df.height());
Ok(())
}
Works for quotes, historical candles, fundamentals, analyst data, holders, options, and more. All paft structs returned by this crate implement .to_dataframe() when the dataframe feature is enabled. See the full example: examples/14_polars_dataframes.rs.
use yfinance_rs::{DownloadBuilder, Interval, Range, YfClient};
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
let client = YfClient::default();
let symbols = vec!["AAPL", "GOOGL", "MSFT", "TSLA"];
let results = DownloadBuilder::new(&client)
.symbols(symbols)
.range(Range::M6)
.interval(Interval::D1)
.auto_adjust(true)
.actions(true)
.repair(true)
.rounding(true)
.run()
.await?;
for entry in &results.entries {
println!("{}: {} data points", entry.instrument.symbol(), entry.history.candles.len());
}
Ok(())
}
use yfinance_rs::{StreamBuilder, StreamMethod, YfClient};
use std::time::Duration;
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
let client = YfClient::default();
let (handle, mut receiver) = StreamBuilder::new(&client)
.symbols(vec!["AAPL", "GOOGL"])
.method(StreamMethod::WebsocketWithFallback)
.interval(Duration::from_secs(1))
.diff_only(true)
.start()?;
while let Some(update) = receiver.recv().await {
let vol = update.volume.map(|v| format!(" (vol Δ: {v})")).unwrap_or_default();
println!("{}: ${:.2}{}",
update.symbol,
update.price.as_ref().map(yfinance_rs::core::conversions::money_to_f64).unwrap_or(0.0),
vol);
}
#### Volume semantics
Yahoo’s websocket stream provides cumulative intraday volume (`day_volume`). This crate converts it to per-update deltas on the consumer-facing `QuoteUpdate`:
- First tick per symbol and after a detected reset (current < last): `volume = None`.
- Otherwise: `volume = Some(current_day_volume - last_day_volume)`.
- The polling stream applies the same logic using the v7 `regularMarketVolume` field.
- The low-level decoder helper `stream::decode_and_map_message` is stateless and always returns `volume = None`.
If you need cumulative volume, sum the emitted per-update `volume` values, or use `Quote.day_volume` from the quote endpoints.
Ok(())
}
use yfinance_rs::{Ticker, YfClient};
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
let client = YfClient::default();
let ticker = Ticker::new(&client, "AAPL");
let income_stmt = ticker.quarterly_income_stmt(None).await?;
let balance_sheet = ticker.quarterly_balance_sheet(None).await?;
let cashflow = ticker.quarterly_cashflow(None).await?;
println!("Found {} quarterly income statements.", income_stmt.len());
println!("Found {} quarterly balance sheet statements.", balance_sheet.len());
println!("Found {} quarterly cashflow statements.", cashflow.len());
let shares = ticker.quarterly_shares().await?;
if let Some(latest) = shares.first() {
println!("Latest shares outstanding: {}", latest.shares);
}
Ok(())
}
💡 Need to force a specific reporting currency? Pass
Some(paft::money::Currency::USD)(or another currency) instead ofNonewhen calling the fundamentals/analysis helpers.
use yfinance_rs::{Ticker, YfClient};
use yfinance_rs::core::conversions::money_to_f64;
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
let client = YfClient::default();
let ticker = Ticker::new(&client, "AAPL");
let expirations = ticker.options().await?;
if let Some(nearest) = expirations.first() {
let chain = ticker.option_chain(Some(*nearest)).await?;
println!("Calls: {}", chain.calls.len());
println!("Puts: {}", chain.puts.len());
let fi = ticker.fast_info().await?;
let current_price = fi
.last
.as_ref()
.map(money_to_f64)
.or_else(|| fi.previous_close.as_ref().map(money_to_f64))
.unwrap_or(0.0);
for call in &chain.calls {
if (money_to_f64(&call.strike) - current_price).abs() < 5.0 {
println!(
"ATM Call: Strike ${:.2}, Bid ${:.2}, Ask ${:.2}",
money_to_f64(&call.strike),
call.bid.as_ref().map(money_to_f64).unwrap_or(0.0),
call.ask.as_ref().map(money_to_f64).unwrap_or(0.0)
);
}
}
}
Ok(())
}
use yfinance_rs::{Ticker, YfClient};
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
let client = YfClient::default();
let ticker = Ticker::new(&client, "AAPL");
let price_target = ticker.analyst_price_target(None).await?;
let recs_summary = ticker.recommendations_summary().await?;
let upgrades = ticker.upgrades_downgrades().await?;
let earnings_trends = ticker.earnings_trend(None).await?;
println!(
"Price Target: ${:.2}",
price_target.mean.as_ref().map(yfinance_rs::core::conversions::money_to_f64).unwrap_or(0.0)
);
println!(
"Recommendation: {}",
recs_summary
.mean_rating_text
.as_deref()
.unwrap_or("N/A")
);
println!("Trend rows: {}", earnings_trends.len());
println!("Upgrades: {}", upgrades.len());
Ok(())
}
use yfinance_rs::{Ticker, YfClient};
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
let client = YfClient::default();
let ticker = Ticker::new(&client, "AAPL");
let major_holders = ticker.major_holders().await?;
let institutional = ticker.institutional_holders().await?;
let mutual_funds = ticker.mutual_fund_holders().await?;
let insider_transactions = ticker.insider_transactions().await?;
for holder in &major_holders {
println!("{}: {}", holder.category, holder.value);
}
println!("Institutional rows: {}", institutional.len());
println!("Mutual fund rows: {}", mutual_funds.len());
println!("Insider transactions: {}", insider_transactions.len());
Ok(())
}
use yfinance_rs::{Ticker, YfClient};
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
let client = YfClient::default();
let ticker = Ticker::new(&client, "AAPL");
let summary = ticker.sustainability().await?;
let parts = summary
.scores
.as_ref()
.map(|s| [s.environmental, s.social, s.governance])
.unwrap_or([None, None, None]);
let vals = parts.into_iter().flatten().collect::<Vec<_>>();
let total = if vals.is_empty() { 0.0 } else { vals.iter().copied().sum::<f64>() / (vals.len() as f64) };
println!("Total ESG Score: {:.2}", total);
if let Some(scores) = summary.scores.as_ref() {
println!("Environmental Score: {:.2}", scores.environmental.unwrap_or(0.0));
println!("Social Score: {:.2}", scores.social.unwrap_or(0.0));
println!("Governance Score: {:.2}", scores.governance.unwrap_or(0.0));
}
Ok(())
}
use yfinance_rs::{YfClientBuilder, Ticker, core::client::{Backoff, CacheMode, RetryConfig}};
use std::time::Duration;
use yfinance_rs::core::conversions::money_to_f64;
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
let client = YfClientBuilder::default()
.timeout(Duration::from_secs(10))
.retry_config(RetryConfig {
max_retries: 3,
backoff: Backoff::Exponential {
base: Duration::from_millis(100),
factor: 2.0,
max: Duration::from_secs(5),
jitter: true,
},
..Default::default()
})
.build()?;
let ticker = Ticker::new(&client, "AAPL")
.cache_mode(CacheMode::Bypass)
.retry_policy(Some(RetryConfig {
max_retries: 5,
..Default::default()
}));
let quote = ticker.quote().await?;
println!(
"Latest price for AAPL with custom client: ${:.2}",
quote.price.as_ref().map(money_to_f64).unwrap_or(0.0)
);
Ok(())
}
For full control over HTTP configuration, you can provide your own reqwest client:
use yfinance_rs::{YfClient, Ticker};
use yfinance_rs::core::conversions::money_to_f64;
use reqwest::Client;
use std::time::Duration;
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
let custom_client = Client::builder()
.user_agent("yfinance-rs-playground") // Make sure to set a proper user agent
.timeout(Duration::from_secs(30))
.connect_timeout(Duration::from_secs(10))
.pool_idle_timeout(Duration::from_secs(90))
.pool_max_idle_per_host(10)
.tcp_keepalive(Some(Duration::from_secs(60)))
.build()?;
let client = YfClient::builder()
.custom_client(custom_client)
.cache_ttl(Duration::from_secs(300))
.build()?;
let ticker = Ticker::new(&client, "AAPL");
let quote = ticker.quote().await?;
println!(
"Latest price for AAPL: ${:.2}",
quote.price.as_ref().map(money_to_f64).unwrap_or(0.0)
);
Ok(())
}
You can configure HTTP/HTTPS proxies through the builder:
use yfinance_rs::{YfClient, YfClientBuilder, Ticker};
use yfinance_rs::core::conversions::money_to_f64;
use std::time::Duration;
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
let client = YfClient::builder()
.try_proxy("http://proxy.example.com:8080")?
.timeout(Duration::from_secs(30))
.build()?;
let client_https = YfClient::builder()
.try_https_proxy("https://proxy.example.com:8443")?
.timeout(Duration::from_secs(30))
.build()?;
let client_simple = YfClient::builder()
.proxy("http://proxy.example.com:8080")
.timeout(Duration::from_secs(30))
.build()?;
let ticker = Ticker::new(&client, "AAPL");
let quote = ticker.quote().await?;
println!(
"Latest price for AAPL via proxy: ${:.2}",
quote.price.as_ref().map(money_to_f64).unwrap_or(0.0)
);
Ok(())
}
This project is licensed under the MIT License - see the LICENSE file for details.
Please see our Contributing Guide and our Code of Conduct. We welcome pull requests and issues.
See CHANGELOG.md for release notes and breaking changes.