Unofficial Keygen Rust SDK

The keygen-rs crate is an unofficial Rust SDK for integrating with the keygen.sh licensing service.
Features
- License Management: Validate, activate, and verify licenses offline
- Machine Management: Activate, deactivate, and manage machines with heartbeat monitoring
- Administrative APIs: Full CRUD operations for products, policies, licenses, users, and tokens (requires admin token)
- Distribution APIs: Manage releases, packages, artifacts, platforms, architectures, and channels
- Offline Verification: Verify signed license keys without internet connectivity
- Type Safety: Strongly-typed enums for all API options (LicenseStatus, HeartbeatStatus, etc.)
- Service Introspection: Check API availability and feature support
- Security: Sensitive data is automatically zeroed from memory using
zeroize
Sponsored by
Keymana is a desktop interface for Keygen.sh that eliminates API calls, offering intuitive license management with multi-account support, advanced filtering, and compatibility with both cloud and self-hosted instances.
Installing
Add this to your Cargo.toml:
[dependencies]
keygen-rs = "0.9"
Feature Flags
The SDK uses feature flags to minimize binary size:
license-key (default): End-user features for license validation and machine activation
token: Administrative features requiring token authentication
keygen-rs = "0.9"
keygen-rs = { version = "0.9", features = ["token"] }
keygen-rs = { version = "0.9", features = ["license-key", "token"] }
Tauri Plugin
Tauri plugins for this SDK are available:
These plugins provide an easy way to integrate Keygen licensing into your Tauri applications. For more information, check the plugins' respective READMEs.
Config
KeygenConfig
Use KeygenConfig to configure the SDK globally. You should set this before making any API calls.
For End Users (License Key Authentication)
use keygen_rs::config::{self, KeygenConfig};
config::set_config(KeygenConfig::license_key(
"YOUR_KEYGEN_ACCOUNT_ID",
"YOUR_KEYGEN_PRODUCT_ID",
"A_KEYGEN_LICENSE_KEY",
Some("YOUR_KEYGEN_PUBLIC_KEY"),
));
For Administrators (Token Authentication)
use keygen_rs::config::{self, KeygenConfig};
config::set_config(KeygenConfig::admin(
"YOUR_KEYGEN_ACCOUNT_ID",
"YOUR_ADMIN_TOKEN",
));
Custom Configuration
use keygen_rs::config::{self, KeygenConfig};
config::set_config(KeygenConfig {
api_url: "https://api.keygen.sh".to_string(), account: "YOUR_KEYGEN_ACCOUNT_ID".to_string(),
product: "YOUR_KEYGEN_PRODUCT_ID".to_string(),
license_key: Some("A_KEYGEN_LICENSE_KEY".to_string()),
token: Some("YOUR_ADMIN_TOKEN".to_string()),
public_key: Some("YOUR_KEYGEN_PUBLIC_KEY".to_string()),
..KeygenConfig::default()
});
Usage
Validate a License
To validate a license, configure KeygenConfig with your Keygen account details. Then call the validate function with a device fingerprint:
use keygen_rs::{config::{self, KeygenConfig}, errors::Error};
#[tokio::main]
async fn main() -> Result<(), Error> {
config::set_config(KeygenConfig::license_key(
"YOUR_KEYGEN_ACCOUNT_ID",
"YOUR_KEYGEN_PRODUCT_ID",
"A_KEYGEN_LICENSE_KEY",
Some("YOUR_KEYGEN_PUBLIC_KEY"),
));
let fingerprint = machine_uid::get().unwrap_or("".into());
let license = keygen_rs::validate(&[fingerprint], &[]).await?;
println!("License validated successfully: {:?}", license);
Ok(())
}
Activate a Machine
To activate a machine for a license:
use keygen_rs::{
config::{self, KeygenConfig},
errors::Error,
};
#[tokio::main]
async fn main() -> Result<(), Error> {
config::set_config(KeygenConfig::license_key(
"YOUR_KEYGEN_ACCOUNT_ID",
"YOUR_KEYGEN_PRODUCT_ID",
"A_KEYGEN_LICENSE_KEY",
Some("YOUR_KEYGEN_PUBLIC_KEY"),
));
let fingerprint = machine_uid::get().unwrap_or("".into());
if let Err(err) = keygen_rs::validate(&[fingerprint.clone()], &[]).await {
match err {
Error::LicenseNotActivated { license, .. } => {
let machine = license.activate(&fingerprint, &[]).await?;
println!("License activated successfully: {:?}", machine);
}
_ => {
println!("License validation failed: {:?}", err);
}
}
} else {
println!("License validated successfully");
}
Ok(())
}
Offline License Key Verification
To verify a signed license key offline:
use keygen_rs::{config::{self, KeygenConfig}, license::SchemeCode};
fn main() {
config::set_config(KeygenConfig::license_key(
"YOUR_KEYGEN_ACCOUNT_ID",
"YOUR_KEYGEN_PRODUCT_ID",
"A_KEYGEN_LICENSE_KEY",
Some("YOUR_KEYGEN_PUBLIC_KEY"),
));
let signed_key = "YOUR_SIGNED_LICENSE_KEY";
if let Ok(data) = keygen_rs::verify(SchemeCode::Ed25519Sign, signed_key) {
println!("License verified: {:?}", String::from_utf8_lossy(&data));
} else {
println!("License verification failed");
}
}
Error Handling
The SDK returns meaningful errors which can be handled in your integration. Here's an example of handling a LicenseNotActivated error:
use keygen_rs::{config::{self, KeygenConfig}, errors::Error};
#[tokio::main]
async fn main() -> Result<(), Error> {
config::set_config(KeygenConfig::license_key(
"YOUR_KEYGEN_ACCOUNT_ID",
"YOUR_KEYGEN_PRODUCT_ID",
"A_KEYGEN_LICENSE_KEY",
Some("YOUR_KEYGEN_PUBLIC_KEY"),
));
let fingerprint = machine_uid::get().unwrap_or("".into());
match keygen_rs::validate(&[fingerprint.clone()], &[]).await {
Ok(license) => println!("License is valid: {:?}", license),
Err(Error::LicenseNotActivated { license, .. }) => {
println!("License is not activated. Activating...");
let machine = license.activate(&fingerprint, &[]).await?;
println!("Machine activated: {:?}", machine);
},
Err(e) => println!("Error: {:?}", e),
}
Ok(())
}
Administrative APIs
When configured with a token, you can access administrative features:
Product Management
use keygen_rs::product::{Product, CreateProductRequest, DistributionStrategy};
#[tokio::main]
async fn main() -> Result<(), Error> {
let product = Product::create(CreateProductRequest {
name: "My App".to_string(),
distribution_strategy: Some(DistributionStrategy::Licensed),
platforms: Some(vec![Platform::MacOs, Platform::Windows]),
..Default::default()
}).await?;
let products = Product::list(None).await?;
Ok(())
}
Policy Management
use keygen_rs::policy::{Policy, CreatePolicyRequest, AuthenticationStrategy};
#[tokio::main]
async fn main() -> Result<(), Error> {
let policy = Policy::create(CreatePolicyRequest {
name: "Standard License".to_string(),
authentication_strategy: Some(AuthenticationStrategy::License),
duration: Some(365), max_machines: Some(3),
..Default::default()
}).await?;
Ok(())
}
License Management
use keygen_rs::license::{License, CreateLicenseRequest};
#[tokio::main]
async fn main() -> Result<(), Error> {
let license = License::create(CreateLicenseRequest {
policy_id: "POLICY_ID".to_string(),
user_email: Some("user@example.com".to_string()),
..Default::default()
}).await?;
license.suspend().await?;
license.reinstate().await?;
Ok(())
}
Service Introspection
use keygen_rs::service;
#[tokio::main]
async fn main() -> Result<(), Error> {
service::ping().await?;
let info = service::get_service_info().await?;
println!("API Version: {}", info.api_version);
if service::supports_product_code().await? {
println!("Product codes are supported!");
}
Ok(())
}
Distribution APIs
Manage software releases and artifacts:
use keygen_rs::release::{Release, CreateReleaseRequest, ListReleasesParams};
use keygen_rs::artifact::Artifact;
#[tokio::main]
async fn main() -> Result<(), Error> {
let release = Release::create(CreateReleaseRequest {
name: Some("v1.0.0".to_string()),
version: "1.0.0".to_string(),
channel: Some("stable".to_string()),
..Default::default()
}).await?;
let releases = Release::list(Some(ListReleasesParams {
product: Some("PRODUCT_ID".to_string()),
..Default::default()
})).await?;
let artifacts = Artifact::list(Some(ListArtifactsParams {
release: Some(release.id.clone()),
..Default::default()
})).await?;
Ok(())
}
Examples
For more detailed examples, please refer to the examples directory in the repository:
- License Examples:
/examples/license/ - License validation, activation, and management
- Machine Examples:
/examples/machine/ - Machine activation, heartbeat monitoring, and management
- Product Examples:
/examples/product/ - Product CRUD operations (admin only)
- Policy Examples:
/examples/policy/ - Policy management (admin only)
- User Examples:
/examples/user/ - User management (admin only)
- Token Examples:
/examples/token/ - Token management (admin only)
- Release Examples:
/examples/release/ - Release lifecycle management (admin only)
- Artifact Examples:
/examples/artifact/ - Artifact management (admin only)
- Package Examples:
/examples/package/ - Package management (admin only)
- Environment Examples:
/examples/environment/ - Environment management (admin only)
- Webhook Examples:
/examples/webhook_endpoint/ and /examples/webhook_event/ - Webhook management (admin only)
- Service Examples:
/examples/service/ - Service introspection
Testing
When implementing a testing strategy for your licensing integration, we recommend mocking the Keygen API responses. This is especially important for CI/CD environments to prevent unnecessary load on Keygen's servers and to stay within your account's daily request limits.
You can use crates like mockito or wiremock to mock HTTP responses in your tests.
Inspired by
License
This project is licensed under the MIT License.