-
bitcoin $87959.907984 USD
1.34% -
ethereum $2920.497338 USD
3.04% -
tether $0.999775 USD
0.00% -
xrp $2.237324 USD
8.12% -
bnb $860.243768 USD
0.90% -
solana $138.089498 USD
5.43% -
usd-coin $0.999807 USD
0.01% -
tron $0.272801 USD
-1.53% -
dogecoin $0.150904 USD
2.96% -
cardano $0.421635 USD
1.97% -
hyperliquid $32.152445 USD
2.23% -
bitcoin-cash $533.301069 USD
-1.94% -
chainlink $12.953417 USD
2.68% -
unus-sed-leo $9.535951 USD
0.73% -
zcash $521.483386 USD
-2.87%
How to get historical market data from the Kraken API
The Kraken API provides historical OHLC cryptocurrency data via its public endpoint, requiring no API key but adhering to rate limits of 15 calls per minute.
Aug 07, 2025 at 03:02 pm
Understanding the Kraken API and Its Data Capabilities
The Kraken API is a powerful interface that allows developers and traders to access real-time and historical market data for a wide range of cryptocurrency pairs. To retrieve historical market data, users must interact with the public endpoints provided by Kraken, particularly the OHLC (Open, High, Low, Close) endpoint. This endpoint returns candlestick data at various time intervals, which is essential for technical analysis, backtesting trading strategies, or building data-driven dashboards. The data includes timestamp, open price, high price, low price, close price, volume weighted average price (VWAP), volume, and the number of trades for each period.
Accessing the API does not require authentication for public data, meaning no API keys are needed to fetch historical prices. However, rate limits apply: Kraken allows up to 15 calls per minute from a single IP address. Exceeding this limit will result in temporary blocking. To ensure consistent access, implement delays between requests or use exponential backoff strategies in your code.
Identifying the Correct Endpoint for Historical Data
The primary endpoint for retrieving historical market data is:
https://api.kraken.com/0/public/OHLCThis endpoint requires two parameters: pair and interval. The pair parameter specifies the trading pair, such as XBT/USD for Bitcoin to US Dollar, or ETH/EUR for Ethereum to Euro. The interval parameter defines the timeframe for each candlestick and must be one of the following values: 1 (1 minute), 5 (5 minutes), 15 (15 minutes), 30 (30 minutes), 60 (1 hour), 240 (4 hours), 1440 (1 day), 10080 (1 week), or 21600 (1 month).
To request data, construct a URL with these parameters. For example, to get 1-hour OHLC data for Bitcoin/USD:
https://api.kraken.com/0/public/OHLC?pair=XBT/USD&interval=60The response will be in JSON format, containing an array of OHLC data points and a last timestamp indicating the most recent data point, which is useful for pagination.
Using Python to Fetch and Parse Kraken OHLC Data
To programmatically retrieve historical data, Python is a popular choice due to its simplicity and powerful libraries. The requests library handles HTTP calls, while pandas can structure the data for analysis.
Install the required packages:
pip install requests pandasBelow is a complete script to fetch and parse OHLC data:
import requestsimport pandas as pd
def get_ohlc_data(pair, interval=60, since=None):
url = 'https://api.kraken.com/0/public/OHLC'
params = {'pair': pair, 'interval': interval}
if since:
params['since'] = since
response = requests.get(url, params=params)
data = response.json()
if data['error']:
raise Exception(f'API Error: {data['error']}')
ohlc_data = data['result'][pair]
df = pd.DataFrame(ohlc_data, columns=[
'timestamp', 'open', 'high', 'low', 'close', 'vwap', 'volume', 'count'
])
df['timestamp'] = pd.to_datetime(df['timestamp'], unit='s')
df.set_index('timestamp', inplace=True)
last_timestamp = data['result']['last']
return df, last_timestamp
Example usage
df, last = get_ohlc_data('XBT/USD', interval=60)print(df.head())
This script returns a pandas DataFrame with properly formatted timestamps and numerical values, making it ready for plotting or analysis. The since parameter allows fetching data after a specific timestamp, enabling incremental data collection.
Handling Pagination for Extended Historical Data
Kraken limits each API call to 720 data points (e.g., 720 hourly candles = 30 days). To retrieve longer historical series, use the since parameter iteratively.
- Make the initial request without the
sinceparameter - Extract the
lastvalue from the response - Use this
lastvalue as thesinceparameter in the next request - Repeat until no new data is returned or the desired date range is covered
Example loop:
all_data = []last = None
for _ in range(5): # Retrieve up to 5 pages
df, last_timestamp = get_ohlc_data('XBT/USD', interval=1440, since=last)
all_data.append(df)
last = last_timestamp
time.sleep(1) # Respect rate limits
full_history = pd.concat(all_data)
This approach ensures complete historical coverage without exceeding rate limits.
Validating and Cleaning Retrieved Data
After fetching data, validation is crucial. Check for missing values, duplicate timestamps, or inconsistent formatting. Use pandas methods:
df.isnull().sum()to detect missing valuesdf.index.duplicated().any()to find duplicate timestampsdf.sort_index()to ensure chronological order
Handle gaps in time series:
full_range = pd.date_range(start=df.index.min(), end=df.index.max(), freq='H')df = df.reindex(full_range)This creates a continuous timeline, filling missing periods with NaN, which can later be interpolated or marked as gaps.
Commonly Asked Questions
What trading pairs are supported by the Kraken OHLC endpoint?Kraken supports a wide variety of pairs, including major cryptocurrencies like XBT/USD, ETH/USD, ADA/EUR, and stablecoin pairs such as USDT/USD. A full list can be obtained by calling the AssetPairs endpoint: https://api.kraken.com/0/public/AssetPairs.
Can I get tick-level historical data from Kraken?No, the public API only provides candlestick (OHLC) data at minimum 1-minute intervals. Tick-level (trade-by-trade) historical data is not available through standard API endpoints. For granular trade data, consider third-party aggregators or commercial data providers.
Why am I getting an empty result or error when calling the OHLC endpoint?Ensure the pair parameter uses the correct Kraken symbol format. For example, use XBT/USD, not BTC/USD. Also verify that the interval value is one of the allowed integers. Network issues or exceeding rate limits can also cause empty responses.
Is there a way to retrieve data in CSV format directly from Kraken?The Kraken API only returns data in JSON format. You must convert the JSON response to CSV manually using tools like pandas:
df.to_csv('kraken_xbtusd_hourly.csv') Disclaimer:info@kdj.com
The information provided is not trading advice. kdj.com does not assume any responsibility for any investments made based on the information provided in this article. Cryptocurrencies are highly volatile and it is highly recommended that you invest with caution after thorough research!
If you believe that the content used on this website infringes your copyright, please contact us immediately (info@kdj.com) and we will delete it promptly.
- Grayscale's Latest Play: Significantly Upping TAO Exposure as AI Crypto Heats Up
- 2026-04-09 06:45:01
- Trump's Iran Ceasefire Deal and the Bitcoin Rollercoaster: A New Era for Geopolitics and Digital Assets?
- 2026-04-08 09:50:01
- Crypto Surge & DeFi Trends: Top Gainers Signal a Smarter Market Shift
- 2026-04-08 12:55:01
- Wall Street's Wild Ride: Bitcoin Holds as Trump's Iran Deadline Sparks Oil Frenzy
- 2026-04-08 09:45:01
- Bitcoin, Trump, Iran Deadline: Navigating Geopolitical Tensions and Crypto's Rollercoaster
- 2026-04-08 10:05:01
- Bitcoin's High-Wire Act: Middle East Tensions and the $66,000 Conundrum
- 2026-04-08 09:45:01
Related knowledge
How to use KuCoin Leveraged Tokens? (Simplified Leverage)
Mar 29,2026 at 09:00pm
Understanding KuCoin Leveraged Tokens1. KuCoin Leveraged Tokens (KLTs) are ERC-20 tokens designed to provide amplified exposure to the price movements...
How to enable SMS authentication on KuCoin? (Security Settings)
Mar 28,2026 at 05:00pm
Accessing Security Settings on KuCoin1. Log in to your KuCoin account using your registered email or phone number and password. 2. Navigate to the top...
How to use the KuCoin "Grid Trading" bot? (Automated Strategy)
Mar 28,2026 at 06:59pm
Understanding Grid Trading Mechanics1. Grid trading operates by placing multiple buy and sell orders at predefined price intervals within a specified ...
How to upgrade to KuCoin VIP levels? (Fee Discounts)
Apr 03,2026 at 03:19pm
Understanding KuCoin VIP Tiers1. KuCoin divides its users into eight distinct VIP levels, ranging from VIP 0 to VIP 7. 2. Each tier corresponds to a s...
How to claim KuCoin KCS daily bonuses? (Holder Benefits)
Mar 28,2026 at 10:20pm
Understanding KuCoin KCS Holder Benefits1. KuCoin distributes daily bonuses to users who hold KCS in their KuCoin accounts, provided they meet the min...
How to use the KuCoin mobile app for iOS? (Apple Store)
Apr 02,2026 at 11:40am
Downloading and Installing the KuCoin App1. Open the Apple App Store on your iOS device. 2. Tap the Search tab located at the bottom right corner of t...
How to use KuCoin Leveraged Tokens? (Simplified Leverage)
Mar 29,2026 at 09:00pm
Understanding KuCoin Leveraged Tokens1. KuCoin Leveraged Tokens (KLTs) are ERC-20 tokens designed to provide amplified exposure to the price movements...
How to enable SMS authentication on KuCoin? (Security Settings)
Mar 28,2026 at 05:00pm
Accessing Security Settings on KuCoin1. Log in to your KuCoin account using your registered email or phone number and password. 2. Navigate to the top...
How to use the KuCoin "Grid Trading" bot? (Automated Strategy)
Mar 28,2026 at 06:59pm
Understanding Grid Trading Mechanics1. Grid trading operates by placing multiple buy and sell orders at predefined price intervals within a specified ...
How to upgrade to KuCoin VIP levels? (Fee Discounts)
Apr 03,2026 at 03:19pm
Understanding KuCoin VIP Tiers1. KuCoin divides its users into eight distinct VIP levels, ranging from VIP 0 to VIP 7. 2. Each tier corresponds to a s...
How to claim KuCoin KCS daily bonuses? (Holder Benefits)
Mar 28,2026 at 10:20pm
Understanding KuCoin KCS Holder Benefits1. KuCoin distributes daily bonuses to users who hold KCS in their KuCoin accounts, provided they meet the min...
How to use the KuCoin mobile app for iOS? (Apple Store)
Apr 02,2026 at 11:40am
Downloading and Installing the KuCoin App1. Open the Apple App Store on your iOS device. 2. Tap the Search tab located at the bottom right corner of t...
See all articles














