mirror of
https://github.com/ziglang/zig.git
synced 2025-12-07 06:43:07 +00:00
We already have a LICENSE file that covers the Zig Standard Library. We no longer need to remind everyone that the license is MIT in every single file. Previously this was introduced to clarify the situation for a fork of Zig that made Zig's LICENSE file harder to find, and replaced it with their own license that required annual payments to their company. However that fork now appears to be dead. So there is no need to reinforce the copyright notice in every single file.
56 lines
1.8 KiB
Zig
56 lines
1.8 KiB
Zig
const std = @import("../std.zig");
|
|
const mem = std.mem;
|
|
const fs = std.fs;
|
|
const File = std.fs.File;
|
|
|
|
pub const BufferedAtomicFile = struct {
|
|
atomic_file: fs.AtomicFile,
|
|
file_writer: File.Writer,
|
|
buffered_writer: BufferedWriter,
|
|
allocator: *mem.Allocator,
|
|
|
|
pub const buffer_size = 4096;
|
|
pub const BufferedWriter = std.io.BufferedWriter(buffer_size, File.Writer);
|
|
pub const Writer = std.io.Writer(*BufferedWriter, BufferedWriter.Error, BufferedWriter.write);
|
|
|
|
/// TODO when https://github.com/ziglang/zig/issues/2761 is solved
|
|
/// this API will not need an allocator
|
|
pub fn create(
|
|
allocator: *mem.Allocator,
|
|
dir: fs.Dir,
|
|
dest_path: []const u8,
|
|
atomic_file_options: fs.Dir.AtomicFileOptions,
|
|
) !*BufferedAtomicFile {
|
|
var self = try allocator.create(BufferedAtomicFile);
|
|
self.* = BufferedAtomicFile{
|
|
.atomic_file = undefined,
|
|
.file_writer = undefined,
|
|
.buffered_writer = undefined,
|
|
.allocator = allocator,
|
|
};
|
|
errdefer allocator.destroy(self);
|
|
|
|
self.atomic_file = try dir.atomicFile(dest_path, atomic_file_options);
|
|
errdefer self.atomic_file.deinit();
|
|
|
|
self.file_writer = self.atomic_file.file.writer();
|
|
self.buffered_writer = .{ .unbuffered_writer = self.file_writer };
|
|
return self;
|
|
}
|
|
|
|
/// always call destroy, even after successful finish()
|
|
pub fn destroy(self: *BufferedAtomicFile) void {
|
|
self.atomic_file.deinit();
|
|
self.allocator.destroy(self);
|
|
}
|
|
|
|
pub fn finish(self: *BufferedAtomicFile) !void {
|
|
try self.buffered_writer.flush();
|
|
try self.atomic_file.finish();
|
|
}
|
|
|
|
pub fn writer(self: *BufferedAtomicFile) Writer {
|
|
return .{ .context = &self.buffered_writer };
|
|
}
|
|
};
|