mirror of
https://github.com/ghostty-org/ghostty.git
synced 2025-07-25 13:16:11 +03:00
45 lines
1.3 KiB
Zig
45 lines
1.3 KiB
Zig
const std = @import("std");
|
|
const Allocator = std.mem.Allocator;
|
|
|
|
/// A collection of ArrayLists with methods for bulk operations.
|
|
pub fn ArrayListCollection(comptime T: type) type {
|
|
return struct {
|
|
const Self = ArrayListCollection(T);
|
|
const ArrayListT = std.ArrayListUnmanaged(T);
|
|
|
|
// An array containing the lists that belong to this collection.
|
|
lists: []ArrayListT,
|
|
|
|
// The collection will be initialized with empty ArrayLists.
|
|
pub fn init(
|
|
alloc: Allocator,
|
|
list_count: usize,
|
|
initial_capacity: usize,
|
|
) Allocator.Error!Self {
|
|
const self: Self = .{
|
|
.lists = try alloc.alloc(ArrayListT, list_count),
|
|
};
|
|
|
|
for (self.lists) |*list| {
|
|
list.* = try .initCapacity(alloc, initial_capacity);
|
|
}
|
|
|
|
return self;
|
|
}
|
|
|
|
pub fn deinit(self: *Self, alloc: Allocator) void {
|
|
for (self.lists) |*list| {
|
|
list.deinit(alloc);
|
|
}
|
|
alloc.free(self.lists);
|
|
}
|
|
|
|
/// Clear all lists in the collection, retaining capacity.
|
|
pub fn reset(self: *Self) void {
|
|
for (self.lists) |*list| {
|
|
list.clearRetainingCapacity();
|
|
}
|
|
}
|
|
};
|
|
}
|