| Crates.io | lastfm-client |
| lib.rs | lastfm-client |
| version | 2.1.0 |
| created_at | 2025-10-28 23:38:25.036316+00 |
| updated_at | 2025-11-14 15:10:01.506022+00 |
| description | A modern, async Rust library for fetching and analyzing Last.fm user data |
| homepage | |
| repository | https://github.com/tom_planche/lastfm-client |
| max_upload_size | |
| id | 1905770 |
| size | 268,170 |
A modern, async Rust library for fetching and analyzing Last.fm user data with ease.
Version 2.0 introduces a brand new builder-pattern API with retry logic, rate limiting, and improved ergonomics, while maintaining 100% backward compatibility with the 1.x API.
RecentTracksClient, LovedTracksClient, TopTracksClientAdd this to your Cargo.toml:
[dependencies]
lastfm-client = "2.0"
from/to timestamps) and period-based filtering for top tracksTrackAnalyzable traitCreate a .env file in your project root:
LAST_FM_API_KEY=your_api_key_here
Choose between the v2.0 API (recommended for new projects) or the v1.x API (fully supported for existing projects).
use lastfm_client::LastFmClient;
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
// Create client with defaults (loads API key from LAST_FM_API_KEY env var)
let client = LastFmClient::new()?;
// Fetch recent tracks with builder pattern
let tracks = client
.recent_tracks("username")
.limit(50)
.fetch()
.await?;
println!("Fetched {} tracks", tracks.len());
Ok(())
}
use lastfm_client::LastFmClient;
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
// Create client with custom configuration
let client = LastFmClient::builder()
.api_key("your_api_key") // Optional: defaults to LAST_FM_API_KEY env var
.timeout(Duration::from_secs(60))
.retry_attempts(5)
.build_client()?;
// Use the client...
Ok(())
}
use lastfm_client::LastFmClient;
use std::time::Duration;
let client = LastFmClient::builder()
.api_key("your_api_key")
.user_agent("MyApp/1.0")
.timeout(Duration::from_secs(60))
.max_concurrent_requests(10)
.retry_attempts(5)
.rate_limit(10, Duration::from_secs(1)) // 10 requests per second
.build_client()?;
// Limited tracks
let tracks = client
.recent_tracks("username")
.limit(100)
.fetch()
.await?;
// All available tracks
let all_tracks = client
.recent_tracks("username")
.unlimited()
.fetch()
.await?;
// Tracks from specific date
let since_timestamp = 1704067200; // Jan 1, 2024
let recent = client
.recent_tracks("username")
.since(since_timestamp)
.fetch()
.await?;
// Tracks between two dates
let from = 1704067200; // Jan 1, 2024
let to = 1706745600; // Feb 1, 2024
let tracks = client
.recent_tracks("username")
.between(from, to)
.fetch()
.await?;
// Extended track information (includes full artist details)
let extended_tracks = client
.recent_tracks("username")
.limit(50)
.extended()
.fetch_extended()
.await?;
// Check if user is currently playing
let currently_playing = client
.recent_tracks("username")
.check_currently_playing()
.await?;
// Analyze tracks and get statistics
let stats = client
.recent_tracks("username")
.limit(100)
.analyze(5)
.await?;
// Fetch and save to file
let filename = client
.recent_tracks("username")
.limit(50)
.fetch_and_save(FileFormat::Json, "my_tracks")
.await?;
// Limited loved tracks
let loved_tracks = client
.loved_tracks("username")
.limit(50)
.fetch()
.await?;
// All loved tracks
let all_loved = client
.loved_tracks("username")
.unlimited()
.fetch()
.await?;
// Analyze loved tracks
let stats = client
.loved_tracks("username")
.analyze(1)
.await?;
// Fetch and save loved tracks
let filename = client
.loved_tracks("username")
.fetch_and_save(FileFormat::Json, "loved_tracks")
.await?;
use lastfm_client::api::Period;
// Top tracks with period filter
let top_tracks = client
.top_tracks("username")
.limit(50)
.period(Period::ThreeMonth)
.fetch()
.await?;
// All-time top tracks
let all_time_top = client
.top_tracks("username")
.unlimited()
.period(Period::Overall)
.fetch()
.await?;
// Fetch and save top tracks
let filename = client
.top_tracks("username")
.limit(100)
.period(Period::Month)
.fetch_and_save(FileFormat::Json, "monthly_top")
.await?;
use lastfm_client::error::LastFmError;
match client.recent_tracks("username").limit(50).fetch().await {
Ok(tracks) => println!("Success: {} tracks", tracks.len()),
Err(e) => {
if e.is_retryable() {
if let Some(retry_after) = e.retry_after() {
println!("Rate limited. Retry after {:?}", retry_after);
tokio::time::sleep(retry_after).await;
// Retry the request...
}
} else {
eprintln!("Non-retryable error: {}", e);
}
}
}
If you see output like MissingEnvVar("LAST_FM_API_KEY"), the error is being printed with Debug formatting ({:?}) somewhere. This library implements friendly Display messages (via #[error("...")]), so prefer Display ({}) when printing errors.
Use an explicit main error handler to guarantee Display formatting:
use dotenvy::dotenv;
use lastfm_client::LastFmClient;
#[tokio::main]
async fn main() {
if let Err(err) = run().await {
eprintln!("Error: {err}"); // Display, not Debug
std::process::exit(1);
}
}
async fn run() -> Result<(), Box<dyn std::error::Error>> {
dotenv().ok();
let client = LastFmClient::builder()
.from_env()? // Missing LAST_FM_API_KEY → friendly message via Display
.build_client()?;
let tracks = client.recent_tracks("username").limit(50).fetch().await?;
println!("Fetched {} tracks", tracks.len());
Ok(())
}
Tips:
eprintln!("{}", err) or eprintln!("Error: {err}") (Display), avoid {:?}/{:#?} (Debug).fn main() -> Result<…>, your runtime may show Debug output on failure. The explicit handler above guarantees Display.LAST_FM_API_KEY.⚠️ Deprecation Notice: The V1.x API methods are now deprecated and will show deprecation warnings when used. We recommend migrating to the new V2.0 API clients for better performance, features, and maintainability. The V1.x API will continue to work indefinitely for backward compatibility.
use lastfm_client::{LastFMHandler, TrackLimit, Url};
#[tokio::main]
async fn main() {
// Create a new handler
let base_url = Url::new("https://ws.audioscrobbler.com/2.0/");
let handler = LastFMHandler::new(base_url, "username");
// Fetch recent tracks
let recent_tracks = handler
.get_user_recent_tracks(TrackLimit::Limited(50))
.await
.unwrap();
// Analyze the tracks
let stats = AnalysisHandler::analyze_tracks(&recent_tracks, 10);
AnalysisHandler::print_analysis(&stats);
}
use lastfm_client::file_handler::FileFormat;
use lastfm_client::lastfm_handler::{LastFMHandler, TrackLimit};
use dotenv::dotenv;
#[tokio::main]
async fn main() {
// Load environment variables
dotenv().ok();
// Create a new handler for user "tom_planche"
let handler = LastFMHandler::new("tom_planche");
// Fetch all tracks and save them to a JSON file named "all_scrobbles"
let filename = handler
.get_and_save_recent_tracks(TrackLimit::Unlimited, FileFormat::Json, "all_scrobbles")
.await;
match filename {
Ok(filename) => println!("File saved as: {}", filename),
Err(e) => eprintln!("Error: {}", e),
}
}
This example shows how to:
TrackLimit::Unlimited)use lastfm_client::{AnalysisHandler, FileHandler, FileFormat};
// Save and analyze tracks
let filename = handler
.get_and_save_recent_tracks(TrackLimit::Limited(100), FileFormat::JSON)
.await?;
let stats = AnalysisHandler::analyze_file::<RecentTrack>(Path::new(&filename), 10)?;
AnalysisHandler::print_analysis(&stats);
The library provides comprehensive *_with_options methods that expose all available Last.fm API parameters:
use lastfm_client::{LastFMHandler, TrackLimit};
let handler = LastFMHandler::new("username").unwrap();
// Get last 50 tracks (basic usage)
let tracks = handler
.get_user_recent_tracks_with_options(Some(50), None, None, false)
.await?;
// Get tracks from the last week
let one_week_ago = (Utc::now() - Duration::days(7)).timestamp();
let tracks = handler
.get_user_recent_tracks_with_options(None, Some(one_week_ago), None, false)
.await?;
// Get tracks between two dates with extended info
let tracks = handler
.get_user_recent_tracks_with_options(None, Some(start), Some(end), true)
.await?;
// Get extended track information (alternative method)
let extended_tracks = handler
.get_user_recent_tracks_extended(Some(100), None, None)
.await?;
Convenience methods for fetching all tracks within a specific time range:
use lastfm_client::LastFMHandler;
use chrono::{Utc, Duration, TimeZone};
let handler = LastFMHandler::new("username").unwrap();
// Get all tracks from January 2024
let start = Utc.with_ymd_and_hms(2024, 1, 1, 0, 0, 0).unwrap().timestamp();
let end = Utc.with_ymd_and_hms(2024, 2, 1, 0, 0, 0).unwrap().timestamp();
let tracks = handler
.get_user_recent_tracks_between(start, end, false)
.await?;
// Get all tracks from last week with extended info
let one_week_ago = (Utc::now() - Duration::days(7)).timestamp();
let now = Utc::now().timestamp();
let tracks = handler
.get_user_recent_tracks_between(one_week_ago, now, true)
.await?;
// Get all tracks between dates with extended information
let tracks = handler
.get_user_recent_tracks_between_extended(start, end)
.await?;
use lastfm_client::{LastFMHandler, Period, TrackLimit};
let handler = LastFMHandler::new("username").unwrap();
// Get all-time top 50 tracks
let tracks = handler
.get_user_top_tracks_with_options(Some(50), None)
.await?;
// Get top tracks from the last week
let tracks = handler
.get_user_top_tracks_with_options(None, Some(Period::Week))
.await?;
// Get top 100 tracks from the last 3 months
let tracks = handler
.get_user_top_tracks_with_options(Some(100), Some(Period::ThreeMonth))
.await?;
use lastfm_client::{LastFMHandler, TrackLimit};
let handler = LastFMHandler::new("username").unwrap();
// Get all loved tracks
let tracks = handler
.get_user_loved_tracks_with_options(None)
.await?;
// Get first 100 loved tracks
let tracks = handler
.get_user_loved_tracks_with_options(Some(100))
.await?;
When using get_user_top_tracks_with_options, you can filter by these time periods:
Period::Overall - All time (default if None)Period::Week - Last 7 daysPeriod::Month - Last monthPeriod::ThreeMonth - Last 3 monthsPeriod::SixMonth - Last 6 monthsPeriod::TwelveMonth - Last 12 monthsThe v2.0 API is completely optional and backward compatible. You can migrate gradually or continue using the v1.x API indefinitely (though it will show deprecation warnings).
// Multiple methods for different use cases
let handler = LastFMHandler::new("username")?;
// Limited tracks
handler.get_user_recent_tracks(Some(100))?;
// With date filtering
handler.get_user_recent_tracks_with_options(Some(50), Some(from), Some(to), true)?;
// Extended information
handler.get_user_recent_tracks_extended(Some(100), None, None)?;
// Between dates
handler.get_user_recent_tracks_between(from, to, false)?;
// Top tracks
handler.get_user_top_tracks(Some(50), Some(Period::ThreeMonth))?;
// Loved tracks
handler.get_user_loved_tracks(Some(100))?;
use lastfm_client::LastFmClient;
// Create client with defaults (loads API key from environment)
let client = LastFmClient::new()?;
// Limited tracks
client.recent_tracks("username").limit(100).fetch().await?;
// With date filtering
client.recent_tracks("username").limit(50).between(from, to).fetch().await?;
// Extended information
client.recent_tracks("username").limit(100).fetch_extended().await?;
// Between dates
client.recent_tracks("username").between(from, to).fetch().await?;
// Top tracks
client.top_tracks("username").limit(50).period(Period::ThreeMonth).fetch().await?;
// Loved tracks
client.loved_tracks("username").limit(100).fetch().await?;
use lastfm_client::LastFmClient;
// Simple: with defaults (loads API key from LAST_FM_API_KEY env var)
let client = LastFmClient::new()?;
// With custom configuration
let client = LastFmClient::builder()
.api_key("your_key")
.retry_attempts(5)
.rate_limit(10, Duration::from_secs(1))
.build_client()?;
client.recent_tracks("username")
.limit(u32) // Limit number of tracks
.unlimited() // Fetch all available tracks
.since(i64) // Tracks since timestamp
.between(i64, i64) // Tracks between two timestamps
.extended() // Include extended info
.fetch() // Execute and get Vec<RecentTrack>
.fetch_extended() // Execute and get Vec<RecentTrackExtended>
.check_currently_playing() // Check if currently playing
.analyze(usize) // Analyze tracks and get statistics
.analyze_and_print(usize) // Analyze and print statistics
.fetch_and_save(format, prefix) // Fetch and save to file
.fetch_extended_and_save(format, prefix) // Fetch extended and save
client.loved_tracks("username")
.limit(u32) // Limit number of tracks
.unlimited() // Fetch all available tracks
.fetch() // Execute and get Vec<LovedTrack>
.analyze(usize) // Analyze tracks and get statistics
.analyze_and_print(usize) // Analyze and print statistics
.fetch_and_save(format, prefix) // Fetch and save to file
client.top_tracks("username")
.limit(u32) // Limit number of tracks
.unlimited() // Fetch all available tracks
.period(Period) // Time period filter
.fetch() // Execute and get Vec<TopTrack>
.fetch_and_save(format, prefix) // Fetch and save to file
⚠️ All V1.x methods are deprecated and will show deprecation warnings. Use the V2.0 API clients instead.
| Method | Parameters | Returns | Description | Status |
|---|---|---|---|---|
get_user_recent_tracks |
limit |
Vec<RecentTrack> |
Simple method to fetch recent tracks | ⚠️ Deprecated |
get_user_recent_tracks_with_options |
limit, from, to, extended |
Vec<RecentTrack> |
Full control over all API parameters | ⚠️ Deprecated |
get_user_recent_tracks_extended |
limit, from, to |
Vec<RecentTrackExtended> |
Fetch recent tracks with extended info | ⚠️ Deprecated |
get_user_recent_tracks_since |
from, to, limit |
Vec<RecentTrack> |
Fetch tracks since a timestamp | ⚠️ Deprecated |
get_user_recent_tracks_between |
from, to, extended |
Vec<RecentTrack> |
Fetch all tracks between two dates | ⚠️ Deprecated |
get_user_recent_tracks_between_extended |
from, to |
Vec<RecentTrackExtended> |
Fetch all tracks between dates with extended info | ⚠️ Deprecated |
| Method | Parameters | Returns | Description | Status |
|---|---|---|---|---|
get_user_top_tracks |
limit, period |
Vec<TopTrack> |
Simple method to fetch top tracks | ⚠️ Deprecated |
get_user_top_tracks_with_options |
limit, period |
Vec<TopTrack> |
Full control over all API parameters | ⚠️ Deprecated |
| Method | Parameters | Returns | Description | Status |
|---|---|---|---|---|
get_user_loved_tracks |
limit |
Vec<LovedTrack> |
Simple method to fetch loved tracks | ⚠️ Deprecated |
get_user_loved_tracks_with_options |
limit |
Vec<LovedTrack> |
Full control over all API parameters | ⚠️ Deprecated |
get_user_loved_tracks_since |
timestamp, limit |
Vec<LovedTrack> |
Fetch loved tracks since a timestamp | ⚠️ Deprecated |
| Method | Parameters | Returns | Description |
|---|---|---|---|
get_and_save_recent_tracks |
limit, format, filename_prefix |
Result<String> |
Fetch and save recent tracks to file |
get_and_save_loved_tracks |
limit, format |
Result<String> |
Fetch and save loved tracks to file |
export_recent_play_counts |
limit |
Result<String> |
Export play counts for recent tracks |
update_recent_play_counts |
limit, file_path |
Result<String> |
Update play counts in existing file |
is_currently_playing |
- | Result<Option<RecentTrack>> |
Check if user is currently playing |
update_currently_listening |
file_path |
Result<Option<RecentTrack>> |
Update currently listening file |
limit: impl Into<TrackLimit> - Use Some(n) for limited tracks, None or TrackLimit::Unlimited for allfrom/to: Option<i64> - Unix timestamps in secondsextended: bool - Whether to fetch extended track informationperiod: Option<Period> - Time period filter (Week, Month, ThreeMonth, etc.)format: FileFormat - FileFormat::Json or FileFormat::CsvRun the test suite:
cargo test
The v2.0 API includes extensive test coverage with mock HTTP clients for reliable testing.
Configure automatic retries with exponential or linear backoff:
use lastfm_client::{LastFmClient, client::retry::RetryPolicy};
use std::time::Duration;
// Exponential backoff: 100ms → 200ms → 400ms → 800ms
let client = LastFmClient::builder()
.api_key("your_key")
.retry_attempts(5)
.build_client()?;
// Custom retry policy
let policy = RetryPolicy::exponential(3)
.with_base_delay(Duration::from_millis(200))
.with_max_delay(Duration::from_secs(10));
Prevent API throttling with sliding window rate limiting:
use std::time::Duration;
let client = LastFmClient::builder()
.api_key("your_key")
.rate_limit(10, Duration::from_secs(1)) // 10 requests per second
.build_client()?;
Use mock HTTP clients for testing:
use lastfm_client::client::http::MockClient;
use std::collections::HashMap;
let mut responses = HashMap::new();
responses.insert(
"test_url".to_string(),
serde_json::json!({"recenttracks": {"track": []}}),
);
let mock_client = MockClient::new(responses);
// Use mock_client in your tests
The v2.0 API is built with a modular, testable architecture:
src/
├── client/
│ ├── client.rs # Main LastFmClient entry point
│ ├── http.rs # HTTP abstraction (trait + implementations)
│ ├── retry.rs # Retry logic with backoff strategies
│ └── rate_limiter.rs # Rate limiting with sliding window
├── api/
│ └── recent_tracks.rs # RecentTracksClient with builder pattern
├── types/
│ ├── tracks.rs # Track type definitions
│ └── period.rs # Period and TrackLimit enums
├── config.rs # Configuration with builder
└── error.rs # Rich error types with retry hints
This project is licensed under the MIT License - see the LICENSE file for details.
Built with Rust and powered by the Last.fm API.