2021-01-18 19:21:18 -05:00
|
|
|
//
|
2023-02-21 15:43:40 -05:00
|
|
|
// For loops also let you use the "index" of the iteration, a number
|
|
|
|
// that counts up with each iteration. To access the index of iteration,
|
|
|
|
// specify a second condition as well as a second capture value.
|
2021-01-18 19:21:18 -05:00
|
|
|
//
|
2023-02-21 15:43:40 -05:00
|
|
|
// for (items, 0..) |item, index| {
|
2021-02-07 11:06:51 -05:00
|
|
|
//
|
2021-01-18 19:21:18 -05:00
|
|
|
// // Do something with item and index
|
2021-02-07 11:06:51 -05:00
|
|
|
//
|
2021-01-18 19:21:18 -05:00
|
|
|
// }
|
|
|
|
//
|
2021-02-07 11:06:51 -05:00
|
|
|
// You can name "item" and "index" anything you want. "i" is a popular
|
|
|
|
// shortening of "index". The item name is often the singular form of
|
|
|
|
// the items you're looping through.
|
|
|
|
//
|
2021-01-18 19:21:18 -05:00
|
|
|
const std = @import("std");
|
|
|
|
|
|
|
|
pub fn main() void {
|
|
|
|
// Let's store the bits of binary number 1101 in
|
2023-06-09 11:25:10 -04:00
|
|
|
// 'little-endian' order (least significant byte or bit first):
|
2021-01-18 19:21:18 -05:00
|
|
|
const bits = [_]u8{ 1, 0, 1, 1 };
|
|
|
|
var value: u32 = 0;
|
|
|
|
|
|
|
|
// Now we'll convert the binary bits to a number value by adding
|
2021-02-07 11:06:51 -05:00
|
|
|
// the value of the place as a power of two for each bit.
|
2021-01-18 19:21:18 -05:00
|
|
|
//
|
2023-02-21 15:43:40 -05:00
|
|
|
// See if you can figure out the missing pieces:
|
|
|
|
for (bits, ???) |bit, ???| {
|
2021-04-10 14:45:25 -04:00
|
|
|
// Note that we convert the usize i to a u32 with
|
|
|
|
// @intCast(), a builtin function just like @import().
|
|
|
|
// We'll learn about these properly in a later exercise.
|
2023-06-26 17:43:39 -04:00
|
|
|
const i_u32: u32 = @intCast(i);
|
|
|
|
const place_value = std.math.pow(u32, 2, i_u32);
|
2021-01-18 19:21:18 -05:00
|
|
|
value += place_value * bit;
|
|
|
|
}
|
|
|
|
|
|
|
|
std.debug.print("The value of bits '1101': {}.\n", .{value});
|
|
|
|
}
|
2023-04-30 16:23:35 -04:00
|
|
|
//
|
|
|
|
// As mentioned in the previous exercise, 'for' loops have gained
|
|
|
|
// additional flexibility since these early exercises were
|
|
|
|
// written. As we'll see in later exercises, the above syntax for
|
2023-04-30 17:12:35 -04:00
|
|
|
// capturing the index is part of a more general ability. Hang in
|
2023-04-30 16:23:35 -04:00
|
|
|
// there!
|