- 
                Notifications
    You must be signed in to change notification settings 
- Fork 1
Basic JetStream API support #11
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Changes from 9 commits
372d074
              436def8
              aa2fc1e
              3ee8278
              42652ff
              48b8bed
              f4a5df0
              f06196b
              1dd1b8c
              be8806e
              ca037e0
              335367e
              File filter
Filter by extension
Conversations
Jump to
Diff view
Diff view
There are no files selected for viewing
| Original file line number | Diff line number | Diff line change | ||||||||||||
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
| @@ -0,0 +1,249 @@ | ||||||||||||||
| const std = @import("std"); | ||||||||||||||
| const Message = @import("message.zig").Message; | ||||||||||||||
| const Connection = @import("connection.zig").Connection; | ||||||||||||||
|  | ||||||||||||||
| const log = std.log.scoped(.jetstream); | ||||||||||||||
|  | ||||||||||||||
| const default_api_prefix = "$JS.API."; | ||||||||||||||
| const default_request_timeout_ms = 5000; | ||||||||||||||
|  | ||||||||||||||
| const ErrorResponse = struct { | ||||||||||||||
| @"error": struct { | ||||||||||||||
| /// HTTP like error code in the 300 to 500 range | ||||||||||||||
| code: u16, | ||||||||||||||
| /// A human friendly description of the error | ||||||||||||||
| description: []const u8 = "", | ||||||||||||||
| /// The NATS error code unique to each kind of error | ||||||||||||||
| err_code: u16 = 0, | ||||||||||||||
| }, | ||||||||||||||
| }; | ||||||||||||||
|  | ||||||||||||||
| const AccountInfoResponse = struct { | ||||||||||||||
| /// Memory Storage being used for Stream Message storage | ||||||||||||||
| memory: u64, | ||||||||||||||
| /// File Storage being used for Stream Message storage | ||||||||||||||
| storage: u64, | ||||||||||||||
| // Number of active Streams | ||||||||||||||
| streams: u32, | ||||||||||||||
| /// Number of active Consumers | ||||||||||||||
| consumers: u32, | ||||||||||||||
| }; | ||||||||||||||
|  | ||||||||||||||
| pub const StreamConfig = struct { | ||||||||||||||
| /// A unique name for the Stream | ||||||||||||||
| name: []const u8, | ||||||||||||||
| /// A short description of the purpose of this stream | ||||||||||||||
| description: ?[]const u8 = null, | ||||||||||||||
| /// A list of subjects to consume, supports wildcards | ||||||||||||||
| subjects: []const []const u8, | ||||||||||||||
| /// How messages are retained in the stream | ||||||||||||||
| retention: enum { limits, interest, workqueue } = .limits, | ||||||||||||||
| /// How many Consumers can be defined for a given Stream. -1 for unlimited. | ||||||||||||||
| max_consumers: i64 = -1, | ||||||||||||||
| /// How many messages may be in a Stream. -1 for unlimited. | ||||||||||||||
| max_msgs: i64 = -1, | ||||||||||||||
| /// For wildcard streams ensure that for every unique subject this many messages are kept - a per subject retention limit | ||||||||||||||
| max_msgs_per_subject: i64 = -1, | ||||||||||||||
| /// How big the Stream may be. -1 for unlimited. | ||||||||||||||
| max_bytes: i64 = -1, | ||||||||||||||
| /// Maximum age of any message in nanoseconds. 0 for unlimited. | ||||||||||||||
| max_age: u64 = 0, | ||||||||||||||
| /// The largest message that will be accepted. -1 for unlimited. | ||||||||||||||
| max_msg_size: i32 = -1, | ||||||||||||||
| /// The storage backend to use for the Stream | ||||||||||||||
| storage: enum { file, memory } = .file, | ||||||||||||||
| /// Optional compression algorithm used for the Stream | ||||||||||||||
| compression: enum { none, s2 } = .none, | ||||||||||||||
| /// How many replicas to keep for each message | ||||||||||||||
| num_replicas: u8 = 1, | ||||||||||||||
| /// Disables acknowledging messages that are received by the Stream | ||||||||||||||
| no_ack: bool = false, | ||||||||||||||
| /// When a Stream reaches its limits either old messages are deleted or new ones are denied | ||||||||||||||
| discard: enum { old, new } = .old, | ||||||||||||||
| /// The time window to track duplicate messages for, in nanoseconds. 0 for default | ||||||||||||||
| duplicate_window: u64 = 0, | ||||||||||||||
| }; | ||||||||||||||
|  | ||||||||||||||
| /// Response from $JS.API.STREAM.NAMES | ||||||||||||||
| const StreamNamesResponse = struct { | ||||||||||||||
| total: u64, | ||||||||||||||
| offset: u64, | ||||||||||||||
| limit: u64, | ||||||||||||||
| streams: ?[]const []const u8, | ||||||||||||||
| }; | ||||||||||||||
|  | ||||||||||||||
| /// Response from $JS.API.STREAM.LIST | ||||||||||||||
| const StreamListResponse = struct { | ||||||||||||||
| total: u64, | ||||||||||||||
| offset: u64, | ||||||||||||||
| limit: u64, | ||||||||||||||
| streams: ?[]const StreamInfo, | ||||||||||||||
| }; | ||||||||||||||
|  | ||||||||||||||
| const StreamState = struct { | ||||||||||||||
| messages: u64, | ||||||||||||||
| bytes: u64, | ||||||||||||||
| first_seq: u64, | ||||||||||||||
| first_ts: []const u8, | ||||||||||||||
| last_seq: u64, | ||||||||||||||
| last_ts: []const u8, | ||||||||||||||
| consumer_count: u32, | ||||||||||||||
| }; | ||||||||||||||
|  | ||||||||||||||
| pub const StreamInfo = struct { | ||||||||||||||
| config: StreamConfig, | ||||||||||||||
| state: StreamState, | ||||||||||||||
| created: []const u8, | ||||||||||||||
| }; | ||||||||||||||
|  | ||||||||||||||
| pub const JetStreamOptions = struct { | ||||||||||||||
| request_timeout_ms: u64 = default_request_timeout_ms, | ||||||||||||||
| // Add options here | ||||||||||||||
| }; | ||||||||||||||
|  | ||||||||||||||
| pub const Result = std.json.Parsed; | ||||||||||||||
|  | ||||||||||||||
| pub const JetStream = struct { | ||||||||||||||
| allocator: std.mem.Allocator, | ||||||||||||||
| nc: *Connection, | ||||||||||||||
| opts: JetStreamOptions, | ||||||||||||||
|  | ||||||||||||||
| pub fn init(allocator: std.mem.Allocator, nc: *Connection, options: JetStreamOptions) JetStream { | ||||||||||||||
| return .{ | ||||||||||||||
| .allocator = allocator, | ||||||||||||||
| .nc = nc, | ||||||||||||||
| .opts = options, | ||||||||||||||
| }; | ||||||||||||||
| } | ||||||||||||||
|  | ||||||||||||||
| pub fn deinit(self: *JetStream) void { | ||||||||||||||
| _ = self; | ||||||||||||||
| } | ||||||||||||||
|  | ||||||||||||||
| fn sendRequest(self: *JetStream, subject: []const u8, payload: []const u8) !*Message { | ||||||||||||||
| const full_subject = try std.fmt.allocPrint(self.allocator, "{s}{s}", .{ default_api_prefix, subject }); | ||||||||||||||
| defer self.allocator.free(full_subject); | ||||||||||||||
|  | ||||||||||||||
| return try self.nc.request(full_subject, payload, self.opts.request_timeout_ms) orelse { | ||||||||||||||
| return error.NoResponse; | ||||||||||||||
| }; | ||||||||||||||
| } | ||||||||||||||
|  | ||||||||||||||
| /// Parse an error response from the server, if present. | ||||||||||||||
| fn maybeParseErrorResponse(_: *JetStream, msg: *Message) !void { | ||||||||||||||
| var buf: [1024]u8 = undefined; | ||||||||||||||
| var allocator = std.heap.FixedBufferAllocator.init(&buf); | ||||||||||||||
|  | ||||||||||||||
| const response = std.json.parseFromSliceLeaky(ErrorResponse, allocator.allocator(), msg.data, .{ | ||||||||||||||
| .allocate = .alloc_if_needed, | ||||||||||||||
| .ignore_unknown_fields = true, | ||||||||||||||
| }) catch return; | ||||||||||||||
|  | ||||||||||||||
| const info = response.@"error"; | ||||||||||||||
| log.err("JetStream error: code={d} err_code={d} description={s}", .{ info.code, info.err_code, info.description }); | ||||||||||||||
|  | ||||||||||||||
| // TODO: Handle specific error cases | ||||||||||||||
| return error.JetStreamError; | ||||||||||||||
| } | ||||||||||||||
|  | ||||||||||||||
| /// Parse a response from the server, handling errors if present. | ||||||||||||||
| fn parseResponse(self: *JetStream, comptime T: type, msg: *Message) !Result(T) { | ||||||||||||||
| try self.maybeParseErrorResponse(msg); | ||||||||||||||
|  | ||||||||||||||
| return try std.json.parseFromSlice(T, self.allocator, msg.data, .{ | ||||||||||||||
| .allocate = .alloc_always, | ||||||||||||||
| .ignore_unknown_fields = true, | ||||||||||||||
| }); | ||||||||||||||
| } | ||||||||||||||
|  | ||||||||||||||
| // Retrieves stats and limits for the connected user's account. | ||||||||||||||
| pub fn getAccountInfo(self: *JetStream) !Result(AccountInfoResponse) { | ||||||||||||||
| const msg = try self.sendRequest("INFO", ""); | ||||||||||||||
| defer msg.deinit(); | ||||||||||||||
|  | ||||||||||||||
| return try self.parseResponse(AccountInfoResponse, msg); | ||||||||||||||
| } | ||||||||||||||
|  | ||||||||||||||
| /// Retrieves a list of stream names. | ||||||||||||||
| pub fn listStreamNames(self: *JetStream) !Result([]const []const u8) { | ||||||||||||||
| const msg = try self.sendRequest("STREAM.NAMES", ""); | ||||||||||||||
| defer msg.deinit(); | ||||||||||||||
|  | ||||||||||||||
| const page_result = try self.parseResponse(StreamNamesResponse, msg); | ||||||||||||||
| errdefer page_result.deinit(); | ||||||||||||||
|  | ||||||||||||||
| // TODO: handle pagination | ||||||||||||||
| const streams = page_result.value.streams orelse &[_][]const u8{}; | ||||||||||||||
| std.debug.assert(page_result.value.total == streams.len); | ||||||||||||||
|  | ||||||||||||||
| 
      Comment on lines
    
      +273
     to 
      +276
    
   There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Assertion is incorrect for paginated responses; will fail with valid server data. 
 Change the assertion to reflect the documented invariant:  Apply this diff: -        std.debug.assert(page_result.value.total == streams.len);
+        std.debug.assert(page_result.value.offset + streams.len <= page_result.value.total);📝 Committable suggestion
 
        Suggested change
       
 🤖 Prompt for AI Agents | ||||||||||||||
| const result: Result([]const []const u8) = .{ | ||||||||||||||
| .arena = page_result.arena, | ||||||||||||||
| .value = streams, | ||||||||||||||
| }; | ||||||||||||||
| return result; | ||||||||||||||
| } | ||||||||||||||
|  | ||||||||||||||
| /// Retrieves a list of streams with full information. | ||||||||||||||
| pub fn listStreams(self: *JetStream) !Result([]const StreamInfo) { | ||||||||||||||
| const msg = try self.sendRequest("STREAM.LIST", ""); | ||||||||||||||
| defer msg.deinit(); | ||||||||||||||
|  | ||||||||||||||
| const page_result = try self.parseResponse(StreamListResponse, msg); | ||||||||||||||
| errdefer page_result.deinit(); | ||||||||||||||
|  | ||||||||||||||
| // TODO: handle pagination | ||||||||||||||
| const streams = page_result.value.streams orelse &[_]StreamInfo{}; | ||||||||||||||
| std.debug.assert(page_result.value.total == streams.len); | ||||||||||||||
|  | ||||||||||||||
| const result: Result([]const StreamInfo) = .{ | ||||||||||||||
| .arena = page_result.arena, | ||||||||||||||
| .value = streams, | ||||||||||||||
| }; | ||||||||||||||
| return result; | ||||||||||||||
| } | ||||||||||||||
|  | ||||||||||||||
| /// Creates a new stream with the provided configuration. | ||||||||||||||
| pub fn addStream(self: *JetStream, config: StreamConfig) !Result(StreamInfo) { | ||||||||||||||
| // Build the subject for the API call | ||||||||||||||
| const subject = try std.fmt.allocPrint(self.allocator, "STREAM.CREATE.{s}", .{config.name}); | ||||||||||||||
| defer self.allocator.free(subject); | ||||||||||||||
|  | ||||||||||||||
| // Serialize the config to JSON | ||||||||||||||
| const config_json = try std.json.stringifyAlloc(self.allocator, config, .{}); | ||||||||||||||
| defer self.allocator.free(config_json); | ||||||||||||||
|  | ||||||||||||||
| const msg = try self.sendRequest(subject, config_json); | ||||||||||||||
| defer msg.deinit(); | ||||||||||||||
|  | ||||||||||||||
| return try self.parseResponse(StreamInfo, msg); | ||||||||||||||
| } | ||||||||||||||
|  | ||||||||||||||
| /// Updates a stream with the provided configuration. | ||||||||||||||
| pub fn updateStream(self: *JetStream, config: StreamConfig) !Result(StreamInfo) { | ||||||||||||||
| // Build the subject for the API call | ||||||||||||||
| const subject = try std.fmt.allocPrint(self.allocator, "STREAM.UPDATE.{s}", .{config.name}); | ||||||||||||||
| defer self.allocator.free(subject); | ||||||||||||||
|  | ||||||||||||||
| // Serialize the config to JSON | ||||||||||||||
| const config_json = try std.json.stringifyAlloc(self.allocator, config, .{}); | ||||||||||||||
| defer self.allocator.free(config_json); | ||||||||||||||
|  | ||||||||||||||
| const msg = try self.sendRequest(subject, config_json); | ||||||||||||||
| defer msg.deinit(); | ||||||||||||||
|  | ||||||||||||||
| return try self.parseResponse(StreamInfo, msg); | ||||||||||||||
| } | ||||||||||||||
|  | ||||||||||||||
| /// Deletes a stream. | ||||||||||||||
| pub fn deleteStream(self: *JetStream, stream_name: []const u8) !void { | ||||||||||||||
| // Build the subject for the API call | ||||||||||||||
| const subject = try std.fmt.allocPrint(self.allocator, "STREAM.DELETE.{s}", .{stream_name}); | ||||||||||||||
| defer self.allocator.free(subject); | ||||||||||||||
|  | ||||||||||||||
| const msg = try self.sendRequest(subject, ""); | ||||||||||||||
| defer msg.deinit(); | ||||||||||||||
|  | ||||||||||||||
| // Just check for errors, don't need to parse the response | ||||||||||||||
| try self.maybeParseErrorResponse(msg); | ||||||||||||||
| } | ||||||||||||||
| }; | ||||||||||||||
| Original file line number | Diff line number | Diff line change | ||
|---|---|---|---|---|
|  | @@ -12,6 +12,16 @@ pub const ServerPool = @import("server_pool.zig").ServerPool; | |||
| pub const Server = @import("server_pool.zig").Server; | ||||
| pub const inbox = @import("inbox.zig"); | ||||
|  | ||||
| // JetStream types | ||||
| pub const JetStream = @import("jetstream.zig").JetStream; | ||||
| pub const JetStreamOptions = @import("jetstream.zig").JetStreamOptions; | ||||
| pub const StreamConfig = @import("jetstream.zig").StreamConfig; | ||||
| pub const StreamInfo = @import("jetstream.zig").StreamInfo; | ||||
| pub const Stream = @import("jetstream.zig").Stream; | ||||
| pub const PubAck = @import("jetstream.zig").PubAck; | ||||
| pub const AccountInfo = @import("jetstream.zig").AccountInfo; | ||||
| pub const JetStreamError = @import("jetstream.zig").JetStreamError; | ||||
| There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. 🛠️ Refactor suggestion Broken re-export: JetStreamError is not defined in jetstream.zig. This will not compile as  Apply this minimal fix (option A: remove the re-export for now): - pub const JetStreamError = @import("jetstream.zig").JetStreamError;Alternatively (option B: preferred), add and export a concrete error set from  📝 Committable suggestion
 
        Suggested change
       
 | ||||
|  | ||||
| // Removed top-level connect functions - use Connection.init() and Connection.connect() directly | ||||
|  | ||||
| // Test basic functionality | ||||
|  | ||||
Uh oh!
There was an error while loading. Please reload this page.