mirror of
https://github.com/ziglang/zig.git
synced 2025-12-26 16:13:07 +00:00
I started working on #465 and made some corresponding std.io API changes. New structs: * std.io.FileInStream * std.io.FileOutStream * std.io.BufferedOutStream * std.io.BufferedInStream Removed: * std.io.File.in_stream * std.io.File.out_stream Now instead of &file.out_stream or &file.in_stream to get access to the stream API for a file, you get it like this: var file_in_stream = io.FileInStream.init(&file); const in_stream = &file_in_stream.stream; var file_out_stream = io.FileOutStream.init(&file); const out_stream = &file_out_stream.stream; This is evidence that we might not need any OOP features - See #130.
46 lines
1.4 KiB
Zig
46 lines
1.4 KiB
Zig
const std = @import("std");
|
|
const io = std.io;
|
|
const fmt = std.fmt;
|
|
const Rand = std.rand.Rand;
|
|
const os = std.os;
|
|
|
|
pub fn main() -> %void {
|
|
var stdout_file = %return io.getStdOut();
|
|
var stdout_file_stream = io.FileOutStream.init(&stdout_file);
|
|
const stdout = &stdout_file_stream.stream;
|
|
|
|
var stdin_file = %return io.getStdIn();
|
|
|
|
%return stdout.print("Welcome to the Guess Number Game in Zig.\n");
|
|
|
|
var seed_bytes: [@sizeOf(usize)]u8 = undefined;
|
|
%%os.getRandomBytes(seed_bytes[0..]);
|
|
const seed = std.mem.readInt(seed_bytes, usize, true);
|
|
var rand = Rand.init(seed);
|
|
|
|
const answer = rand.range(u8, 0, 100) + 1;
|
|
|
|
while (true) {
|
|
%return stdout.print("\nGuess a number between 1 and 100: ");
|
|
var line_buf : [20]u8 = undefined;
|
|
|
|
const line_len = stdin_file.read(line_buf[0..]) %% |err| {
|
|
%return stdout.print("Unable to read from stdin: {}\n", @errorName(err));
|
|
return err;
|
|
};
|
|
|
|
const guess = fmt.parseUnsigned(u8, line_buf[0..line_len - 1], 10) %% {
|
|
%return stdout.print("Invalid number.\n");
|
|
continue;
|
|
};
|
|
if (guess > answer) {
|
|
%return stdout.print("Guess lower.\n");
|
|
} else if (guess < answer) {
|
|
%return stdout.print("Guess higher.\n");
|
|
} else {
|
|
%return stdout.print("You win!\n");
|
|
return;
|
|
}
|
|
}
|
|
}
|