mirror of
https://github.com/ziglang/zig.git
synced 2024-11-26 23:22:44 +00:00
71 lines
2.1 KiB
Zig
71 lines
2.1 KiB
Zig
const std = @import("std");
|
|
const expect = std.testing.expect;
|
|
|
|
// You can assign constant pointers to arrays to a slice with
|
|
// const modifier on the element type. Useful in particular for
|
|
// String literals.
|
|
test "*const [N]T to []const T" {
|
|
const x1: []const u8 = "hello";
|
|
const x2: []const u8 = &[5]u8{ 'h', 'e', 'l', 'l', 111 };
|
|
try expect(std.mem.eql(u8, x1, x2));
|
|
|
|
const y: []const f32 = &[2]f32{ 1.2, 3.4 };
|
|
try expect(y[0] == 1.2);
|
|
}
|
|
|
|
// Likewise, it works when the destination type is an error union.
|
|
test "*const [N]T to E![]const T" {
|
|
const x1: anyerror![]const u8 = "hello";
|
|
const x2: anyerror![]const u8 = &[5]u8{ 'h', 'e', 'l', 'l', 111 };
|
|
try expect(std.mem.eql(u8, try x1, try x2));
|
|
|
|
const y: anyerror![]const f32 = &[2]f32{ 1.2, 3.4 };
|
|
try expect((try y)[0] == 1.2);
|
|
}
|
|
|
|
// Likewise, it works when the destination type is an optional.
|
|
test "*const [N]T to ?[]const T" {
|
|
const x1: ?[]const u8 = "hello";
|
|
const x2: ?[]const u8 = &[5]u8{ 'h', 'e', 'l', 'l', 111 };
|
|
try expect(std.mem.eql(u8, x1.?, x2.?));
|
|
|
|
const y: ?[]const f32 = &[2]f32{ 1.2, 3.4 };
|
|
try expect(y.?[0] == 1.2);
|
|
}
|
|
|
|
// In this cast, the array length becomes the slice length.
|
|
test "*[N]T to []T" {
|
|
var buf: [5]u8 = "hello".*;
|
|
const x: []u8 = &buf;
|
|
try expect(std.mem.eql(u8, x, "hello"));
|
|
|
|
const buf2 = [2]f32{ 1.2, 3.4 };
|
|
const x2: []const f32 = &buf2;
|
|
try expect(std.mem.eql(f32, x2, &[2]f32{ 1.2, 3.4 }));
|
|
}
|
|
|
|
// Single-item pointers to arrays can be coerced to many-item pointers.
|
|
test "*[N]T to [*]T" {
|
|
var buf: [5]u8 = "hello".*;
|
|
const x: [*]u8 = &buf;
|
|
try expect(x[4] == 'o');
|
|
// x[5] would be an uncaught out of bounds pointer dereference!
|
|
}
|
|
|
|
// Likewise, it works when the destination type is an optional.
|
|
test "*[N]T to ?[*]T" {
|
|
var buf: [5]u8 = "hello".*;
|
|
const x: ?[*]u8 = &buf;
|
|
try expect(x.?[4] == 'o');
|
|
}
|
|
|
|
// Single-item pointers can be cast to len-1 single-item arrays.
|
|
test "*T to *[1]T" {
|
|
var x: i32 = 1234;
|
|
const y: *[1]i32 = &x;
|
|
const z: [*]i32 = y;
|
|
try expect(z[0] == 1234);
|
|
}
|
|
|
|
// test
|