Crateful 03/2025
The CRB crate is now compatible with WASM in the browser, allowing you to create full-stack agents. Additionally, in this issue over 1,000 new crates have been processed.
When I created the Crateful mailing list, I discovered a wealth of fascinating crates crafted by the community. While truly groundbreaking crates—those that introduce new ideas and development approaches—are still rare, the rapid evolution of the Rust ecosystem is undeniably exciting.
I believe we've moved past the formative stages, and Rust can now be confidently chosen as a go-to tool for development. However, the language remains underrepresented in the AI space—a domain brimming with potential. It's clear that we must take an active role in expanding Rust’s AI capabilities, shaping the future of intelligent systems within the ecosystem.
CRB 0.0.31
The CRB framework has undergone significant compatibility changes, and since the last journal release, I have published several new versions. In this update, I will cover all the changes made from version 0.0.29 to version 0.0.31.
WASM Support
This is the most extensive change, requiring a major overhaul of the crb-core
crate, which handles compatibility across different systems. The primary challenges in adapting tokio
code for WASM stem from the lack of support for the time
package and runtime environments.
To address this, two new crates have been introduced, hidden behind the std
and web
feature flags. I deliberately chose to use feature flags rather than adapting to specific targets because explicitly defining capabilities provides full control over the selection process. Additionally, crates that currently lack WASM support may become fully compatible in the future.
A third reason for this approach is that even if a specific target is WASM, it does not guarantee that the final product will function correctly in all environments. Different WASM virtual machines may provide varying sets of features, and in browsers, for example, there is the added capability of accessing JavaScript functions.
Crate crb-core-std
The crb-core-std
crate is designed for standard environments and relies entirely on tokio
. It imports types from the time
module and provides the methods spawn
, spawn_local
, and spawn_blocking
for task execution.
Crate crb-core-web
The crb-core-web
crate ensures compatibility with WASM environments in web browsers by utilizing the wasm_bindgen_futures
crate. It provides only the spawn_local
method, as WASM programs in browsers run exclusively in a single-threaded environment. Consequently, the spawn
method is implemented as a direct call to spawn_local
.
Unfortunately, with only a single thread available, implementing spawn_blocking
effectively is not feasible, as it would inevitably block the main thread. This method is typically used for invoking the DoSync
handler.
An intriguing yet risky approach to spawn_blocking
exists in the tokio_with_wasm
crate:
pub fn spawn_blocking<C, T>(callable: C) -> JoinHandle<T>
where
C: FnOnce() -> T + Send + 'static,
T: Send + 'static,
{
let (join_sender, join_receiver) = once_channel();
let (cancel_sender, cancel_receiver) = once_channel::<()>();
WORKER_POOL.with(move |worker_pool| {
worker_pool.queue_task(move || {
if cancel_receiver.is_done() {
join_sender.send(Err(JoinError { cancelled: true }));
return;
}
let returned = callable();
join_sender.send(Ok(returned));
})
});
JoinHandle {
join_receiver,
cancel_sender,
}
}
This implementation leverages the fact that WebAssembly memory can be shared if the shared
flag is explicitly set to true
when creating the WebAssembly virtual machine's memory:
const memory = new WebAssembly.Memory({
shared: true
});
However, this approach is inherently unsafe. While shared memory allows passing pointers to objects and accessing other WebAssembly-allocated objects, it significantly limits access to a wide range of APIs. Specifically, if a task attempts to call JavaScript API functions, it will inevitably result in an error.
Due to these limitations, a simpler and safer approach was chosen: in spawn_blocking
, the provided function is executed directly within an asynchronous block, and its result is returned as the function's output.
pub fn spawn_blocking<F, R>(blocking_func: F) -> JoinHandle<R>
where
F: FnOnce() -> R + 'static,
R: 'static,
{
spawn_local(async move { blocking_func() })
}
Context with Stream Processing
A new type of context, StreamSession
, has been introduced. Unlike the standard AgentSession
, StreamSession
can also handle streams, allowing for more flexible message processing.
Since StreamSession
is an elegant extension of AgentSession
, the supervisor session has also been enhanced. Previously, the supervisor session was based exclusively on AgentSession
, but now it explicitly defines the context type it operates on. This is achieved using the BasedBy
associated type, allowing SupervisorSession
to be built on a custom context type rather than being limited to AgentSession
.
Why Introduce a Separate Context for Streams?
The primary reason for introducing a separate context is that AgentSession
provides only basic functionality, while SupervisorSession
extends it with additional supervisor management capabilities. However, stream handling modifies how messages are retrieved. In the standard implementation, message processing includes a refined handler that extracts messages from streams when they are present.
To facilitate stream handling, a dedicated crate is used to manage multiple streams. Below is an implementation of this approach:
impl<A: Agent> AgentContext<A> for StreamSession<A> {
async fn next_envelope(&mut self) -> Option<Envelope<A>> {
let next_fut = self.session.next_envelope();
if self.streams.is_empty() {
next_fut.await
} else {
let event = self.streams.next();
let either = select(next_fut, event).await;
match either {
Either::Left((None, _)) => {
self.streams.clear();
None
}
Either::Left((event, _)) => event,
Either::Right((event, _)) => event,
}
}
}
}
This implementation efficiently handles messages from either the session or the streams, ensuring that messages are processed seamlessly whether they originate from standard sources or asynchronous streams.
Adding Streams to the Context
Streams can be added to the context using the simple consume
method. This method queues the stream into streams
, and when next_envelope
is called (which, as you recall, is invoked via the Agent
trait), the next message is extracted.
Streams added in this way can only transmit wrapped messages intended for a specific agent. The consume
method automatically wraps these messages, while the consume_events
method expects already-wrapped Envelopes
.
Here’s an example of how it works:
impl DoAsync<Initialize> for ComponentTask {
async fn handle(&mut self, _: Initialize, ctx: &mut Context<Self>) -> Result<Next<Self>> {
ctx.consume(self.interval.events()?);
Ok(Next::events())
}
}
This approach has been harmonized with other types. For example, the Drainer
wrapper can now be converted into a stream, making it compatible with the new system.
New Web-App Example
A new example has been added to the framework—a small web application built using CRB. This application launches an agent that runs a framework-based application, with its components linked to individual actors.
Essentially, this demonstrates how CRB actors can be integrated into any WASM-based application, providing structured actor-based processing within a web environment.
Nine
The development of the Nine framework continues—an advanced P2P framework for building AI agents.
With the CRB crate now supporting execution in web browsers, the Nine framework has been adapted to leverage this capability, introducing several new features.
Running Inside the Browser
Now, a substance (a core unit within the framework) can be executed directly in a browser. This allows for offloading part of the workload to the client-side or creating agents that are designed to run and operate entirely within the browser environment.
Interactive Dashboard as an Agent
A dashboard has also been introduced, which itself functions as an agent. It runs as a substance, integrates with the DOM tree, and subscribes to various events from an independent node.
Real-Time Data Exchange and Visualization
Since the dashboard is a fully-fledged agent, it enables direct data exchange and real-time component rendering based on dynamic data streams. This architecture unlocks powerful capabilities for real-time data management and visualization across multiple sources simultaneously. By structuring components around streaming data, the system provides an efficient and scalable way to monitor, control, and interact with AI-driven agents in real time.
AI-CURATED CONTENT BELOW
Total crates processed: 1127
pallet-farcaster_frame (0 stars) - Farcaster frame pallet to parse messages from farcaster frames.
vortex-btrblocks (1127 stars) - BtrBlocks style compressor
vortex-metrics (1127 stars) - Vortex Metrics
brevo (0 stars) - Brevo provide a RESTFul API that can be used with any languages. With this API, you will be able to : - Manage your campaigns and get the statistics - Manage your contacts - Send transactional Emails and SMS - and much more... You can download our wrappers at https://github.com/orgs/brevo
alshdavid_test (23 stars) - Bundler For The Modern Web
bgit (3 stars) - User-friendly Git wrapper for beginners, automating essential tasks like adding, committing, and pushing changes. It includes smart rules to avoid common pitfalls, such as accidentally adding sensitive files or directories and has exclusive support for portable hooks!
csv2pq (0 stars) - CSV to Apache parquet converter
iroh-roq (6 stars) - RTP over iroh
brk_query (56 stars) - A library that finds requested datasets
gate_calc_log_bits (0 stars) - Helper for the Gate Project.
dexter-storage-proto-tx (8 stars) - Dexter Solana Storage Protobuf Definitions
gatesim (0 stars) - The base library for the Gate Project.
tree-iter (0 stars) - A Rust library for iterating over tree structures
gateutil (0 stars) - The library with basic utilities for GateSim.
gittr (3 stars) - Gittr is a self-hosted git platform for small, stealthy teams.
ali-oss-rs (9 stars) - 阿里云对象存储 Rust SDK。 Aliyun OSS SDK for Rust
gategen (0 stars) - The library to generate Gate circuits.
gittr-ssh-auth (3 stars) - Helper program for SSH to bridge authentication between SSH and the gittr backend.
readpass (0 stars) - A tiny library for reading passwords without displaying them on the terminal
gateconvert (0 stars) - The library to convert Gate circuit from/to foreign logic format.
gateconvert_exec (0 stars) - The program to convert Gate circuit from/to foreign logic format.
gatenative (0 stars) - The library to execute natively Gate circuits.
flare-im-core (1 stars) - A high performance instant messaging core library for Flare framework
circuit_sat_check (0 stars) - Simple utility to generate circuit checking to CNF formula.
libbcsv (0 stars) - A library to parse the BCSV file format.
wolkit-rs (0 stars) - Wake-on-LAN utility and library for remotely powering on network devices
cell_wrappers (0 stars) - This is a set of macros for ergonomically working with TCells and TLCells from the qcell crate.
chaussette (2 stars) - SOCKS5 to HTTP CONNECT Proxy
prolock (0 stars) - ProLock is a tool for securely storing secrets (like passwords) in a password-protected file.
collect-with (0 stars) - A utility crate for enhanced collection operations with capacity control.
ndarray-einsum (0 stars) - Implementation of the einsum function for the Rust ndarray crate. Fork of https://github.com/oracleofnj/einsum
sbatch-rs (0 stars) - A simple sbatch command generator
ecscope (2 stars) - ecscope lets you monitor AWS ECS resources from the terminal
repo-summarizer (0 stars) - A tool for generating a text file summary of directory contents
overlap-chunk (0 stars) - A Rust library for splitting text into chunks of specified size with adjustable overlap percentage.
memberlist-proto (65 stars) - Proto types and traits for the memberlist crate.
mollusk-svm-cli (113 stars) - Mollusk CLI.
image-anonymizer (0 stars) - A command-line tool to detect and mask sensitive content in images
rosu-rate-changer (0 stars) - Rate changer for osu!
maidenx_cuda (3 stars) - maidenx CUDA backend
maidenx_macro_utils (3 stars) - maidenx macro utils
maidenx_nn_macros (3 stars) - maidenx nn macros
maidenx_cpu (3 stars) - maidenx CPU backend
maidenx_core (3 stars) - maidenx core
maidenx_tensor (3 stars) - maidenx tensor
maidenx_nn (3 stars) - maidenx nn
maidenx_internal (3 stars) - maidenx internal
tether-serial-values (0 stars) - Read numbers line by line over serial port, emit values as Tether Messages
rusty-ast (0 stars) - A tool that analyzes Rust code and visualizes its AST
anchor-mcp (0 stars) - Anchor Model Context Protocol (MCP) Rust CLI server which allows AI IDE's such as Cursor or Windsurf to more effectively write Anchor programs
derive-regex-proc-macro (2 stars) - proc macro implementation of derive_regex
bevy_auto_scaling (0 stars) - Auto scale cameras to fit the window.
maidenx (3 stars) - Rust ML Framework for Maiden Engine
small-http (1 stars) - A simple and small sync HTTP/1.1 server/client library
macerator (1 stars) - Type and target-generic SIMD
struct-field-offsets (0 stars) - Procedural macro to retrieve field names and offsets from a struct.
wgsl-builtin (0 stars) - WGSL builtin types
starberry (2 stars) - A framework for building web applocation in Rust
xgraph (1 stars) - A comprehensive Rust library providing efficient graph algorithms for solving real-world problems in social network analysis, transportation optimization, recommendation systems, and more
pacfiles (21 stars) - A pacman -F alternative that runs blazingly fast
solana-slashing-cli (4 stars) - Temp placeholder
lvis (13 stars) - Visualize lsof output
spl-slashing-cli (4 stars) - Temp placeholder
solana-slashing-program (4 stars) - Temp placeholder
nscd-lookup (0 stars) - Look up IP addresses using nscd
askama_web_derive (2 stars) - Please see askama_web
for more information.
windowfunctions (1 stars) - Common window functions for apodization
askama_web (2 stars) - A compatibility add-on for Askama to support many different web frameworks
m3u8-reader (0 stars) - This isn't production ready, but it works for my use case.
json2rdf (1 stars) - Library for converting a JSON file to N-Triple RDF
csv2rdf (1 stars) - Library for converting a CSV file to N-Triple RDF
xml2rdf (1 stars) - Library for converting an XML file to N-Triple RDF
icu_time_data (1428 stars) - Data for the icu_time crate
node-flow (0 stars) - A crate that provides flows for nodes
data-source (0 stars) - a simple crate that fetches data from different sources
derive-regex (2 stars) - Easily parse a regex into a struct or enum variant
lesbar-text (1 stars) - String extensions and queries for legible text.
lesbar-macros (1 stars) - Procedural macros for string types that encode legible text.
lesbar (1 stars) - String types that must encode legible text.
traceview (0 stars) - Tracing and viewing your files and resource landscape
wasmtime-wasi-io (15953 stars) - wasi-io common traits to be shared among other wasi implementations
eztry (0 stars) - easy-to-use utilities to add retry logic to async functions
prahsys-toml (0 stars) - A simple CLI for editing and querying TOML files.
protopolis (3 stars) - A simple, fast, and secure chat server.
eztry-macros (0 stars) - easy-to-use utilities to add retry logic to async functions
qslib (0 stars) - QSlib QuantStudio qPCR machine library
nbits (0 stars) - An easy-to-use bits iterator and chunk tool.
balanced-direction (1 stars) - A library to manipulate directions with discrete logic.
wasm32-unknown-unknown-openbsd-libc-wctypes-fix (0 stars) - The parts of OpenBSD libc that make sense on wasm32-unknown-unknown.
unifai-sdk (3 stars) - The Rust SDK for Unifai, an AI native platform for dynamic tools and agent to agent communication.
stdin-nonblocking (0 stars) - Dependency-less non-blocking stdin reader using background threads. Supports streaming and immediate fallback defaults.
dwn-rs (0 stars) - Decentralized Web Node
openid4vci-rs (0 stars) - OpenID for Verifiable Credential Issuance
trz-gateway-common (0 stars) - Secure Proxy / Agents implementation in Rust
genotype_workspace (6 stars) - Genotype language workspace
trz-gateway-server (0 stars) - Secure Proxy / Agents implementation in Rust
easy_prefs (0 stars) - The simplest to use API we could think of to persist prefs to disk. Basically wrap a macro around a struct (see syntax), then data is saved when you write to it. Performant, testable, thread safe, easy to migrate, and careful to not corrupt your data.
trz-gateway-client (0 stars) - Secure Proxy / Agents implementation in Rust
genotype_watcher (6 stars) - Genotype language file system watcher
nofus (1 stars) - A daemon for monitoring and reacting to the status of NFS mounts.
clia-async-openai (0 stars) - Rust library for OpenAI (with rustls)
cargo-harbormaster (0 stars) - Export diagnostics from cargo check, cargo clippy and cargo nextest into the JSON message format expected by Phabricator's Harbormaster.
pv_inspect (0 stars) - Mount a Kubernetes PersistentVolumeClaim volume on a new pod, shell into it, and mount it via SSHFS
neo3 (1 stars) - Rust SDK for Neo N3
bevy_file_asset (1 stars) - bevy file asset plugin
nucleus-sdk (0 stars) - Rust SDK for Nucleus vault management
ofc (62 stars) - A command-line Ollama Function Caller
ltrait-source-desktop (0 stars) - A source of FreeDesktopOrg's Desktop Entry for ltrait
tree-sitter-actions (0 stars) - parser for the actions file as defined by the specification therein
knievel (0 stars) - Fearlessly fast ad delivery that steals the show
easydonate-api (0 stars) - EasyDonate API implementation
b4sam (0 stars) - A tool to review code with AI
clia_deepseek_rs (0 stars) - A Rust client library for the DeepSeek API (use rustls)
branch-and-bound (0 stars) - Branch and Bound / Backtracking algorithms generic template library
checked_num (1 stars) - Overflow-checked numbers for safety without sacrificing ergonomics.
workspace_root (0 stars) - An utility to get workspace root
actix-json-validator (8 stars) - A user and client-friendly JSON validator for Actix Web that automatically returns structured, nested error messages for invalid requests.
uplite (1 stars) - a lightweight, self-hosted file upload, browsing, and management tool
agio (0 stars) - A Rust crate for configuring and using OpenAI in an agentic system
bluenoise_sampler (0 stars) - Precomputed blue noise for fast sampling
gitru (0 stars) - Git commit message validator with configurable rules
st3215 (12 stars) - A crate for communicating with Feetech/Waveshare branded ST3215 serial bus servos
scream_cypher (1 stars) - A CLI tool and library for encrypting and decrypting messages using the scream cypher.
adjust (0 stars) - Utility library for making serivces on axum easier
rustowl (4063 stars) - Visualize Ownership and Lifetimes in Rust
gmt_m2-ctrl_fsm-piezo-135 (1 stars) - Giant Magellan Telescope C-code control system models
oxc_ast_visit (13586 stars) - A collection of JavaScript tools written in Rust.
gmt_m2-ctrl_fsm-piezo-246 (1 stars) - Giant Magellan Telescope C-code control system models
libgraphql (0 stars) - A library for building GraphQL tools, clients, and servers.
gmt_m2-ctrl_fsm_positionner (1 stars) - Giant Magellan Telescope C-code control system models
gainlineup (1 stars) - A Gain Lineup toolbox for RF Modeling
i2c-tiny-usb (0 stars) - Library for communicating with USB-to-I2C adapters supporting the i2c-tiny-usb protocol
coze-rs (0 stars) - [badawsome] make a cli integration, deps on clap
zorsh-gen-rs (7 stars) - Zorsh generator for Rust
bitstructs_macro (0 stars) - Procedural macro for bitstructs.
endolphine (1 stars) - TUI file explorer made by Rust
bitstructs (0 stars) - Defining type-safe bitfield structures that can be used in both std
and no_std
environments.
seq-here (2 stars) - A fast tool for bio-sequence file processing.
torii-migration (362 stars) - Migration utilities for the torii authentication ecosystem
pola (1 stars) - Silent Assassin TUI for searching skins, checking values, and finding owners!
oid4vci-rs (0 stars) - OpenID for Verifiable Credential Issuance
oid4vp-rs (0 stars) - OpenID for Verifiable Presentations
openid4vp-rs (0 stars) - OpenID for Verifiable Presentations
trident-syn (249 stars) - Trident is Rust based fuzzing framework for Solana programs written in Anchor.
torii-auth-password (362 stars) - Password authentication plugin for the torii authentication ecosystem
torii-auth-oauth (362 stars) - OAuth authentication plugin for the torii authentication ecosystem
torii-auth-passkey (362 stars) - Passkey authentication plugin for the torii authentication ecosystem
batch-mode-json (8 stars) - Utilities for extracting JSON and writing it to files with error handling.
trident-derive-instruction (249 stars) - Trident is Rust based fuzzing framework for Solana programs written in Anchor.
trident-derive-transaction (249 stars) - Trident is Rust based fuzzing framework for Solana programs written in Anchor.
const-siphasher (0 stars) - SipHash-2-4, SipHash-1-3 and 128-bit variants in pure Rust
trident-derive-flow-executor (249 stars) - Trident is Rust based fuzzing framework for Solana programs written in Anchor.
valide (0 stars) - a validator crate for snx
trident-derive-accounts (249 stars) - Trident is Rust based fuzzing framework for Solana programs written in Anchor.
trident-derive-remaining-accounts (249 stars) - Trident is Rust based fuzzing framework for Solana programs written in Anchor.
batch-mode-3p (8 stars) - This crate contains the third party (3p) interface for the batch-mode
crate ecosystem
trident-derive-transaction-selector (249 stars) - Trident is Rust based fuzzing framework for Solana programs written in Anchor.
media-remote (0 stars) - Bindings for MediaRemote.framework
kwd (0 stars) - Attaching multiple tags to a single kaniko image build.
openapi-macros (1 stars) - Procedural macros for OpenAPI implementation
is_hawk_tuah (0 stars) - Check if the sentence contains Hawk Tuah
nullnet-libwallguard (5 stars) - A centralized management system for network firewalls
snacks (0 stars) - more nom parser-combinators
rust_support (0 stars) - A collection of utilities for Rust
trv (17 stars) - Transform slides and speaker notes into video
save-load-traits (8 stars) - Provides traits for saving and loading objects asynchronously to and from files and directories.
torii-storage-postgres (362 stars) - Postgres storage backend for the torii authentication ecosystem
wgpu-3dgs-viewer (0 stars) - A 3D Gaussian splatting viewer written in Rust using wgpu.
batch-mode-batch-metadata (8 stars) - Provides utilities for managing, serializing, and persisting batch metadata, including input, output, and error file IDs, with support for JSON serialization and file persistence.
batch-mode-batch-schema (8 stars) - Defines the schema and structures for batch processing, including batch choices, message roles, error handling, and token management, with support for JSON deserialization and validation.
batch-mode-batch-index (8 stars) - Provides utilities for managing batch indices and generating regex patterns for matching batch file names based on Usize or UUID identifiers.
camel-case-token-with-comment (8 stars) - Handles camel case tokens with optional comments and provides utilities for parsing token files and extracting JSON fields.
batch-mode-batch-workspace-interface (8 stars) - Defines traits for interacting with batch workspaces, including file paths and directories.
batch-mode-batch-triple (8 stars) - Manages batch file triples (input, output, error, metadata) in batch processing systems, including file validation, error handling, and file movement.
envoke_derive (0 stars) - A proc macro for loading environment variables into struct fields automatically.
envoke (0 stars) - A simple and ergonomic way to load environment variables into struct fields.
videocall-nokhwa-core (1476 stars) - Core type definitions for nokhwa
rdbkp2 (2 stars) - A CLI tool for backing up and restoring Docker container data
videocall-nokhwa-bindings-linux (1476 stars) - The V4L2 bindings crate for nokhwa
videocall-nokhwa-bindings-windows (1476 stars) - The Windows Media Foundation bindings crate for nokhwa
videocall-nokhwa (1476 stars) - A Simple-to-use, cross-platform Rust Webcam Capture Library
batch-mode-batch-client (8 stars) - This crate provides a client for interacting with OpenAI's batch processing API, allowing you to manage and download batch files asynchronously. It offers functionality for managing batch statuses, uploading files, and retrieving results after batch processing.
batch-mode-batch-workspace (8 stars) - Manages batch processing workspaces, handling tasks like locating batch files, validating files, and managing batch indices.
batch-mode-batch-reconciliation (8 stars) - Provides a framework for reconciling batch files in batch processing workflows, with automatic determination of reconciliation steps, error handling, and file processing.
super-visor (0 stars) - Simple ordered startup and shutdown for long-running tokio processes
batch-mode-batch-executor (8 stars) - Provides functionality for executing and managing batch processing workflows, including file management, status monitoring, error handling, and output reconciliation in OpenAI batch operations.
batch-mode-process-response (8 stars) - Handles batch responses, errors, and JSON repairs in a batch processing system.
batch-mode (8 stars) - This crate is a top level entrypoint for the batch-mode
crate ecosystem
web-spawn (1 stars) - std
spawn replacement for WASM in the browser.
cetacea (0 stars) - A terminal-based Docker container monitoring tool with a beautiful TUI interface
ceport (0 stars) - Beautiful diagnostic reporting for compilation/decoding/deserialzation apps.
zhixiang (1 stars) - Multi-platform game assets package format.
carbon-jupiter-perpetuals-decoder (167 stars) - Jupiter Perpetuals Decoder
process-terminal (0 stars) - Terminal manager for displaying outputs/errors of processes launched from rust code.
clinec (0 stars) - CLI tool for generating AI configuration files for Cline programming plugins
mrot-test-utils (0 stars) - Utilities for integration tests of the mrot app
nfp1315 (0 stars) - Library for the NFP1315-61A display (I2C SSD1306 driver)
carbon-lifinity-amm-v2-decoder (167 stars) - Lifinity AMM V2 Decoder
objc2-browser-engine-core (481 stars) - Reserved crate name for objc2 bindings to the BrowserEngineCore framework
signature_to_keys (3 stars) - A deterministic subkey derivation crate that signs human-readable strings using a master private key, hashes the signature via SHA-256 to generate a 256-bit seed, and produces various cryptographic key pairs (e.g., SSH ed25519, Ethereum wallets, curve25519-dalek keys).
commonware-deployer (182 stars) - Deploy infrastructure across cloud providers.
minlin (0 stars) - Rust library with minimal linear algebra made to be as convinient as possible.
carbon-raydium-liquidity-locking-decoder (167 stars) - Raydium Liquidity Locking Decoder
carbon-zeta-decoder (167 stars) - Zeta Program Decoder
fast-interleave (3 stars) - Fast interleaving and de-interleaving methods
rsql_driver (217 stars) - rsql driver
rsql_driver_mariadb (217 stars) - rsql mariadb driver
rsql_driver_snowflake (217 stars) - rsql snowflake driver
carch (13 stars) - An automated script for quick & easy Linux system setup (Arch & Fedora) 🧩.
openapi-types (1 stars) - Types for OpenAPI
javascript-globals (7 stars) - Global identifiers from different JavaScript environments
shrewnit (9 stars) - A simple, extendable, no_std, no_alloc, and 100% Rust units library.
gesha-rust-shapes (1 stars) - Rust types for intermediate representation in the Gesha project
gesha-rust-types (1 stars) - Rust types for Gesha proejct
picochat (0 stars) - No-client-required relay chat over TCP.
gesha (1 stars) - Generates code based on OpenAPI specs
bindy (20 stars) - Generator for chia-wallet-sdk bindings.
mem-find (0 stars) - Searches the memory of a process (haystack) for a string (needle).
audio-channel-buffer (7 stars) - A collection of memory-efficient audio buffer types for realtime applications
open-pgp (0 stars) - Implementation of the IETF OpenPGP standard for secure communication and data encryption.
sequenceprofiler (0 stars) - sequence similarity based on identity kmers and all sequence profiling under one rust crate
libtlafmt (0 stars) - A formatter library for TLA+ specs, core of tlafmt
tlafmt (0 stars) - A formatter for TLA+ specs
kona-genesis (173 stars) - Optimism genesis types
kona-hardforks (173 stars) - Consensus hardfork types for the OP Stack
kona-protocol (173 stars) - Optimism protocol-specific types
ggsdk_dynamic (0 stars) - A crate that exports several types related to game development
kona-serde (173 stars) - Serde related helpers for kona
geocart (0 stars) - A bridge between geographic and cartesian coordinates.
gesha-core (1 stars) - Core functionality for Gesha project
ansi_color_constants (0 stars) - Named constants for ANSI codes in Windows Terminal.
lure-macros (1 stars) - Shift left with Lure, a Rust crate that provides a macro for creating lazy Regex instances with compile-time validation, ensuring invalid patterns fail to compile.
lure (1 stars) - Shift left with Lure, a Rust crate that provides a macro for creating lazy Regex instances with compile-time validation, ensuring invalid patterns fail to compile.
lets-network (1 stars) - lets-network - sdk for lets-network app
easy-int (0 stars) - A Rust crate with macros for easy implementation of integer aliases.
libhackrf (0 stars) - A modern libhackrf wrapper that supports receiving and transmitting.
iotzio (0 stars) - The Iotzio API allows interaction with Iotzio devices. An Iotzio device is a USB connected microchip that enables the host computer to directly control peripherals such as GPIOs, utilize PWM, use I2C, SPI, Onewire and other bus protocols and devices that are not typically available to an application developer on a standard computer.
iter_seq (0 stars) - Stateless, transformable, abstract sequence of values
floxide-core (0 stars) - Core components of the floxide framework for directed graph workflows
thread-register (1 stars) - A library for obtaining and modifying thread register.
haproxy-otel (0 stars) - HAProxy OpenTelemetry tracing support
signalr-client (1 stars) - A Rust library for calling SignalR hubs from a Rust cross-platform application, supporting WASM and non WASM targets.
armagnac (1 stars) - A simple ARM emulation library for simulating embedded systems
mdbook-llms-txt-tools (0 stars) - A tool to convert mdbook to llmstxt.org format
redis-rate (1 stars) - Rate limiting crate depends on Redis
mosekcomodel (0 stars) - Library for Conic Optimization Modeling with Mosek
rsvow (0 stars) - A Rust-like implementation of JavaScript's Promise mechanism
rosu-pattern-detector (1 stars) - Pattern detector for osu!
srb_sys (26 stars) - FFI for the Space Robotics Bench
srb (26 stars) - Space Robotics Bench
objc2-core-telephony (481 stars) - Reserved crate name for objc2 bindings to the CoreTelephony framework
barectf-parser (0 stars) - A Rust library to parse barectf-generated CTF trace data
srb_py (26 stars) - Python extension module for the Space Robotics Bench
spz_rs (0 stars) - Rust code for reading in Gaussian Splats stored in the Niantic .spz file format.
srb_gui (26 stars) - GUI for the Space Robotics Bench
rsql_driver_sqlserver (217 stars) - rsql sqlserver driver
objc2-core-haptics (481 stars) - Reserved crate name for objc2 bindings to the CoreHaptics framework
rust-matrix (0 stars) - An implementation of foundational matrix operations for matrices containing , or complex numbers built from those types.
chia-sdk-coinset (20 stars) - Utilities for connecting to Chia full node peers via the light wallet protocol.
chia-sdk-bindings (20 stars) - Underlying implementation of chia-wallet-sdk bindings.
bindy-macro (20 stars) - Macro for the Bindy generator.
conspiracy_theories (0 stars) - Traits used by conspiracy and conspiracy_macros crates
conspiracy_macros (0 stars) - Macros for generating config structs
conspiracy (0 stars) - Safe, efficient configuration abstractions
brainfetch_lib (2 stars) - A library for my Brainfuck deriviation with support for fetching from apis with a few other helper commands.
mnm (1 stars) - Mnemonic sentences for BitTorrent info-hashes
jso (0 stars) - No-BS, no-bloat json library.
videocall-cli (1476 stars) - Effortlessly stream video from the CLI with our native client, designed for your desktop, robot, or Raspberry Pi.
ubr (0 stars) - Unibranch is a wrapper around git to enable a single branch workflow with stacked commits.
reinforcex (9 stars) - Deep Reinforcement Learning Framework
bond-rs (0 stars) - Rust seed application
runtime_dep_of_runtime_dep (122 stars) - testing purpose
okamoto (1 stars) - Okamoto (2006) Blind Signatures
crypto-primality (1 stars) - Implementation of primality tests for multi-precision numbers using crypto-bigint
egui_chip (0 stars) - compact component to display tags, selections, or actions
nytro (0 stars) - An efficient kernel library for maching learning
emboss_macros (11 stars) - Proc macro implementations for emboss
tamago (3 stars) - Library for generating C code
emboss_common (11 stars) - Common types and constants for emboss
floxide-transform (0 stars) - Transform node abstractions for the floxide framework
floxide-event (0 stars) - Event-driven node abstractions for the floxide framework
floxide (0 stars) - A directed graph workflow system in Rust
castella (3 stars) - Basically C programming language peppered with my preferences
ephemeral_email (0 stars) - A Rust library for generating temporary email addresses.
pg_named_args_macros (11 stars) - PostgreSQL named arguments
objc2-cinematic (481 stars) - Reserved crate name for objc2 bindings to the Cinematic framework
is-musl (0 stars) - is-musl
objc2-core-spotlight (481 stars) - Reserved crate name for objc2 bindings to the CoreSpotlight framework
floxide-longrunning (0 stars) - Long-running node abstractions for the floxide framework
scoundrel-cards (0 stars) - Scoundrel (playing card roguelike) in Rust
floxide-reactive (0 stars) - Reactive node abstractions for the floxide framework
auto-ytdlp-rs (7 stars) - Download videos with yt-dlp automatically. You can even download multiple videos at the same time!
eq-common (3 stars) - Celestia Equivalence Service shared types and traits
eq-sdk (3 stars) - Celestia Equivalence Service SDK to build clients and integrations to for a running instance of the service
mcp-macros (92 stars) - Macros for Model Context Protocol SDK
mcp-spec (92 stars) - Core types for Model Context Protocol
mcp-client (92 stars) - Client SDK for the Model Context Protocol
mcp-server (92 stars) - Server SDK for the Model Context Protocol
floxide-timer (0 stars) - Timer node abstractions for the floxide framework
pmrpc (0 stars) - Poor man's RPC. Not pretty, but plenty versatile.
fast_stream (0 stars) - stream
jtl-rs (0 stars) - A Rust library for parsing and stringifying JTL documents.
engcon_macros (0 stars) - Helpful macros to define contracts on data-structure level
engcon (0 stars) - Helpful macros to define (eng)ineering (con)tracts on data-structure level
api-rate-limiter (0 stars) - A simple rate limiter for Rust APIs
athena-cli (0 stars) - A command-line interface for AWS Athena with interactive query execution and result management
Raifus (1 stars) - A simple tool to view an Ascii waifu
objc2-safety-kit (481 stars) - Reserved crate name for objc2 bindings to the SafetyKit framework
rp2040-i2s (13 stars) - Read and write to I2S devices like MEMS microphones or DACs, on the RP2040 microcontroller.
gmt_m2-ctrl_fsm-piezo-7 (1 stars) - Giant Magellan Telescope C-code control system models
FirmNetter (1 stars) - 测试,请勿使用!
gen-semver-tags (0 stars) - Generate a set of SemVer tags, e.g. to tag container images.
objc2-notification-center (481 stars) - Reserved crate name for objc2 bindings to the NotificationCenter framework
objc2-shazam-kit (481 stars) - Reserved crate name for objc2 bindings to the ShazamKit framework
dora-openai-proxy-server (1817 stars) - dora
goal is to be a low latency, composable, and distributed data flow.
yrs_tree (0 stars) - A Rust library implementing a CRDT-based tree data structure powered by Yrs
include_folder_shared (1 stars) - Shared code for include_folder and include_folder_macros.
include_folder_macros (1 stars) - proc macro for include_folder
query-flow (7 stars) - A macro-free, data-oriented, general-purpose library for incremental, on-demand, self-adjusting computation using query-based dataflow
objc2-core-audio-kit (481 stars) - Reserved crate name for objc2 bindings to the CoreAudioKit framework
objc2-core-media-io (481 stars) - Reserved crate name for objc2 bindings to the CoreMediaIO framework
valor_kv (0 stars) - Simple and efficient key value store built with Rust
kurrentdb (50 stars) - Official KurrentDB gRPC client
dataweave (0 stars) - DataWeave is a CLI tool that converts JSON/YAML to CSV by generating all possible permutations of the provided data.
leggo (0 stars) - A SQL query builder for Rust.
slint-spatial-focus (1 stars) - Adds arrow key navigation to Slint UI
valor_kv_client (0 stars) - A client library for interacting with the valor_kv key-value store.
ggsdk_internal (0 stars) - A crate that exports several types related to game development
ruthenian (0 stars) - Ruthenian language utilities- Inflection and NLP
sqlsonnet (1 stars) - Express SQL queries with a simple Jsonnet representation, which can be easily templated using the Jsonnet configuration language.
mtime-rewind (0 stars) - Rewind the mtime of files whose mtime advanced since the last execution without a content change.
blazingqlog (7 stars) - QUIC QLOG parser written in Rust.
aori-rs-sdk (7 stars) - Rust SDK for Aori
objc2-security-foundation (481 stars) - Reserved crate name for objc2 bindings to the SecurityFoundation framework
objc2-security-interface (481 stars) - Reserved crate name for objc2 bindings to the SecurityInterface framework
objc2-preference-panes (481 stars) - Reserved crate name for objc2 bindings to the PreferencePanes framework
objc2-safari-services (481 stars) - Reserved crate name for objc2 bindings to the SafariServices framework
qpak-lib (0 stars) - qpak-lib: Unofficial Quake PAK file modification library
frost-core-unofficial (170 stars) - Types and traits to support implementing Flexible Round-Optimized Schnorr Threshold signature schemes (FROST).
frost-rerandomized-unofficial (170 stars) - Types and traits to support implementing a re-randomized variant of Flexible Round-Optimized Schnorr Threshold signature schemes (FROST).
frost-secp256k1-tr-unofficial (170 stars) - A Schnorr signature scheme over the secp256k1 curve that supports FROST and Taproot.
frost-secp256k1-unofficial (170 stars) - A Schnorr signature scheme over the secp256k1 curve that supports FROST.
qpak (0 stars) - An unofficial Quake PAK file manipulation tool
awpak-rs-macros (0 stars) - Macros for awpak-rs, a lightweight web framework for Rust, built on top of Tokio and Hyper.
awpak-rs (0 stars) - A lightweight web framework for Rust, built on top of Tokio and Hyper.
open-hypergraphs (2 stars) - Data-Parallel Algorithms for Open Hypergraphs
mine_data_structs (2 stars) - Minecraft data structures
inky-frame (1 stars) - Driver and protocol library for InkyFrame devices with peripheral support.
virtio-drivers-and-devices (0 stars) - VirtIO guest drivers and devices. Fork of rcore-os/virtio-drivers.
yellowstone-vixen-proto (78 stars) - Protobuf definitions for Vixen
yellowstone-vixen-core (78 stars) - Core types for Vixen
yellowstone-vixen (78 stars) - An all-in-one consumer runtime library for Yellowstone
yellowstone-vixen-parser (78 stars) - Vixen program parsers for the solana program library.
local-runtime (2 stars) - Thread-local async runtime
thumbnailify (0 stars) - A Rust library for generating and caching thumbnails using the GNOME thumbnailer approach.
xplore (4 stars) - Twitter/X for Rust
tauri-plugin-screenshots (7 stars) - Get screenshots of windows and monitors.
linked-data-next-derive (0 stars) - Derive macros for the linked-data
crate
linked-data-next (0 stars) - Linked-Data dateset serialization/deserialization traits
headless_browser_lib (34 stars) - A library providing a Chrome proxy API for managing Chrome instances in cloud environments.
headless_browser (34 stars) - A scalable application for managing headless Chrome instances with proxy and server capabilities.
videocall-nokhwa-bindings-macos (1476 stars) - The AVFoundation bindings crate for nokhwa
shax (0 stars) - A work-in-progress chess engine
rknn-rs (1 stars) - rknn rust binding
tuple-into (0 stars) - A trait providing a convenient way to convert tuples of convertible elements.
hessra-sdk (0 stars) - Hessra authorization service SDK for Rust
ogp-license-text (8 stars) - contains the LICENSE_TEXT for the OGP (Open Generative Protection) License
hydro2-operator-derive (8 stars) - Procedural macro that derives implementations of hydro2-operator's Operator trait, including port enumeration and bridging code for up to four inputs/outputs.
hydro2-basic-operators (8 stars) - A collection of fundamental operators for the hydro2 network ecosystem.
hydro2-3p (8 stars) - This crate encapsulates the third party (3p) dependencies for the hydro2 system
hydro2-operator (8 stars) - Core interfaces, traits, and error handling for creating and running Hydro2 operators, including multi-port type conversion utilities.
hydro2-network (8 stars) - Core data structures and DAG logic for building operator-based networks in the hydro2 ecosystem.
hydro2-network-wire-derive (8 stars) - A procedural macro providing #[derive(NetworkWire)] for bridging Hydro2 operator wires and enumerating operator IO variants. It automatically handles generics, type parameters, and attribute parsing to unify wire and operator definitions.
hydro2-network-performance (8 stars) - Performance tracking for network execution in the hydro2 ecosystem.
zino-ai (895 stars) - LLM services for zino.
redgold-common (44 stars) - Decentralized Portfolio Contracts & Data Lake
powerpack-cache (51 stars) - ⚡ Cache management for your Alfred workflow
redgold-common-no-wasm (44 stars) - Decentralized Portfolio Contracts & Data Lake
redgold-safe-bindings (44 stars) - Decentralized Portfolio Contracts & Data Lake
powerpack-logger (51 stars) - ⚡ A simple logger for Alfred workflows
mersenne_field (27 stars) - Mersenne field operations
sen6x (0 stars) - A rust no-std driver for the SEN6X sensor modules.
mltop (3 stars) - Resource monitor for ML engineers written in Rust
pawer (0 stars) - A rust library to doc Calculus of Construction
redgold-fs (44 stars) - Decentralized Portfolio Contracts & Data Lake
redgold-gui (44 stars) - Decentralized Portfolio Contracts & Data Lake
shadybug (9 stars) - a simple reference software renderer to be used for debugging shaders
redgold-crawler (44 stars) - Decentralized Portfolio Contracts & Data Lake
msr-api (0 stars) - Wrapper for Monster-Siren's API
azure_messaging_eventhubs (776 stars) - Rust client for Azure Eventhubs Service
redgold-crawler-native (44 stars) - Decentralized Portfolio Contracts & Data Lake
redgold-rpc-integ (44 stars) - Decentralized Portfolio Contracts & Data Lake
redgold-node-core (44 stars) - Decentralized Portfolio Contracts & Data Lake
ue-gitdeps (0 stars) - Parse Commit.gitdeps.xml from Unreal Engine and download its files
redgold-ci (44 stars) - Decentralized Portfolio Contracts & Data Lake
hydro2-mock (8 stars) - Mock utility components for testing within the hydro2 network ecosystem.
redgold-ops (44 stars) - Decentralized Portfolio Contracts & Data Lake
f1-game-packet-parser (0 stars) - Convert binary data from F1 24, F1 23, and F1 22 UDP telemetry into organised structs.
redgold-daq (44 stars) - Decentralized Portfolio Contracts & Data Lake
hydro2-async-scheduler (8 stars) - An asynchronous DAG-based scheduling framework for parallel operator execution.
hydro2 (8 stars) - This crate encapsulates the hydro2
system.
lumoz-solana-clock (19 stars) - Solana Clock and Time Definitions
tthresh (0 stars) - High-level Rust bindings to the tthresh compressor
airlab-lib (0 stars) - airlab backend
lzma-rust2 (5 stars) - LZMA/LZMA2 codec ported from 'tukaani xz for java'
oxvg_collections (267 stars) - selectors implementation for rcdom
xyplot (0 stars) - A tool for plotting images in a grid with labels
aishell (2 stars) - A shell that understands and suggests fixes for failed commands.
rutile_r2r (0 stars) - Simple ROS2 r2r binding
rsflow (1 stars) - High-performance Rust flow processing engine
threadporter (1 stars) - First aid kit for !Send + !Sync values ⛑️
selectic (0 stars) - Selectic is a Rust library that provides a cross-platform way to retrieve user-selected content from the operating system. Currently, it focuses on obtaining selected text, but it is designed to be extensible to handle other types of selected content like images and files in the future.
tempfs (1 stars) - A lightweight Rust crate for managing temporary files and directories with automatic cleanup.
rsps_vergen_emboss (10 stars) - A simple macro to emboss vergen-based environment variables into your binary, primarily for rsps support
rosu-noodlers (0 stars) - Noodle changer for osu!mania
wiwi-macro-decl (2 stars) - declarative macros for wiwi, a library, of, Stuff™ (implementation detail; do not depend on this crate directly)
hyper_byte (1 stars) - An unsafe, near-zero cost (1-2 instructions) byte transmuter to numeric types with fast byte reader
dust_sweeper (0 stars) - A Rust tool to identify and remove dust UTXOs in a privacy-preserving way.
mik32v2-pac (0 stars) - Peripheral access crate for the MIK32 Amur microcontrollers
treeclocks (1 stars) - Various Tree Clock data-structures and utilities
fastpool (7 stars) - This crates implements a fast object pool for Async Rust.
guess-target (0 stars) - guess-target
super_snoofer (0 stars) - A fuzzy command finder that suggests similar commands when a typo is made
axum-rh (0 stars) - A helper library for the axum router
lemonlang (3 stars) - an experimental, modern, purely safe, programming language.
konfig-rust-derive (0 stars) - A derive macro for the konfig-rust library, allowing shorthand implementation of the KonfigSection trait
konfig-rust (0 stars) - A library providing a simple way to cnteralized config management in your codebase
forte (18 stars) - A low-overhead thread-pool with support for non-static async closures
doc_for_derive (0 stars) - Derive macro for doc_for
crate.
unicop (2 stars) - Tool for scanning source code for potentially malicious unicode code points. Helps prevent Trojan source bidi attacks, homoglyph attacks, invisible character attacks etc. Intended to run manually or in CI to help with supply chain security.
ruskit_macros (0 stars) - Procedural macros for the Ruskit web framework
language_atlas (0 stars) - This crate provides a macro to generate a language atlas. The Atlas provides functions that return different strings depending on the selected language.
static_bundler (0 stars) - A tool to bundle files into a JSON blob with each key representing a file path and the value being the file content.
tree-sitter-jq (5 stars) - Jq grammar for tree-sitter
yadi_derive (0 stars) - Macros 0.1 implementation of #[derive(Injectable)].
cdn-payroll (0 stars) - Canadian Payroll Library
queries (8 stars) - A library to make managing SQL queries easy
jpgfromraw (4 stars) - A very fast embedded JPEG extractor from RAW files.
cdn-tax (0 stars) - Canadian Tax Library
queries-derive (8 stars) - A library to make managing SQL queries easy
ic-error-types (1617 stars) - Error types of the Internet Computer
serde-metafile (0 stars) - serde-metafile
sib (0 stars) - A high-performance, secure, and cross-platform modules optimized for efficiency, scalability, and reliability.
py-laddu-mpi (2 stars) - Python bindings for laddu (with MPI support)
reyzell-netlink-packet-netfilter (0 stars) - netlink packet types for the netfilter subprotocol
streamies (0 stars) - More features for your streams
auto-diagnostic (0 stars) - AI powered diagnostic tool for AWS
py-rs-macros (1 stars) - derive macro for py-rs
tauri-plugin-deno (4 stars) - A tauri 2 plugin to use javascript code (deno) in the backend.
brk_logger (56 stars) - A clean logger used in the Bitcoin Research Kit
brk_fetcher (56 stars) - A Bitcoin price fetcher
brk_computer (56 stars) - A Bitcoin dataset computer, built on top of brk_indexer
brk_server (56 stars) - A server that serves Bitcoin data and swappable front-ends, built on top of brk_indexer, brk_fetcher and brk_computer
brk (56 stars) - The Bitcoin Research Kit is a suite of tools designed to extract, compute and display data stored on a Bitcoin Core node
akv-cli (0 stars) - The Azure Key Vault CLI can be used to read secrets, pass them securely to other commands, or inject them into configuration files.
mockallet (7 stars) - A command-line wallet interface for interacting with a mockchain network through gRPC.
rdrive-macros (0 stars) - macros for rdrive
azure_security_keyvault_keys (776 stars) - Rust wrappers around Microsoft Azure REST APIs - Azure KeyVault Keys
azure_security_keyvault_secrets (776 stars) - Rust wrappers around Microsoft Azure REST APIs - Azure KeyVault Secrets
aliyun-log-rust-sdk-auth (0 stars) - A crate to calculate signature for http request to Aliyun Log Service.
py-rs (1 stars) - generate python bindings from rust types
rdrive-macro-utils (0 stars) - A dyn driver manager.
tokio-postgres-fork (0 stars) - A native, asynchronous PostgreSQL client
minidx (0 stars) - Simple, compile-time-sized neural networks.
ark-ec-vrfs (13 stars) - Elliptic curve VRF with additional data
minidx-core (0 stars) - Core crate for minidx, a simple + compile-time neural-network library.
solana-storage-utils (8 stars) - Solana storage utils library
module_path_extractor (0 stars) - A Rust procedural macro helper for determining the module path of macro invocations.
jonson (0 stars) - Please add to and return
sos-archive (8 stars) - ZIP archive reader and writer for the Save Our Secrets SDK
gsettings-desktop-schemas-xinux (0 stars) - Rust bindings for gsettings-desktop-schemas
tui-bar-graph (69 stars) - A Ratatui widget for rendering pretty bar graphs in the terminal
perfmode (0 stars) - Fan/Performance Control for ASUS TUF Gaming laptops
diffusionx (0 stars) - A library for random number/stochastic process simulation with high performance.
sos-remote-sync (8 stars) - Sync protocol implementation for the Save Our Secrets SDK.
txtx-addon-network-evm (84 stars) - Primitives for executing EVM runbooks
numerical-multiset (0 stars) - An ordered multiset of machine numbers
as8510 (0 stars) - An async no_std driver for the AS8510 SPI current and voltage sensor
zirv-macros (0 stars) - A collection of useful macros for everyday programming.
surfpool-types (31 stars) - Where you train before surfing Solana
atrium-identity (299 stars) - Resolver library for decentralized identities in atproto using DIDs and handles
sos-server-storage (8 stars) - Server storage for the Save Our Secrets SDK.
sos-integrity (8 stars) - Integrity checks for the Save Our Secrets SDK.
ppmd-sys (5 stars) - PPMd bindings
ppmd-rust (5 stars) - PPMd compression / decompression
sevenz-rust2 (5 stars) - A 7z decompressor/compressor written in pure Rust
sos-client-storage (8 stars) - Client storage for the Save Our Secrets SDK.
fastcrc (1 stars) - fast crc algorithms
sos-login (8 stars) - Login authentication for the Save Our Secrets SDK
sos-sync (8 stars) - Core sync types and traits for the Save Our Secrets SDK
rust-release (8 stars) - Types to model a Rust release
volcengine-rust-sdk (0 stars) - volcengine rust sdk
minidx-vis (0 stars) - Visualization crate for minidx, a simple + compile-time neural-network library.
solana-storage-reader (8 stars) - Solana abstract storage reader library
shute (0 stars) - Abstraction of wgpu for simple compute shader execution
libcrux-blake2 (107 stars) - Formally verified blake2 hash library
libcrux-curve25519 (107 stars) - Formally verified curve25519 ECDH library
eventheader_types (14 stars) - Rust types for eventheader-encoded Linux Tracepoints via user_events
bevy_trenchbroom_macros (36 stars) - TrenchBroom and ericw-tools integration with Bevy
epcmanager (1 stars) - EPC text tool for RFID
sos-database-upgrader (8 stars) - Upgrade from file system to database storage for the Save Our Secrets SDK
sos-security-report (8 stars) - Generate a security report for the Save Our Secrets SDK
solana-storage-writer (8 stars) - Solana abstract storage writer library
tracepoint_decode (14 stars) - Rust API for decoding tracepoints
findfont (12 stars) - find font by file name
tracepoint_perf (14 stars) - Rust API for reading and writing perf.data files
simple-hyper-client-native-tls (4 stars) - TLS connector implementation for simple-hyper-client using tokio-native-tls
titanite (0 stars) - Client/Server Library for Gemini protocol with Titan support
filkoll (4 stars) - Find out what package owns a file
simple-hyper-client-rustls (4 stars) - TLS connector implementation for simple-hyper-client using tokio-rustls
runpod (0 stars) - A Rust client for the RunPod API
solana-hbase-reader (8 stars) - Solana HBase storage reader library
solana-hbase-writer (8 stars) - Solana HBase storage writer library
titanit (0 stars) - File share server for Titan protocol with Gemini frontend
cargo-plumbing (1 stars) - Proposed plumbing commands for cargo
solana-block-decoder (8 stars) - Solana Block Decoder
netstat-rust (0 stars) - Cross Platform netstat-rust program for windows/linux/mac
starnav (0 stars) - A comprehensive navigation system for celestial navigation in Star Citizen
p2ps (0 stars) - Easy to implement security for p2p connections
fortranc (0 stars) - A build-time dependency for Cargo build scripts to assist in invoking the native Fortran compiler to compile native Fortran code into a static archive to be linked into Rust code.
mcp_daemon (25 stars) - Diverged Implementation of Model Context Protocol (MCP) with Extended Functionality
blockdev (0 stars) - A Rust library for parsing and working with lsblk JSON output, providing type-safe block device representation and utilities for Linux
UnifyAll (1 stars) - Unify is a simple build script CLI-tool meant to simplify the compilation of large codebases
protozoa (0 stars) - A scraper for various anime websites
dup-cli (0 stars) - A tool to upload multiple files to a server, support tracking progress
protozoa-cryptography (0 stars) - Cryptography library for Protozoa
libautomotive (1 stars) - A Rust library for automotive systems and protocols
percentum (0 stars) - Percentage type sanity
nerf-dart (0 stars) - A library for converting urls to identifiers
egui_zhcn_fonts (0 stars) - load system zhcn fonts automatically for egui
homie (3 stars) - An interactive coding buddy
libcrux-hacl-rs (107 stars) - Formally verified Rust code extracted from HACL* - helper library
libcrux-macros (107 stars) - Macros needed in libcrux
scrutiny_chain_common (0 stars) - AI-Enhanced Blockchain Security Analysis Platform Common Library
serde-json-assert (0 stars) - Flexible JSON assertions
redgold-cli (44 stars) - Decentralized Portfolio Contracts & Data Lake
libai (0 stars) - AI 开发用到的一些基础数据结构
unicode-matching (0 stars) - Rust library crate to match open/close Unicode graphemes for brackets/quotes
libcrux-sha2 (107 stars) - Formally verified SHA2 hash library
thrashe (0 stars) - A cache performance analytic tool
mamegrep (4 stars) - A TUI tool for $ git grep
to easily edit search patterns and view results
tiny-ver (0 stars) - tiny version parser
readr (0 stars) - File reader
scrutiny_chain_blockchain_core (0 stars) - AI-Enhanced Blockchain Security Analysis Platform Core Blockchain Functionality
gtranslate (0 stars) - Rust bindings for Google Translations
libcrux-traits (107 stars) - Traits for cryptographic algorithms
cerebrust (0 stars) - Cerebrust is a simple, easy-to-use library for working with NeuroSky devices under Rust.
feather-macro (39 stars) - Helper macros for Feather UI library
ll-sparql-parser (1 stars) - A resilient LL parser for SPARQL
codetypo (0 stars) - Source Code Spelling Correction
libcrux-poly1305 (107 stars) - Formally verified Poly1305 MAC library
hodor (56 stars) - Hold the door, an exit blocker built on top of ctrlc
libcrux-ecdsa (107 stars) - Formally verified ECDSA signature library
ntdb_unwrap-cli (2 stars) - CLI tool for decrypt/decoded NTQQ database files.
coverme (0 stars) - A tool to analyze local code repositories for test coverage
libcrux-chacha20poly1305 (107 stars) - Formally verified ChaCha20-Poly1305 AEAD library
equality_across_groups (99 stars) - Protocols for proving equality of committed values across groups and correctness of elliptic curve point addition and scalar multiplication
libcrux-p256 (107 stars) - Formally verified P-256 implementation
codetypo-dict (0 stars) - Source Code Spelling Correction
bf_playground (1 stars) - A interpreter and Rust libary for brainf**k
epub2mdbook (0 stars) - A tool to convert EPUB files to MDBook format
kand (70 stars) - Kand: A Pure Rust technical analysis library inspired by TA-Lib.
azure_ai_anomalydetector (776 stars) - This is the Microsoft Azure Cognitive Services Anomaly Detector client library
libcrux-rsa (107 stars) - Formally verified RSA signature library
arh-macros (0 stars) - Macros for axum-router-helper
memsafe (63 stars) - A Secure cross-platform Rust library for securely wrapping data in memory
pq2xl (0 stars) - A simple command line tool for converting parquet files to xlsx or csv
azure_ai_contentsafety (776 stars) - This is the ContentSafety client library for developing .NET applications with rich experience.
azure_ai_documentintelligence (776 stars) - This is the Azure.AI.DocumentIntelligence client library for developing .NET applications with rich experience.
azure_ai_formrecognizer (776 stars) - This is the Microsoft Azure Cognitive Services Form Recognizer client library
azure_ai_inference (776 stars) - This is the Microsoft Azure AI Inference Service client library
cryprot-core (5 stars) - Core primitives for cryptographic protocol implementations.
cryprot-pprf (5 stars) - Implementation of a distributed PPRF for Silent OT
libcrux-ed25519 (107 stars) - Formally verified ed25519 signature library
azure_ai_language_text (776 stars) - This is the Text client library for developing .NET applications with rich experience.
verifysign (0 stars) - A rust cargo used to verify digital code signature on files.
libcrux-psq (107 stars) - Libcrux Pre-Shared post-Quantum key establishement protocol
azure_ai_language_conversations (776 stars) - This is the client library for the Conversations service, a cloud-based conversational AI service that applies custom machine-learning intelligence to a user's conversational, natural language text to predict overall meaning, and pull out relevant, detailed information.
azure_ai_language_conversations_authoring (776 stars) - This is the Authoring client library for developing .NET applications with rich experience.
azure_ai_language_questionanswering (776 stars) - This is the client library for the Question Answering service, a cloud-based Natural Language Processing (NLP) service that allows you to create a natural conversational layer over your data. It is used to find the most appropriate answer for any input from your custom knowledge base (KB) of information.
realhydroper-smodel-proc (0 stars) - Semantic modeling for Rust: procedural macros.
azure_ai_language_text_authoring (776 stars) - This is the Authoring client library for developing .NET applications with rich experience.
realhydroper-lateformat (0 stars) - Late formatting of string parameters
realhydroper-smodel (0 stars) - Semantic modeling for Rust.
azure_ai_openai_assistants (776 stars) - Azure's official .NET library for OpenAI assistants. Works with Azure OpenAI resources as well as the non-Azure OpenAI endpoint.
azure_ai_metricsadvisor (776 stars) - This is the Microsoft Azure Cognitive Services Metrics Advisor client library
azure_ai_openai (776 stars) - Azure OpenAI's official extension package for using OpenAI's .NET library with the Azure OpenAI Service.
azure_ai_personalizer (776 stars) - This is the Azure Personalizer client library for developing .NET applications.
dialoguer-ext (0 stars) - A fork of dialoguer: A command line prompting library.
azure_ai_projects (776 stars) - This is the Azure.AI.Projects client library for developing .NET applications with rich experience.
linker-layout (1875 stars) - Data structures for storing linker layout information
azure_ai_textanalytics (776 stars) - Azure Cognitive Services Text Analytics is a cloud service that provides advanced natural language processing over raw text, and features like Language Detection, Sentiment Analysis, Key Phrase Extraction, Named Entity Recognition, Personally Identifiable Information (PII) Recognition, Linked Entity Recognition, Text Analytics for Health, and more.
azure_ai_translation_document (776 stars) - Translator is a cloud-based machine translation service and is part of the Azure Cognitive Services family of cognitive APIs used to build intelligent apps. Translator is easy to integrate in your applications, websites, tools, and solutions. It allows you to add multi-language user experiences in 90 languages and dialects. And it can be used on any hardware platform with any operating system for text translation.
azure_ai_translation_text (776 stars) - This is the Text Translation client library for developing .NET applications with rich experience.
azure_ai_vision_face (776 stars) - This is the Azure.AI.Vision.Face client library for developing .NET applications with rich experience.
rupper (0 stars) - A mod of driver-level keyboard simulation for Windows 7 and higher.
torii-core (362 stars) - Core functionality for the torii authentication ecosystem
winprocinfo (0 stars) - Obtain information about processes and threads in a Windows system using the Windows API.
tauri-plugin-ios-network-detect (0 stars) - A plugin that detects iOS network permission status and automatically displays an authorization.
linker-utils (1875 stars) - Code shared by libwild and linker-diff
torii-storage-sqlite (362 stars) - SQLite storage backend for the torii authentication ecosystem
repl-ng (0 stars) - Library to generate a REPL for your application
linker-trace (1875 stars) - Data structures for storing trace outputs from the Wild linker
linker-diff (1875 stars) - Diffs and validates ELF binaries
libwild (1875 stars) - A library that provides a fast Linux linker
wild-linker (1875 stars) - A very fast linker for Linux
bevy_gamepad (3 stars) - Apple Game Controller Framework Integration plugin for Bevy
crypto-paillier (0 stars) - TBD
iso9660_simple (1 stars) - ISO9660 reading library (WIP)
fluent4rs (1 stars) - Parser / codec for Fluent FTL files, written for lingora (a localization management program), and may be found to be useful outside of that context.
It is not intended to replace any aspects of the fluent-rs crate implemented by Project Fluent, and, for the majority of language translation needs, the reader is referred back to that crate.
token-source (0 stars) - High level API for token source providers.
megatec-ups-control (1 stars) - Library for handling uninterruptible power supplies (UPS) according to the Megatec protocol
we_clap (0 stars) - Web Enabled Command Line Argument Parser
basalt-widgets (2 stars) - Provides the custom ratatui widgets for Basalt TUI application
test-try-macros (0 stars) - An alternative to Rust's #[test]
macro for writing unit tests.
test-try (0 stars) - An alternative to Rust's #[test]
macro for writing unit tests.
doless (0 stars) - A Rust macro to simplify struct mapping and function utilities.
fcm-service (0 stars) - A Rust library for sending Firebase Cloud Messaging (FCM) notifications
axom (0 stars) - Axon is a Rust-based library designed to provide a unified interface for connecting with various Large Language Models (LLMs) and other AI-powered applications.
xasm-rs (0 stars) - A rust crate for generating linux 32/64 bit assembly easily
pyropy_lassie (0 stars) - A Rust wrapper for Lassie - a minimal universal retrieval client library for IPFS and Filecoin
vexide-motorgroup (0 stars) - Motor groups for vexide in userland.
databend_educe (140 stars) - This crate offers procedural macros designed to facilitate the swift implementation of Rust's built-in traits, temporarily used in databend
enum-table-derive (2 stars) - Derive macro for enum-table.
enum-table (2 stars) - A library for creating tables with enums as key.
lang-types (0 stars) - A Language enum for programming language identification and file extension mapping.
bufferino (0 stars) - Rusty wrapper around gbm
dexter-storage-proto (8 stars) - Dexter Solana Storage Protobuf Definitions
dawgdic (1 stars) - Port of DAFSA in safe Rust (original implementation courtesy to Susumu Yata)
actman (0 stars) - Async Actor Model Library in Rust
whale (3 stars) - A lock-free, dependency-tracking primitive for incremental computation.
scost (1 stars) - A simple command line tool to manage objects with same names across multiple buckets (for Tencent Cloud COS only).
cryprot-net (5 stars) - Networking library for cryptographic protocols built on QUIC.
state-department (2 stars) - An implementation of state management and dependency injection in Rust
udpexposer (1 stars) - Command line tool to help exposing UDP ports behind NATs using helper servers
terrazzo-fixture (0 stars) - Test utils to initialize resources that can be shared by multiple tests running in parallel.
lumina-node-uniffi (135 stars) - Mobile bindings for Lumina node
shinchina (122 stars) - tester
top_level_crate (122 stars) - level
partial-idl-parser (11 stars) - A simple parser for anchor IDL without importing anchor types or causing build panics for WASM targets.
brk_core (56 stars) - The Core (Structs and Errors) of the Bitcoin Research Kit
salsa-macro-rules (2234 stars) - Declarative macros for the salsa crate
deadpool-ldap3 (0 stars) - Dead simple async pool for ldap
jenkins-sdk (0 stars) - 📦 Jenkins API SDK written in Rust
hellman-output (0 stars) - A format of outputting.
sqlx-d1-core (14 stars) - core implementation for sqlx-d1 - SQLx for Cloudflare D1
include_folder (1 stars) - Proc macro for recrsively including all files in a folder as fields on a struct.
sqlx-d1-macros (14 stars) - proc macros for sqlx-d1 - SQLx for Cloudflare D1
sqlx-d1 (14 stars) - SQLx for Cloudflare D1
iop (70 stars) - IOP for Bonsol
check-commits-email (0 stars) - Git commit email validator --- Validate git commit emails against wildcard rules
p-chan (2 stars) - Multimedia (Audio, Raster) Channel Newtypes and Conversions
chessnut (1 stars) - Rust driver for Chessnut electronic chess boards
ccode_runner (11 stars) - Run/compiles files and executes them efficiently
dinvk (13 stars) - Dynamically invoke arbitrary code and use various tricks written idiomatically in Rust (Dinvoke)
liveserve-rs (1 stars) - Fast and lightweight development server with automatic file reloading. It serves static files and supports WebSockets for file change notifications, making it ideal for web development.
yellowstone-fumarole-client (13 stars) - Yellowstone Fumarole Client
clex_gen (11 stars) - A generator for clex language
clex_llm (11 stars) - Generates clex from input format and constraints in natural language using LLM.
alphabet-encoding (0 stars) - A way of encoding text
iris (4 stars) - An image editor written from scratch (as close as possible).
rand_sfc (0 stars) - Chris Doty-Humphrey's SFC PRNGs
snowid (0 stars) - A Rust library for generating SnowID - a Snowflake-like timestamp-based distributed unique identifier
snake_game_cli (0 stars) - snake game build in rust with crossterm
nrtm4-validator (0 stars) - A validator for draft-ietf-grow-nrtm-v4
ms5611-i2c (0 stars) - no_std Library for the MS5611 barometric pressure sensor only for I2C with embassy
wager (0 stars) - Primitive types and functionality for betting odds
safe-mmio (0 stars) - Types for safe MMIO device access, especially in systems with an MMU.
btdt-cli (0 stars) - "been there, done that" - a tool for flexible CI caching
baryonyx (0 stars) - A web framework inspired by Phoenix.
btdt (0 stars) - "been there, done that" - a tool for flexible CI caching
refilelabs-image (8 stars) - Wasm-based image processing library developed by re;file labs
xy-rpc (1 stars) - An RPC framework for Rust
cargo-toml-parser (0 stars) - Small crate to parse a Cargo.toml file to read dependencies versions
xy-rpc-macro (1 stars) - An RPC framework for Rust
bytebeat-cli (0 stars) - An LLVM-powered program to JIT-compile bytebeats and play them through your speaker.
exif_renamer (0 stars) - Rename photos in given directory to their EXIF DateTimeOriginal, and viceversa. Defaults to YYYYMMDD_hh24mmss format.
ame_bus_macros (1 stars) - proc-macro for ame-bus
predict-rs (0 stars) - A rust port of the libpredict satellite orbit prediction library
feather (10 stars) - Feather: A minimal HTTP framework for Rust
hephae-macros (0 stars) - Common utilities for Hephae's macros.
bytebeat-rs (0 stars) - Library crate for bytebeat binary
refinement-types (1 stars) - Refinement types.
sort-const (3 stars) - Sort arrays and slices in const contexts.
small-router (1 stars) - A simple and small router for the small-http library
hephae-render-derive (0 stars) - Proc-macro derives for Hephae's core rendering module
sea (7 stars) - The SEA Language
string-hash-interner (0 stars) - Efficient string interner with minimal memory footprint and fast access to the underlying strings.
hephae-ui (0 stars) - Hephae's UI module, powered by Taffy.
ubx2rinex (0 stars) - U-Blox to RINEX deserializer
async-duplex-channel (0 stars) - An asynchronous duplex communication channel between multiple clients and a single responder in different asynchronous blocks.
voyageai (0 stars) - Unofficial Voyage AI SDK for Rust
windows-kits (0 stars) - Rust helper crate to automatically find installations of the Windows SDK
batlert (0 stars) - A GTK popup for linux, to indicate critical battery level
himmelblau_red_asn1 (0 stars) - A little library to encode/decode ASN1 DER
himmelblau_red_asn1_derive (0 stars) - macros for red_asn1
bonsol-anchor-interface (70 stars) - Anchor Interface definitions for Bonsol
mdbook-tera-backend (157 stars) - Plugin to extend mdbook with Tera templates and custom HTML components.
d2c-rs (1 stars) - Update Cloudflare DNS 'A' records with your public IP.
roxmltree_to_serde (1 stars) - Convert between XML JSON using roxmltree and serde
arcjet-gravity (23 stars) - Gravity is a host generator for WebAssembly Components. It currently targets Wazero, a zero dependency WebAssembly runtime for Go.
prompt-color-tool (0 stars) - A tool for generating terminal prompt colors based on machine hostname
wgpu_shader_checker (0 stars) - Macro for checking wgsl shaders at compile time
uf (0 stars) - Minimalistic file opener
middle (0 stars) - Client Authorization Middleware for APIs secured via OAuth2 or Bearer Tokens. Tonic & reqwest integration. Based on the oauth2
crate.
bevy_webview_core (20 stars) - Provides webview's core logic for bevy_webview_projects
runpod-client (0 stars) - A Rust client for the RunPod API
rusty-hkt (0 stars) - Higher-kinded types for Rust
rxegy (0 stars) - Unofficial Exegy XCAPI in Rust
realhydroper-path (0 stars) - Work with flexible file paths
less (0 stars) - A simple pager utility for displaying file contents or piped input, with dynamic scrolling and search functionality
genotype_lsp (6 stars) - Genotype language LSP server
tree-sitter-pascal (42 stars) - Pascal grammar for the tree-sitter parsing library
vinculum (0 stars) - Implementation of Lock-Free Deduplication in Rust
code-snip (0 stars) - A CLI tool to create images from code snippets.
wesl (16 stars) - The WESL rust compiler
wesl-macros (16 stars) - Macros for the WESL rust compiler
ssstretch (0 stars) - Rust bindings for the Signalsmith Stretch time-stretching and pitch-shifting library
jsonrpc-ws (0 stars) - JSON-RPC 2.0 websocket client & server implementation.
aws-cognito-srp (1 stars) - A Rust implementation of the Secure Remote Password (SRP) protocol for AWS Cognito.
wesl-cli (16 stars) - Various tools to parse, verify, evaluate and modify wgsl shader source.
tasty (0 stars) - A CLI that runs API tests defined and grouped in TOML files.
rhiza (15 stars) - A windows shortcut creator / app launcher
togglog (0 stars) - A compile-time toggle wrapper for the log crate
ts_export_derive (0 stars) - TypeScript export derive macros for the Ruskit web framework
rustavel_derive (0 stars) - Derive macros for the Ruskit web framework
uniffi-build-alicorn (6 stars) - An Alicorn bindings generator for Rust using UniFFI (build script helpers)
uniffi-alicorn (6 stars) - An Alicorn bindings generator for Rust using UniFFI
ruskit (0 stars) - A modern web framework for Rust inspired by Laravel
dir_tools (0 stars) - Набор инструментов для работы с директориями
httpbin-rs (1 stars) - 使用 Rust 实现 httpbin
kona-registry (173 stars) - A registry of superchain configs
lazyhttp (0 stars) - A simple HTTP library to handle common stream objects (TcpStream, TlsStream, etc) sending HTTP data. This library is very simple and is intended to make reading raw HTTP less repetitive, and as such it does not handle responding or networking.
uniffi-bindgen-alicorn (6 stars) - An Alicorn bindings generator for Rust using UniFFI (codegen and CLI tooling)
slapy (0 stars) - A much faster scapy
uniffi-macros-alicorn (6 stars) - An Alicorn bindings generator for Rust (convenience macros)
alicorn (6 stars) - Rust embedding of the Alicorn compiler
zellij_rs (16 stars) - Support for zesh
volcengine-rs (0 stars) - Volcengine API SDK
zox_rs (16 stars) - Support for zesh
flexcell (0 stars) - A dynamic borrow container allowing temporary replacement of internal references.
feather-ui (39 stars) - Feather UI library
huffc (0 stars) - A CLI tool for Huffman compression and decompression
fedimint-eventlog (594 stars) - fedimint-eventlog provides a eventlog handling primitives for Fedimint.
trail-sense-sol (0 stars) - A Rust library for science and math in the real world.
lintspec (7 stars) - A blazingly fast linter for NatSpec comments in Solidity code
toj (1 stars) - Model generation tool for JSON files
offline_first_core (1 stars) - This library is designed as a fast-to-compile core, intended to be used as a foundational library for projects like Flutter, native channels, etc.
fedimint-lightning (594 stars) - fedimint-lightning handle the gateway's interaction with the lightning node
cliw (0 stars) - Command Line In Web
sgh (0 stars) - A TUI tool for ssh
ichika-macros (4 stars) - A helper library for automatically constructing a thread pool that communicates via message pipes.
ichika (4 stars) - A helper library for automatically constructing a thread pool that communicates via message pipes.
cryprot-ot (5 stars) - Implementation of a Oblivious Transfer extension protocols.
carbon-moonshot-decoder (167 stars) - Moonshot Decoder
qrforge (0 stars) - A QR code generator written in Rust
dompa (4 stars) - A lightweight, zero-dependency HTML5 document parser.
adjust_macro (0 stars) - adjust-rs macros
aggligator-transport-webusb (159 stars) - Aggligator transport: WebUSB for targeting WebAssembly
maelstrom-github (643 stars) - Client code for communicating with GitHub APIs
inline-option (5 stars) - A memory-efficient alternative to Option that uses a pre-defined value to represent None.
buddy-up-lib (0 stars) - The brains behind the buddy-up crate.
dynrsaur (0 stars) - Utilities for working with type-erasure/dynamic-types in Rust.
tauri-plugin-keystore (1 stars) - Interact with the device-native key storage (Android Keystore, iOS Keychain).
code2prompt_core (4982 stars) - A command-line (CLI) tool to generate an LLM prompt from codebases of any size, fast.
mini-loader (32 stars) - The mini-loader is capable of loading and executing ELF files, including Executable file and Position-Independent Executable file
libtree (0 stars) - a crate for general or game tree
markdown-it-table-of-contents (1 stars) - Creates a table of contents in Markdown documents.
str0m-wincrypto (385 stars) - Supporting crate for str0m
markdown-it-latex (1 stars) - Allows for the insertion of math in Markdown documents using LaTeX.
markdown-it-footnotes (1 stars) - Creates footnotes and lists of footnotes in Markdown documents.
count_exts (0 stars) - A command-line utility that counts file extensions from stdin input, providing sorted statistics of file types in a directory
mimee (2 stars) - A simple crate for detection of a file's MIME type by its extension.
hadris-cli (0 stars) - A command-line interface for Hadris
rplcs_events (0 stars) - A Rust library for managing events hosted by RPLCS.
sealed_trait (0 stars) - A utility for making sealed traits more accessible
hessra-macros (0 stars) - Hessra authorization service macros for Rust
kmao_decrypt (3 stars) - QiMao Novel encrypt file dump.
rustack (0 stars) - A stack implementation in Rust.
ra-ap-rustc_hashes (101804 stars) - Automatically published version of the package rustc_hashes
in the rust-lang/rust repository from commit 1c3b035542775e9a5decc93167d351b062942d32
The publishing script for this crate lives at: https://github.com/rust-analyzer/rustc-auto-publish
adguard-tui (1 stars) - Terminal-based, real-time traffic monitoring and statistics for your AdGuard Home instance
hpl-noop (3817 stars) - Honeycomb Fork of Solana Program Library No-op Program
kmao_decrypt_bin (3 stars) - QiMao Novel encrypt file dump.
credibil-vc (4 stars) - OpenID for Verifiable Credential Issuance and Verifiable Presentation
hpl-account-compression (3817 stars) - Honeycomb Fork of Solana Program Library Account Compression Program
chik-sdk-types (0 stars) - Standard Chik types for things such as puzzle info and conditions.
chik-sdk-driver (0 stars) - Driver code for interacting with standard puzzles on the Chik blockchain.
toroid (1 stars) - Toroid is a no_std ASCII renderer made to show donuts. This library animates 3D ASCII donuts, perfect for demos, embedded systems, or just for fun.
erfars (0 stars) - Safe Rust bindings to the Essential Routines for Fundamental Astronomy (ERFA) C library.
pinkie (12 stars) - (Almost) compile-time scoped CSS-in-Rust
yamori (2 stars) - A test runner and visualizer for command-line applications
lbasedb (0 stars) - Low level DBMS in Rust focusing on datasets.
lookupvec_derive (0 stars) - Derive macro for LookupVec items
pinkie-parser (12 stars) - Internal crate. Please use 'pinkie' instead.
lib-imdb-id (0 stars) - A basic library for getting IMDB id's from a movie title
flmacro (9 stars) - Macros for fledger
chik-sdk-utils (0 stars) - General utilities for the chik-wallet-sdk.
z39 (9 stars) - Z39.50 Types and ASN.1 Messages
jira-api-v2 (5 stars) - Jira Cloud platform REST API
ntdb_unwrap (2 stars) - Decrypt/decoded NTQQ database files.
mountain-mqtt (0 stars) - A no_std compatible, async MQTT v5 client for tokio and embedded use
pinkie-macros (12 stars) - Internal crate. Please use 'pinkie' instead.
bmm (50 stars) - bmm lets you get to your bookmarks in a flash
tthresh-sys (0 stars) - Low-level Rust bindings to the tthresh compressor
mind_sdk_util (0 stars) - Mind Network Rust SDK
carbon-prometheus-metrics (167 stars) - Prometheus Metrics
cryprot-codes (5 stars) - Linear codes for Silent OT.
rust_paystack (4 stars) - A Rust library for interacting with the Paystack API
rsql_driver_avro (217 stars) - rsql avro driver
substrate-txtesttool (1 stars) - A library and CLI tool for sending transactions to substrate-based chains, enabling developers to test and monitor transaction scenarios.
brk_indexer (56 stars) - A Bitcoin Core indexer built on top of brk_parser
rsql_driver_csv (217 stars) - rsql csv driver
rsql_driver_postgres (217 stars) - rsql postgres driver
realhydroper-utf16 (0 stars) - Work with UTF-16 in Rust
zarrs_plugin (132 stars) - The plugin API for the zarrs crate
brk_exit (56 stars) - An exit blocker built on top of ctrlc
libatk-derive (1 stars) - Macro implementation for #[derive(CommandDescriptor)]
easy-trie (0 stars) - A simple trie implementation in Rust
airlab-web (0 stars) - airlab backend
numcodecs-tthresh (3 stars) - tthresh codec implementation for the numcodecs API
rsql_driver_excel (217 stars) - rsql excel driver
rsql_driver_redshift (217 stars) - rsql redshift driver
scoped-writer (0 stars) - Scoped writer utility
libatk-rs (1 stars) - Rust library that implements the Atk devices protocol.
rsql_driver_json (217 stars) - rsql json driver
rsql_driver_jsonl (217 stars) - rsql jsonl driver
rsql_driver_rusqlite (217 stars) - rsql rusqlite driver
graphina (47 stars) - A graph data science library for Rust
poly-ring-xnp1 (0 stars) - Polynomial ring Z[x]/(x^n+1) for lattice-based cryptography
redlock_batched (0 stars) - Creating, updating and deleting redis locks (Redlock) in batches
flcrypto (9 stars) - Cryptographic package for different algorithms
mind_sdk_config (0 stars) - Mind Network Rust SDK
rsql_driver_ods (217 stars) - rsql ods driver
rsql_driver_parquet (217 stars) - rsql parquet driver
testutils (0 stars) - Offers a range of utility functions, macros, and tools, such as simple_benchmark()
and dbg_ref!()
, os_cmd::Runner
, designed for testing purposes.
tilepad-plugin-sdk (0 stars) - Plugin SDK for tilepad
mind_sdk_cli (0 stars) - Mind Network Rust SDK
realhydroper-sourcetext (0 stars) - Source text containing line locations.
rsql_driver_tsv (217 stars) - rsql tsv driver
rsql_driver_xml (217 stars) - rsql xml driver
rexml (1 stars) - A pure rust xml implementation, based-on event stream api.
mind_sdk_lb (0 stars) - Mind Network Rust SDK
rsql_driver_yaml (217 stars) - rsql yaml driver
rdd (0 stars) - simple library to interact with dd
tool
google-scholar-query (2 stars) - The unofficial Google Scholar API
google-scholar-rss-feed (2 stars) - Generates an RSS feed from a user's scientific publications, parses data from Google Scholar.
risc-y (0 stars) - RISC-V Emulator
tesohh-bricks (0 stars) - build system and package manager for C/C++
solana_fender (0 stars) - Static analysis tool for Solana smart contracts
eval-macro (446 stars) - A powerful yet easy-to-use Rust macro that generates code by evaluating inline Rust logic at compile time.
mcp-types (1 stars) - Generated bindings from the Model Context Protocol (MCP) JSON Schema(s)
pcap-file-gsg (0 stars) - A crate to parse, read and write Pcap and PcapNg
pino-rs (5 stars) - simple pretty minimal notification app for Unix (x11 only)
arm-dcc (9 stars) - Debug Communication Channel (DCC) API
carbon-drift-v2-decoder (167 stars) - Drift v2 Decoder
panic-dcc (9 stars) - Report panic messages to the host using the Debug Communication Channel (DCC)
bmi2 (4 stars) - embedded-hal driver for the bmi270/260 IMU
lum_service (0 stars) - lum framework's service library
carbon-fluxbeam-decoder (167 stars) - Fluxbeam Decoder
kona-rpc (173 stars) - Optimism RPC Types and API
dumpcode (0 stars) - A utility that dumps project files in an LLM-friendly format
pino-rs-wl (5 stars) - simple pretty minimal notification app for Unix (wayland only)
carbon-phoenix-v1-decoder (167 stars) - Phoenix V1 Decoder
try_reserve (0 stars) - Stable implementation of the TryReserveError from std for custom collections
messpack-serde (0 stars) - Serde bindings for RMP
carbon-name-service-decoder (167 stars) - Name Service Decoder
tinytable (2 stars) - A tiny text table drawing library
binky-macro (0 stars) - Macro for the Binky generator.
binky (0 stars) - Generator for chik-wallet-sdk bindings.
chik-sdk-coinset (0 stars) - Utilities for connecting to Chik full node peers via the light wallet protocol.
bobby (2 stars) - A minimal web framework.
trafix (1 stars) - Implementation of FIX - Financial Information eXchange protocol.
leptos_transition_group (1 stars) - Used to create transitions and animations based on state changes
mind_sdk_web (0 stars) - Mind Network Rust SDK
axboe-liburing (4 stars) - A Rust transliteration of axboe's liburing
llm-context-gen (0 stars) - A CLI tool to generate text files from source code for LLM context
chik-sdk-bindings (0 stars) - Underlying implementation of chik-wallet-sdk bindings.
anchors_aweigh (1 stars) - versatile include tag preprocessor for mdbook
mdbook-anchors-aweigh (1 stars) - versatile include tag preprocessor for mdbook
robot_behavior (0 stars) - a library for robot common behavior
esp-app-format (0 stars) - esp-app-format is a Rust binding to esp-idf/bootloader_support, it does not require specific target or RTOS.
ollama-native (6 stars) - A minimalist Ollama Rust SDK that provides the most basic functionality for interacting with Ollama
carbon-raydium-cpmm-decoder (167 stars) - Raydium CPMM Decoder
wholock (0 stars) -
A rust crate helps you to find out who's locking your file on windows
sublime-color-scheme (0 stars) - Parse Sublime Text color schemes to Syntect Themes
gainforge (1 stars) - HDR tonemapping library
carbon-token-2022-decoder (167 stars) - Carbon Token 2022 Decoder
rron (0 stars) - Rust scheduler with either crontab or human readable duration
yatis (0 stars) - Yet Another T-bank Investment Sdk
carbon-stabble-weighted-swap-decoder (167 stars) - Stabble Weighted Swap Decoder
carbon-stabble-stable-swap-decoder (167 stars) - Stabble Stable Swap decoder
fast_whitespace_collapse (0 stars) - Collapse consecutive spaces and tabs into a single space using SIMD
claude-client (0 stars) - A Rust client for the Anthropic Claude API
pino-dbus (5 stars) - Dbus Server for Pino-rs (Pixel notificatoin)
hide_console (1 stars) - A library for hiding console windows in Rust applications
filename-refactor (0 stars) - Command to refactor file names
mind_sdk_fcn (0 stars) - Mind Network Rust SDK
fmc_client_api (18 stars) - Library for creating fmc client plugins
shaddup (0 stars) - Suppress stdout and stderr of the current program. Works on Unix
greyjack (0 stars) - Rust version of GreyJack Solver for constraint continuous, integer, mixed integer optimization problems
objc2-accessory-setup-kit (481 stars) - Reserved crate name for objc2 bindings to the AccessorySetupKit framework
mind_sdk_randgen (0 stars) - Mind Network Rust SDK
open-feature-flagd (7 stars) - The official flagd provider for OpenFeature.
insecure-time (447 stars) - Insecure time computation based on rdtsc.
oppenheimer (1 stars) - Hierarchical listboards for your terminal
rust_ev_verifier_application_lib (0 stars) - Library for common elements to implement an application using the crate rust_ev_verifier_lib
yeller (1 stars) - The best programming language ever.
sovran-typemap (0 stars) - A thread-safe heterogeneous container with type-safety
kona-nexus (173 stars) - Kona Networking Component Runner
opslag (2 stars) - Sans-IO no_std mDNS library
gmsol-utils (3 stars) - GMX-Solana is an extension of GMX on the Solana blockchain.
gmsol-model (3 stars) - GMX-Solana is an extension of GMX on the Solana blockchain.
laura_core (1 stars) - A fast and efficient move generator for chess engines.
googleapis-tonic-google-ads-googleads-v19-enums (3 stars) - A Google APIs client library generated by tonic-build
googleapis-tonic-google-ads-googleads-v19-common (3 stars) - A Google APIs client library generated by tonic-build
googleapis-tonic-google-ads-googleads-v19-errors (3 stars) - A Google APIs client library generated by tonic-build
scorch (1 stars) - A straightforward and customizable neural network crate, built for machine learning tasks.
vbsp-common (12 stars) - Common types and helpers for valve bsp files.
natrix_macros (3 stars) - Macros for natrix
natrix (3 stars) - Rust-First frontend framework.
serde_ssml (0 stars) - A robust Rust library for parsing, manipulating, and generating Speech Synthesis Markup Language (SSML) documents.
googleapis-tonic-google-ads-googleads-v19-resources (3 stars) - A Google APIs client library generated by tonic-build
waaa (1 stars) - WebAssembly, Abstracted Away
googleapis-tonic-google-ads-googleads-v19-services (3 stars) - A Google APIs client library generated by tonic-build
ming-wm-lib (3 stars) - library for building windows for ming-wm in rust
rabit (1 stars) - A CLI tool to track your habits.
mind_sdk_fhe (0 stars) - Mind Network Rust SDK
rutile_colcon (0 stars) - Simple rutile colcon generator
commonware-flood (182 stars) - Spam peers deployed to AWS EC2 with random messages.
mind_sdk_io (0 stars) - Mind Network Rust SDK
nfs3_client (2 stars) - Provides an implementation of NFS3 client
lichtspiel (0 stars) - Implementation of a ray tracer
rust-eigenda-client (1 stars) - EigenDA Client
brk_parser (56 stars) - A very fast Bitcoin Core block parser and iterator built on top of bitcoin-rust
changelog-md (0 stars) - Developer-friendly Changelog generation
tray-tui (53 stars) - System tray in your terminal
jetkvm_control (2 stars) - A control client for JetKVM over WebRTC.
autons (0 stars) - Autonomous selection & routing library for vexide.
stellar_wallet (1 stars) - This project is a Rust library for interacting with the Stellar network, offering essential functionalities for developers looking to integrate XLM operations into their applications.
ggsdk (0 stars) - A crate that exports several types related to game development
data-guardian (1 stars) - System service for monitoring and optimizing app data usage
rumdl (0 stars) - A fast Markdown linter written in Rust (Ru(st) MarkDown Linter)
mind_sdk_chain (0 stars) - Mind Network Rust SDK
huawei-cloud-api-definitions-SMNGLOBAL (2 stars) - Huawei Cloud API definitions, generated from OpenAPI spec
proteogenomics (0 stars) - protein genomics analyzers
expression_core (0 stars) - Core functionality for mathematical expression parsing
trustmebro (2 stars) - A Rust macro that magically turns unsafe code into ‘totally safe, bro’ with no consequences. Ideal for those who want to assert dominance over the compiler and live on the edge of catastrophe.
expression_macro (0 stars) - Procedural macros for compile-time mathematical expression parsing
expression_parser_sympy (0 stars) - High-level API for mathematical expression parsing and evaluation
askama-derive-axum (1 stars) - Derive macro for Askama templates with Axum integration. Replacement for future deprecation of askama_axum crate.
shady (14 stars) - A shadertoy-like library to be able to easily integrate shadertoy-like stuff in your applications.
decimal64 (0 stars) - TBC
deepinfra-client-rs (0 stars) - A Rust client for the Deepinfra API
oneiromancer (3 stars) - Reverse engineering assistant that uses a locally running LLM to aid with source code analysis.
vnpyrs-chart (2 stars) - A chart window for both vnpyrs and vnpy
freeze (0 stars) - A mmap-backed bump allocator that allows compact and zero-realloc mutability of the top vector.
move (3 stars) - Move is a budget planning application that will manage the budget based on different categories like (grocery, gadgets, etc).
pololu_tic (3 stars) - An embedded-hal driver to control the Tic series of stepper motor controllers created by Pololu. "
facere-cli (0 stars) - A simple CLI for managing todo tasks
mind_sdk_deepseek (221 stars) - Mind Network Rust SDK
cmdparsing (0 stars) - adds a macro to parse arguments
vizoxide (1 stars) - Vizoxide is a high-level Rust wrapper for Graphviz that provides an idiomatic, builder-pattern interface for creating, styling, laying out, and rendering complex graphs in various output formats.
cargo-group-imports (1 stars) - Group imports in Rust workspaces
zorpsh (0 stars) - ZorpShell is a shell that is designed to be a drop-in replacement for Zsh.
lsp_doc_stable (0 stars) - Embed markdown/text files into Rust documentation attributes for LSP hover/preview
asninfo (1 stars) - A utility tool to export ASN information to JSON files.
checkalot (0 stars) - Run a series of check commands on a repository (e.g. fmt/clippy/machete/deny)
cgroups-explorer (0 stars) - A crate to explore cgroups and gather metrics
recursive_matching (0 stars) - Formulating unique assignments recursively.
scopedb-client (7 stars) - ScopeDB client for Rust
lookupvec (0 stars) - Container with Vec-like properties that also offers O(1) lookup of items based on an id field
cargo-depot (1 stars) - Alternative cargo registry with improved support for git/path dependencies
paperless_ngx_api (0 stars) - A library for interacting with Paperless-ngx
squashfs-async (1 stars) - Parsing and reading of SquashFS archives, on top of any implementor of the tokio::io::AsyncRead and tokio::io::AsyncSeek traits.
fuser-async (1 stars) - Build FUSE filesystems where the system calls are directed to async functions. With an example S3 implementation.
png-achunk (0 stars) - Encode and decode custom binary chunks in PNG images
yane (2 stars) - An N.E.S. emulator and emulation library.
cargo-workspace-unused-pub (30 stars) - Detect unused pub methods in a Rust workspace
rpsp (2 stars) - Simple, small, but extensible platform support package for RP2040 devices.
alpha-micrograd-rust (0 stars) - Expression tree, automatic gradients, neural networks, layers and perceptrons.
tikv-jemalloc-sys2 (0 stars) - Rust FFI bindings to jemalloc
snowv (1 stars) - The SNOW-V stream cipher
suru (0 stars) - A modern replacement for make
passworth (0 stars) - Protocol shared datatypes for Passworth
async-openai-macros (1320 stars) - Macros for async-openai
wiztree-metafile (0 stars) - wiztree-metafile
snowv-gcm (1 stars) - The SNOW-V-GCM AEAD construction.
rustp2p-transport (9 stars) - A Rust library for building a decentralized logical network, allowing nodes to communicate using IP, TCP, UDP, and ICMP protocols.
apimimic (1 stars) - apimimic is a tool for mocking APIs
triton-cli (2 stars) - Command Line Interface to run, prove, and verify programs written for Triton VM.
jenkins-rs (0 stars) - A Jenkins API client for Rust
mlang-rs (0 stars) - scheme definition language for markup languages
objc2-image-io (481 stars) - Reserved crate name for objc2 bindings to the ImageIO framework
hubspot-rust-sdk (0 stars) - A HubSpot SKD for Rust. This SDK is designed to be a simple and easy to use interface for the HubSpot API.
objc2-replay-kit (481 stars) - Reserved crate name for objc2 bindings to the ReplayKit framework
volcengine-sdk-protobuf (0 stars) - volcengine sdk protobuf
hcms-29xx (0 stars) - Platform agnostic driver for HCMS-29XX and HCMS-39XX display ICs
rand_pool (1 stars) - Create a pool of random numbers pre generated thread safe
wiremocket (4 stars) - Websocket mocking to test Rust applications.
base-ui (1 stars) - base-ui crate
clash-rs-config (0 stars) - a clash yaml config parser
mqb (1 stars) - Lock free in memory message queue broker
veryl-simulator (587 stars) - A modern hardware description language
gmsol-programs (1 stars) - GMX-Solana is an extension of GMX on the Solana blockchain.
rendiation (62 stars) - rendiation project root placeholder crate
cyclic_pipe (0 stars) - A library providing fixed-size, buffer pre-allocated cyclic pipe which support multi-producer and multi-consumer concurrent access.
gobley-uniffi-bindgen (12 stars) - A UniFFI Kotlin Multiplatform bindings generator for Rust
balanced-ternary (2 stars) - A library to manipulate balanced ternary values.
ntimestamp (0 stars) - Strictly monotonic unix timestamp in microseconds
flare-core (1 stars) - A high performance IM framework core library
below-tc (1193 stars) - TC crate for below
arrayvec-const (0 stars) - A vector with fixed capacity, backed by an array (it can be stored on the stack too). Implements fixed capacity ArrayVec and ArrayString.
libffi-sys2 (106 stars) - Raw Rust bindings for libffi
flare-rpc-core (1 stars) - RPC framework core for Flare
w3f-plonk-common (18 stars) - Infrastructure for creating plonk-like proofs
libffi2 (106 stars) - Rust bindings for libffi
w3f-ring-proof (18 stars) - zk-proof of knowledge of the blinding factor of a Pedersen commitment
flatbuffers-reflection (23888 stars) - Official FlatBuffers Rust reflection library.
swamp-script-core-extra (1 stars) - core parts for swamp evaluator
trekname (0 stars) - A library containing Star Trek character names and descriptions
indexland (0 stars) - Rust Collections with Newtype Indices
objc2-javascript-core (481 stars) - Reserved crate name for objc2 bindings to the JavaScriptCore framework
QMem (0 stars) - A quantum-inspired memory simulation library in Rust that allows bits to exist in superposition.
swamp-script-source-map-lookup (1 stars) - Source map lookup for Swamp
secure (2 stars) - Solution that encrypt or compress rust consts in compile-time
tempesta (1 stars) - The lightest and fastest CLI for managing bookmarks, written in Rust
objc2-crypto-token-kit (481 stars) - Reserved crate name for objc2 bindings to the CryptoTokenKit framework
objc2-tv-services (481 stars) - Reserved crate name for objc2 bindings to the TVServices framework
pio-core (161 stars) - Low-level internals for RP2040's PIO State Machines. You should use the pio crate instead.
typst-wasm-protocol (2 stars) - Typst WASM tools
credibil-holder (0 stars) - Verifiable Credential and other data holder agent SDK
fulid (2 stars) - Trading engine
objc2-tv-ml-kit (481 stars) - Reserved crate name for objc2 bindings to the TVMLKit framework
objc2-tv-ui-kit (481 stars) - Reserved crate name for objc2 bindings to the TVUIKit framework
files-to-prompt (2 stars) - Concatenates a directory full of files into a single prompt for use with LLMs
vglang (0 stars) - Fast and simple vector graphics programming language and svg-compatible high-level virtual machine.
rspack-libmimalloc-sys (564 stars) - Sys crate wrapping the mimalloc allocator
unfold-symlinks (0 stars) - unfold is a small command line utility that replaces symbolic links with their targets.
ltrait (2 stars) - Yet Another Fuzzy Finder (Builder) for OS Wide, inspired from vim-fall and ddu.vim (and xmonad)
subgraph-status (0 stars) - A Rust CLI tool to check subgraph status
aipack (94 stars) - Command Agent runner to accelerate production coding with genai.
typst-wasm-macros (2 stars) - Typst WASM tools
versatiles_glyphs (1 stars) - A tool for generating SDF glyphs from fonts.
rust_native (0 stars) - A modern, cross-platform UI framework for building native applications
object-rainbow-derive (1 stars) - derive macros for object-rainbow
tsunami_simulation (0 stars) - A tsunami evacuation simulation library
toml_config_derive (0 stars) - Rust macro to turn a Rust struct into a TOML config.
chik-sdk-client (0 stars) - Utilities for connecting to Chik full node peers via the light wallet protocol.
st7735-lcd-doublebuffering (0 stars) - Double-Buffered ST7735 TFT LCD driver with embedded-graphics support
skip-if-macros (0 stars) - Attribute macro to skip running a function that produces files
generic_cache (0 stars) - Easy to use object caching based on defined TTL
object-rainbow (1 stars) - distributed object model
async-trait-sync (1933 stars) - Fork of async-trait with support to Sync future
vmonitor (0 stars) - A simple and lightweight system monitor
serde_map (0 stars) - Map
based on Vec
for serialization purposes
toml_config_trait (0 stars) - Rust trait to turn a Rust struct into a TOML config.
traccia (4 stars) - A zero-dependency, flexible logging framework for Rust applications
chik-sdk-signer (0 stars) - Calculates the signatures required for coin spends in a transaction.
chik-sdk-test (0 stars) - A wallet simulator and related tooling for testing Chik wallet code.
sdl3-ttf-src (39 stars) - Source code of the SDL3_ttf library
sdl3-ttf-sys (39 stars) - Low level Rust bindings for SDL3_ttf
chik-sdk-derive (0 stars) - Derive macros for chik-wallet-sdk.
chik-wallet-sdk (0 stars) - An unofficial SDK for building Chik wallets.
krater (0 stars) - Open-Source Intelligence (OSINT) gathering tool
bb-drivelist (0 stars) - This is basically a Rust implementation of Balena's drivelist
ch-grafana-cache (0 stars) - Extract Clickhouse SQL queries from a dashboard and execute them
skip-if (0 stars) - Attribute macro to skip running a function that produces files
doc_for (0 stars) - 📖 Get the documentation comment for structs, enums and unions, in a zero-cost fashion.
build2cmake (13 stars) - Generate CMake files for kernel-builder projects
s3-wasi-http (0 stars) - Basic S3 client using WASI HTTP
err_code (1 stars) - This is a crate that sets error codes for program errors, and has the ease of use of alerts, and has very good compatibility with this error
flowrs-core (0 stars) - Core components of the flowrs framework for directed graph workflows
pimc (0 stars) - Scientific computing library for Path Integral Monte Carlo (PIMC) simulations.
ransomware-intel (0 stars) - A professional intelligence tool to analyze ransomware data from Ransomware.live
bitbite (0 stars) - Bitbite is a simple trait that would help you interact bytes with flags easily
dessin-dioxus (15 stars) - Drawing SVG
kweepeer (0 stars) - A generic webservice for interactive query expansion, expansion is provided via various modules
sedimentree (0 stars) - Core library for beelay
kuberator (0 stars) - Crate to simplify writing an k8s operator
abs-file-macro (0 stars) - A macro that returns the absolute file path of the Rust source file in which it is invoked.
mikros-macros (2 stars) - An optionated crate to help building multi-purpose applications.
mikros (2 stars) - An optionated crate to help building multi-purpose applications.
gan (0 stars) - Just do it! A small tool provides ergonomic value handling with ignore/ ok/ some semantics.
rattler_menuinst (301 stars) - Install menu entries for a Conda package
naivesat (0 stars) - Few solvers that uses the Gate project.
run-this (0 stars) - A utility that gracefully handles missing command dependencies
palmfft (0 stars) - Palm-sized Faster Fourier Transform
fedimint-server-core (594 stars) - Fedimint is a Federated Chaumian E-Cash Mint, natively compatible with Bitcoin & the Lightning Network
aws-sdk-iotmanagedintegrations (3090 stars) - AWS SDK for Managed integrations for AWS IoT Device Management
extend-ref (0 stars) - A wrapper struct that implements Extend
for mutable references
rxegy-sys (0 stars) - Unofficial Exegy XCAPI FFI for Rust
anilist-push (0 stars) - Simple CLI application to fetch AniList notifications and send them over Pushover.
kamino_lending_interface (2 stars) - Kamino Finance Lending CPI Interface bindings autogenerated by solores
simulans (0 stars) - Armv8-A emulation toolkit
dioxus-tw-components (5 stars) - Components made for Dioxus using TailwindCSS 4.
worterbuch-cluster-orchestrator (0 stars) - An orchestrator for running Wörterbuch as a distributed cluster.
bcsh (0 stars) - A command line tool to hash strings using bcrypt
ebnsf (3 stars) - A CLI to generate railroad (syntax) diagrams from EBNF specs
pwgen2 (1 stars) - password generator
tiberius_row (0 stars) - 一个简化从Tiberius SQL Server客户端行数据到Rust结构体转换的过程宏库
bloaty-metafile (84 stars) - bloaty-metafile
ton_lib (0 stars) - A collection of types and utilities for interacting with the TON network
googleapis-tonic-google-maps-weather-v1 (3 stars) - A Google APIs client library generated by tonic-build
coreminer (6 stars) - A debugger which can be used to debug programs that do not want to be debugged
tauri-plugin-android-fix-font-size (0 stars) - Fix font size on Tauri app for Android.
rsql_driver_postgresql (217 stars) - rsql postgresql driver
rsql_driver_cockroachdb (217 stars) - rsql cockroachdb driver
rsql_driver_libsql (217 stars) - rsql libsql driver
rsql_driver_test_utils (217 stars) - rsql test utilities
rsql_driver_polars (217 stars) - rsql polars driver utilities
rsql_driver_sqlite (217 stars) - rsql sqlite driver
rsql_driver_delimited (217 stars) - rsql delimited driver
rsql_driver_arrow (217 stars) - rsql arrow driver
rsql_driver_mysql (217 stars) - rsql mysql driver
rsql_driver_duckdb (217 stars) - rsql duckdb driver
vbsp-entities-tf2 (1 stars) - VBSP entity definitions for Team Fortress 2.
vbsp-entities-css (1 stars) - VBSP entity definitions for Counter Strike: Source.
fedimint-server-tests (594 stars) - Fedimint is a Federated Chaumian E-Cash Mint, natively compatible with Bitcoin & the Lightning Network
entid (1 stars) - A library for generating and validating type-safe, prefixed entity identifiers based on UUIDs and ULIDs
awscloud_sso_cred_helper (0 stars) - A helper library for AWS SSO credential workflows
rusty-todo-md (0 stars) - A multi-language TODO comment extractor for source code files.
sitk-registration-sys (0 stars) - register and interpolate images
wiwi-macro-proc (2 stars) - proc macros for wiwi, a library, of, Stuff™ (implementation detail; do not depend on this crate directly)
brk_cli (56 stars) - A command line interface to interact with the Bitcoin Research Kit
brk_vec (56 stars) - A very small, fast, efficient and simple storable Vec
proptest-semver (0 stars) - Property Testing implementations for Semantic Versioning
zesh (16 stars) - A zellij session manager with zoxide integration, inspired by tmux sesh.