Initial code
This commit is contained in:
parent
46ff87111b
commit
b31ca3ddf1
9 changed files with 611 additions and 0 deletions
3
.gitignore
vendored
Normal file
3
.gitignore
vendored
Normal file
|
@ -0,0 +1,3 @@
|
|||
zig-cache
|
||||
zig-out
|
||||
data
|
11
README.md
Normal file
11
README.md
Normal file
|
@ -0,0 +1,11 @@
|
|||
# Simple image server in Zig
|
||||
Note: This was made for my personal use, so extra features will only be added if requested (or contributed).
|
||||
|
||||
## API
|
||||
Access control is done through the Authorization header with the token in the config file.
|
||||
|
||||
`POST /stop` (requires the token): Stops the server.
|
||||
`POST /upload` (requires the token): Uploads an image, specified as the `file` field in a `multipart/form-data` body. Responds with the embeddable image link.
|
||||
`GET /:hash`: Requests the embeddable image corresponding to the `hash` parameter.
|
||||
`GET /:hash/direct`: Requests the raw image corresponding to the `hash` parameter.
|
||||
`DELETE /:hash` (requires the token): Deletes the image corresponding to the `hash` parameter.
|
27
build.zig
Normal file
27
build.zig
Normal file
|
@ -0,0 +1,27 @@
|
|||
const std = @import("std");
|
||||
|
||||
pub fn build(b: *std.Build) void {
|
||||
const target = b.standardTargetOptions(.{});
|
||||
const optimize = b.standardOptimizeOption(.{});
|
||||
|
||||
const exe = b.addExecutable(.{
|
||||
.name = "zig-imgserver",
|
||||
.root_source_file = b.path("src/main.zig"),
|
||||
.target = target,
|
||||
.optimize = optimize,
|
||||
});
|
||||
|
||||
exe.root_module.addImport("httpz", b.dependency("httpz", .{ .target = target, .optimize = optimize }).module("httpz"));
|
||||
|
||||
exe.linkLibC();
|
||||
exe.linkSystemLibrary("magic");
|
||||
|
||||
b.installArtifact(exe);
|
||||
|
||||
const run_cmd = b.addRunArtifact(exe);
|
||||
|
||||
run_cmd.step.dependOn(b.getInstallStep());
|
||||
|
||||
const run_step = b.step("run", "Run the app");
|
||||
run_step.dependOn(&run_cmd.step);
|
||||
}
|
33
build.zig.zon
Normal file
33
build.zig.zon
Normal file
|
@ -0,0 +1,33 @@
|
|||
.{
|
||||
.name = "zig-imgserver",
|
||||
.version = "1.0.0",
|
||||
|
||||
.minimum_zig_version = "0.12.0",
|
||||
|
||||
// This field is optional.
|
||||
// Each dependency must either provide a `url` and `hash`, or a `path`.
|
||||
// `zig build --fetch` can be used to fetch all dependencies of a package, recursively.
|
||||
// Once all dependencies are fetched, `zig build` no longer requires
|
||||
// internet connectivity.
|
||||
.dependencies = .{
|
||||
// See `zig fetch --save <url>` for a command-line interface for adding dependencies.
|
||||
.httpz = .{
|
||||
// // When updating this field to a new URL, be sure to delete the corresponding
|
||||
// // `hash`, otherwise you are communicating that you expect to find the old hash at
|
||||
// // the new URL.
|
||||
.url = "https://github.com/karlseguin/http.zig/archive/refs/heads/zig-0.12.tar.gz",
|
||||
//
|
||||
// // This is computed from the file contents of the directory of files that is
|
||||
// // obtained after fetching `url` and applying the inclusion rules given by
|
||||
// // `paths`.
|
||||
// //
|
||||
// // This field is the source of truth; packages do not come from a `url`; they
|
||||
// // come from a `hash`. `url` is just one of many possible mirrors for how to
|
||||
// // obtain a package matching this `hash`.
|
||||
// //
|
||||
// // Uses the [multihash](https://multiformats.io/multihash/) format.
|
||||
.hash = "12209b7426293ebe5075b930ae6029c009bfb6deb7ff92b9d69e28463abd14ad03da",
|
||||
},
|
||||
},
|
||||
.paths = .{"src"},
|
||||
}
|
7
config.json
Normal file
7
config.json
Normal file
|
@ -0,0 +1,7 @@
|
|||
{
|
||||
"bindAddress": "0.0.0.0",
|
||||
"bindPort": 8080,
|
||||
"dataDir": "data",
|
||||
"token": "<string>",
|
||||
"domain": "example.com"
|
||||
}
|
172
src/data.zig
Normal file
172
src/data.zig
Normal file
|
@ -0,0 +1,172 @@
|
|||
const std = @import("std");
|
||||
const ArrayList = std.ArrayList;
|
||||
const Allocator = std.mem.Allocator;
|
||||
const http = @import("httpz");
|
||||
const Config = @import("main.zig").Config;
|
||||
const Parsed = std.json.Parsed;
|
||||
const Mutex = std.Thread.Mutex;
|
||||
|
||||
const libmagic = @cImport(@cInclude("magic.h"));
|
||||
const magic_t = libmagic.magic_t;
|
||||
const magic_close = libmagic.magic_close;
|
||||
|
||||
pub const File = struct { name: []const u8, hash: []const u8 };
|
||||
|
||||
pub const Json = struct { files: []File };
|
||||
pub const ConstructedJson = struct { files: ArrayList(File) };
|
||||
|
||||
const UnionType = enum { parsed, constructed };
|
||||
|
||||
pub const Inner = union(UnionType) { parsed: Parsed(Json), constructed: ConstructedJson };
|
||||
|
||||
pub fn initRandom() std.rand.Xoshiro256 {
|
||||
const iSeed = std.time.milliTimestamp();
|
||||
const seed: u64 = @intCast(@abs(iSeed));
|
||||
|
||||
return std.rand.DefaultPrng.init(seed);
|
||||
}
|
||||
|
||||
file: std.fs.File,
|
||||
json: Inner,
|
||||
server: ?*http.ServerCtx(*@This(), *@This()) = null,
|
||||
config: Config,
|
||||
magic: magic_t,
|
||||
mutex: Mutex = Mutex{},
|
||||
alloc: Allocator,
|
||||
dir: std.fs.Dir,
|
||||
rand: std.rand.Xoshiro256,
|
||||
|
||||
pub fn initConstructed(file: std.fs.File, config: Config, magic: magic_t, alloc: Allocator, dir: std.fs.Dir) @This() {
|
||||
const list = ArrayList(File).init(alloc);
|
||||
return @This(){ .file = file, .config = config, .magic = magic, .json = .{ .constructed = ConstructedJson{ .files = list } }, .alloc = alloc, .dir = dir, .rand = initRandom() };
|
||||
}
|
||||
|
||||
fn freeFiles(alloc: Allocator, files: ArrayList(File)) void {
|
||||
for (files.items) |file| {
|
||||
alloc.free(file.name);
|
||||
alloc.free(file.hash);
|
||||
}
|
||||
}
|
||||
|
||||
pub fn deinit(self: *@This()) void {
|
||||
self.file.close();
|
||||
self.dir.close();
|
||||
switch (self.json) {
|
||||
.parsed => |parsed| {
|
||||
parsed.deinit();
|
||||
},
|
||||
.constructed => |it| {
|
||||
freeFiles(self.alloc, it.files);
|
||||
it.files.deinit();
|
||||
},
|
||||
}
|
||||
|
||||
if (self.magic != null) {
|
||||
magic_close(self.magic);
|
||||
}
|
||||
}
|
||||
|
||||
// Deinits self.json if it is .parsed
|
||||
fn toConstructed(self: *@This()) !ConstructedJson {
|
||||
return switch (self.json) {
|
||||
.parsed => |parsed| blk: {
|
||||
var list = ArrayList(File).init(self.alloc);
|
||||
errdefer list.deinit();
|
||||
|
||||
for (parsed.value.files) |file| {
|
||||
const nameHeap = try self.alloc.alloc(u8, file.name.len);
|
||||
@memcpy(nameHeap, file.name);
|
||||
const hashHeap = try self.alloc.alloc(u8, file.hash.len);
|
||||
@memcpy(hashHeap, file.hash);
|
||||
|
||||
try list.append(File{ .name = nameHeap, .hash = hashHeap });
|
||||
}
|
||||
|
||||
parsed.deinit();
|
||||
break :blk ConstructedJson{ .files = list };
|
||||
},
|
||||
.constructed => |constructed| constructed,
|
||||
};
|
||||
}
|
||||
|
||||
fn writeJson(self: @This()) !void {
|
||||
// Overwrite
|
||||
try self.file.seekTo(0);
|
||||
try self.file.setEndPos(0);
|
||||
|
||||
try std.json.stringify(Json{ .files = self.json.constructed.files.items }, .{ .whitespace = .indent_4 }, self.file.writer());
|
||||
}
|
||||
|
||||
pub fn addFile(self: *@This(), name: []const u8, hash: []const u8, data: []const u8) !void {
|
||||
self.mutex.lock();
|
||||
defer self.mutex.unlock();
|
||||
|
||||
var existing = try self.toConstructed();
|
||||
existing.files.append(File{ .name = name, .hash = hash }) catch |err| {
|
||||
freeFiles(self.alloc, existing.files);
|
||||
existing.files.deinit();
|
||||
return err;
|
||||
};
|
||||
|
||||
self.json = .{ .constructed = existing };
|
||||
|
||||
try self.writeJson();
|
||||
|
||||
self.dir.makeDir("media") catch |err| {
|
||||
if (err != error.PathAlreadyExists) {
|
||||
return err;
|
||||
}
|
||||
};
|
||||
|
||||
var media = try self.dir.openDir("media", .{});
|
||||
defer media.close();
|
||||
|
||||
const mediaFile = try media.createFile(hash, .{ .truncate = false, .exclusive = true });
|
||||
defer mediaFile.close();
|
||||
|
||||
try mediaFile.writeAll(data);
|
||||
}
|
||||
|
||||
pub fn getFiles(self: @This()) []File {
|
||||
switch (self.json) {
|
||||
.constructed => |it| {
|
||||
return it.files.items;
|
||||
},
|
||||
.parsed => |it| {
|
||||
return it.value.files;
|
||||
},
|
||||
}
|
||||
}
|
||||
|
||||
// Returns whether the file existed
|
||||
pub fn deleteFile(self: *@This(), hash: []const u8) !bool {
|
||||
self.mutex.lock();
|
||||
defer self.mutex.unlock();
|
||||
|
||||
var existing = try self.toConstructed();
|
||||
|
||||
var index: ?usize = null;
|
||||
for (0..existing.files.items.len) |i| {
|
||||
if (std.mem.eql(u8, existing.files.items[i].hash, hash)) {
|
||||
index = i;
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
if (index) |idx| {
|
||||
self.alloc.free(existing.files.items[idx].name);
|
||||
self.alloc.free(existing.files.items[idx].hash);
|
||||
_ = existing.files.swapRemove(idx);
|
||||
}
|
||||
|
||||
self.json = .{ .constructed = existing };
|
||||
|
||||
try self.writeJson();
|
||||
|
||||
const subPath = try std.fmt.allocPrint(self.alloc, "media/{s}", .{hash});
|
||||
defer self.alloc.free(subPath);
|
||||
|
||||
try self.dir.deleteFile(subPath);
|
||||
|
||||
return index != null;
|
||||
}
|
29
src/index.html
Normal file
29
src/index.html
Normal file
|
@ -0,0 +1,29 @@
|
|||
<!DOCTYPE html>
|
||||
<html>
|
||||
<head>
|
||||
<meta property="og:title" content="zig_img-name"/>
|
||||
<meta property="og:image" content="zig_img-url"/>
|
||||
<meta property="og:image:url" content="zig_img-url"/>
|
||||
<meta property="og:url" content="zig_img-url"/>
|
||||
<meta property="og:description" content="zig_description"/>
|
||||
<meta property="og:type" content="website"/>
|
||||
<meta name="twitter:card" content="summary_large_image"/>
|
||||
|
||||
<style>
|
||||
body {
|
||||
display: flex;
|
||||
justify-content: center;
|
||||
align-items: center;
|
||||
}
|
||||
* {
|
||||
height: 100%;
|
||||
width: 100%;
|
||||
margin: 0;
|
||||
padding: 0;
|
||||
}
|
||||
</style>
|
||||
</head>
|
||||
<body>
|
||||
<img style="width: fit-content; height: fit-content; max-width: 100vw; max-height: 100vh;" src="zig_img-url"/>
|
||||
</body>
|
||||
</html>
|
99
src/main.zig
Normal file
99
src/main.zig
Normal file
|
@ -0,0 +1,99 @@
|
|||
const Data = @import("data.zig");
|
||||
const http = @import("httpz");
|
||||
const routes = @import("routes.zig");
|
||||
const std = @import("std");
|
||||
const Parsed = std.json.Parsed;
|
||||
const Allocator = std.mem.Allocator;
|
||||
|
||||
const magic = @cImport(@cInclude("magic.h"));
|
||||
|
||||
pub const Config = struct { bindAddress: []const u8, bindPort: u16, dataDir: []const u8 = "data", token: []const u8, domain: []const u8 };
|
||||
|
||||
// Must be freed
|
||||
fn readConfig(alloc: Allocator) !Parsed(Config) {
|
||||
const cwd = std.fs.cwd();
|
||||
const configFile = try cwd.openFile("config.json", .{});
|
||||
const meta = try configFile.metadata();
|
||||
|
||||
const buf = try alloc.alloc(u8, meta.size());
|
||||
defer alloc.free(buf);
|
||||
_ = try configFile.readAll(buf);
|
||||
|
||||
return std.json.parseFromSlice(Config, alloc, buf, .{ .ignore_unknown_fields = true, .allocate = .alloc_always });
|
||||
}
|
||||
|
||||
// Must be freed
|
||||
fn initData(alloc: Allocator, config: Config) !Data {
|
||||
var dir = try std.fs.cwd().openDir(config.dataDir, .{});
|
||||
const file = try dir.createFile("index.json", .{ .read = true, .truncate = false });
|
||||
errdefer file.close();
|
||||
|
||||
const meta = try file.metadata();
|
||||
|
||||
var magicHandle = magic.magic_open(magic.MAGIC_EXTENSION);
|
||||
errdefer {
|
||||
if (magicHandle != null) {
|
||||
magic.magic_close(magicHandle);
|
||||
}
|
||||
}
|
||||
|
||||
if (magicHandle != null and magic.magic_load(magicHandle, null) != 0) {
|
||||
const err = magic.magic_error(magicHandle);
|
||||
std.debug.print("Loading libmagic failed with: {s}", .{err});
|
||||
magic.magic_close(magicHandle);
|
||||
magicHandle = null;
|
||||
}
|
||||
|
||||
if (meta.size() == 0) {
|
||||
const init = Data.Json{ .files = &.{} };
|
||||
const writer = file.writer();
|
||||
try std.json.stringify(init, .{ .whitespace = .indent_4 }, writer);
|
||||
|
||||
return Data.initConstructed(file, config, magicHandle, alloc, dir);
|
||||
}
|
||||
|
||||
const buf = try alloc.alloc(u8, meta.size());
|
||||
defer alloc.free(buf);
|
||||
|
||||
_ = try file.readAll(buf);
|
||||
|
||||
const json = try std.json.parseFromSlice(Data.Json, alloc, buf, .{ .ignore_unknown_fields = true, .allocate = .alloc_always });
|
||||
return Data{ .file = file, .json = .{ .parsed = json }, .config = config, .magic = magicHandle, .alloc = alloc, .dir = dir, .rand = Data.initRandom() };
|
||||
}
|
||||
|
||||
pub fn main() !void {
|
||||
var alloc = std.heap.GeneralPurposeAllocator(.{}){};
|
||||
defer {
|
||||
const leak = alloc.deinit();
|
||||
if (leak == .leak) {
|
||||
std.debug.print("Leak in GPA", .{});
|
||||
}
|
||||
}
|
||||
|
||||
const parsed = try readConfig(alloc.allocator());
|
||||
defer parsed.deinit();
|
||||
|
||||
const config = parsed.value;
|
||||
|
||||
std.fs.cwd().makeDir(config.dataDir) catch |err| {
|
||||
if (err != error.PathAlreadyExists) {
|
||||
return err;
|
||||
}
|
||||
};
|
||||
|
||||
var data = try initData(alloc.allocator(), config);
|
||||
defer data.deinit();
|
||||
|
||||
var server = try http.ServerCtx(*Data, *Data)
|
||||
.init(alloc.allocator(), .{ .address = config.bindAddress, .port = config.bindPort, .request = .{ .max_multiform_count = 1, .max_body_size = 100000000 } }, &data);
|
||||
defer server.deinit();
|
||||
|
||||
server.router().post("/stop", routes.stop);
|
||||
server.router().post("/upload", routes.upload);
|
||||
server.router().get("/:hash", routes.html);
|
||||
server.router().get("/:hash/direct", routes.direct);
|
||||
server.router().delete("/:hash", routes.delete);
|
||||
|
||||
data.server = &server;
|
||||
return server.listen();
|
||||
}
|
230
src/routes.zig
Normal file
230
src/routes.zig
Normal file
|
@ -0,0 +1,230 @@
|
|||
const Data = @import("data.zig");
|
||||
const http = @import("httpz");
|
||||
const Request = http.Request;
|
||||
const Response = http.Response;
|
||||
const std = @import("std");
|
||||
const Sha256 = std.crypto.hash.sha2.Sha256;
|
||||
|
||||
const magic_buffer = @cImport(@cInclude("magic.h")).magic_buffer;
|
||||
|
||||
const EXT_MAX = 10;
|
||||
|
||||
fn isAuthorized(ctx: *Data, req: *Request) bool {
|
||||
return std.mem.eql(u8, req.header("authorization") orelse &.{}, ctx.config.token);
|
||||
}
|
||||
|
||||
pub fn stop(ctx: *Data, req: *Request, resp: *Response) !void {
|
||||
if (!isAuthorized(ctx, req)) {
|
||||
resp.status = 401;
|
||||
resp.body = "Unauthorized";
|
||||
return;
|
||||
}
|
||||
|
||||
resp.status = 200;
|
||||
resp.body = "OK";
|
||||
ctx.server.?.stop();
|
||||
}
|
||||
|
||||
fn getExtension(ctx: *Data, data: []const u8, arena: std.mem.Allocator) ![]u8 {
|
||||
const extensions = magic_buffer(ctx.magic, data.ptr, data.len);
|
||||
|
||||
const first = try arena.alloc(u8, EXT_MAX);
|
||||
|
||||
var i: u4 = 0;
|
||||
while (i < EXT_MAX and extensions[i] != '/') : (i += 1) { // First extension
|
||||
first[i] = extensions[i];
|
||||
|
||||
// Null terminator
|
||||
if (first[i] == 0) {
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
const ret: []u8 = try arena.realloc(first, i);
|
||||
return ret;
|
||||
}
|
||||
|
||||
pub fn upload(ctx: *Data, req: *Request, resp: *Response) !void {
|
||||
if (!isAuthorized(ctx, req)) {
|
||||
resp.status = 401;
|
||||
resp.body = "Unauthorized";
|
||||
return;
|
||||
}
|
||||
|
||||
// startsWith due to boundary
|
||||
if (!std.mem.startsWith(u8, req.header("content-type") orelse &.{}, "multipart/form-data")) {
|
||||
resp.status = 400;
|
||||
resp.body = "Bad Request";
|
||||
return;
|
||||
}
|
||||
|
||||
const body = try req.multiFormData();
|
||||
const value = body.get("file") orelse {
|
||||
resp.status = 400;
|
||||
resp.body = "Bad Request";
|
||||
return;
|
||||
};
|
||||
|
||||
const data = value.value;
|
||||
|
||||
var hash = Sha256.init(.{});
|
||||
hash.update(data);
|
||||
const digestBytes = hash.finalResult();
|
||||
const digestStack = std.fmt.bytesToHex(digestBytes, .lower);
|
||||
|
||||
// Free in Data
|
||||
const digest = try ctx.alloc.alloc(u8, digestStack.len);
|
||||
@memcpy(digest, digestStack[0..]);
|
||||
|
||||
ctx.mutex.lock();
|
||||
for (ctx.getFiles()) |file| {
|
||||
if (std.mem.eql(u8, file.hash, digest)) {
|
||||
ctx.alloc.free(digest);
|
||||
|
||||
resp.status = 409;
|
||||
resp.body = "Already Exists";
|
||||
return;
|
||||
}
|
||||
}
|
||||
ctx.mutex.unlock();
|
||||
|
||||
// Free in Data
|
||||
var name: []u8 = undefined;
|
||||
if (value.filename) |filename| {
|
||||
name = try ctx.alloc.alloc(u8, filename.len);
|
||||
@memcpy(name, filename);
|
||||
} else {
|
||||
const base = "image";
|
||||
name = try ctx.alloc.alloc(u8, base.len + EXT_MAX);
|
||||
_ = try std.fmt.bufPrint(name, "{s}.{s}", .{ base, try getExtension(ctx, data, resp.arena) });
|
||||
const len = (std.mem.indexOf(u8, name, &.{0}) orelse name.len - 1) + 1;
|
||||
name = try ctx.alloc.realloc(name, len);
|
||||
}
|
||||
|
||||
try ctx.addFile(name, digest, data);
|
||||
|
||||
resp.status = 200;
|
||||
resp.body = try std.fmt.allocPrint(resp.arena, "https://{s}/{s}", .{ ctx.config.domain, digest });
|
||||
}
|
||||
|
||||
pub fn direct(ctx: *Data, req: *Request, res: *Response) !void {
|
||||
const param = req.param("hash") orelse {
|
||||
res.status = 400;
|
||||
res.body = "Bad Request";
|
||||
return;
|
||||
};
|
||||
|
||||
var name: ?[]const u8 = null;
|
||||
ctx.mutex.lock();
|
||||
for (ctx.getFiles()) |file| {
|
||||
if (std.mem.eql(u8, file.hash, param)) {
|
||||
name = file.name;
|
||||
}
|
||||
}
|
||||
ctx.mutex.unlock();
|
||||
|
||||
if (name == null) {
|
||||
res.status = 404;
|
||||
res.body = "Not Found";
|
||||
return;
|
||||
}
|
||||
|
||||
var dir = ctx.dir.openDir("media", .{}) catch |err| {
|
||||
if (err == error.FileNotFound) {
|
||||
res.status = 404;
|
||||
res.body = "Not Found";
|
||||
return;
|
||||
}
|
||||
return err;
|
||||
};
|
||||
defer dir.close();
|
||||
|
||||
const file = dir.openFile(param, .{}) catch |err| {
|
||||
if (err == error.FileNotFound) {
|
||||
res.status = 404;
|
||||
res.body = "Not Found";
|
||||
return;
|
||||
}
|
||||
return err;
|
||||
};
|
||||
defer file.close();
|
||||
|
||||
const meta = try file.metadata();
|
||||
|
||||
const data = try res.arena.alloc(u8, meta.size());
|
||||
_ = try file.readAll(data);
|
||||
|
||||
var extIter = std.mem.splitBackwards(u8, name.?, ".");
|
||||
const ext = extIter.first();
|
||||
|
||||
res.status = 200;
|
||||
res.body = data;
|
||||
res.content_type = http.ContentType.forExtension(ext);
|
||||
res.header("Content-Disposition", try std.fmt.allocPrint(res.arena, "attachment; filename={s}", .{name.?}));
|
||||
}
|
||||
|
||||
pub fn html(ctx: *Data, req: *Request, res: *Response) !void {
|
||||
const param = req.param("hash") orelse {
|
||||
res.status = 400;
|
||||
res.body = "Bad Request";
|
||||
return;
|
||||
};
|
||||
|
||||
var exists = false;
|
||||
var name: ?[]const u8 = null;
|
||||
|
||||
ctx.mutex.lock();
|
||||
for (ctx.getFiles()) |file| {
|
||||
exists = std.mem.eql(u8, file.hash, param);
|
||||
if (exists) {
|
||||
name = file.name;
|
||||
break;
|
||||
}
|
||||
}
|
||||
ctx.mutex.unlock();
|
||||
|
||||
if (!exists) {
|
||||
res.status = 404;
|
||||
res.body = "Not Found";
|
||||
return;
|
||||
}
|
||||
|
||||
const directUrl = try std.fmt.allocPrint(res.arena, "https://{s}{s}/direct", .{ ctx.config.domain, req.url.raw });
|
||||
|
||||
const descriptions: [2][]const u8 = .{ ""ppl boycott rooms bc of them lol"", "achieved niche-internet-micro-infamy" };
|
||||
const description = descriptions[ctx.rand.random().intRangeAtMost(usize, 0, descriptions.len - 1)];
|
||||
|
||||
const raw = @embedFile("index.html");
|
||||
|
||||
const withName = try std.mem.replaceOwned(u8, res.arena, raw, "zig_img-name", name.?);
|
||||
|
||||
const withUrl = try std.mem.replaceOwned(u8, res.arena, withName, "zig_img-url", directUrl);
|
||||
res.arena.free(withName);
|
||||
|
||||
const withDescription = try std.mem.replaceOwned(u8, res.arena, withUrl, "zig_description", description);
|
||||
res.arena.free(withUrl);
|
||||
|
||||
res.status = 200;
|
||||
res.body = withDescription;
|
||||
}
|
||||
|
||||
pub fn delete(ctx: *Data, req: *Request, res: *Response) !void {
|
||||
if (!isAuthorized(ctx, req)) {
|
||||
res.status = 401;
|
||||
res.body = "Unauthorized";
|
||||
return;
|
||||
}
|
||||
|
||||
const param = req.param("hash") orelse {
|
||||
res.status = 400;
|
||||
res.body = "Bad Request";
|
||||
return;
|
||||
};
|
||||
|
||||
if (try ctx.deleteFile(param)) {
|
||||
res.status = 200;
|
||||
} else {
|
||||
res.status = 404;
|
||||
res.body = "Not Found";
|
||||
}
|
||||
}
|
Loading…
Add table
Reference in a new issue