探索编程作品程序可以从以下几个方面入手:
基础语法示例
Hello, World!程序:这是所有编程语言的起点,用于展示 Rust 的基本语法和项目结构。
```rust
fn main() {
println!("Hello, World!");
}
```
变量和可变性:Rust 默认是不可变的,变量的可变性需要显式声明。
```rust
fn main() {
let x = 5;
println!("The value of x is: {}", x);
let mut y = 10;
println!("The initial value of y is: {}", y);
y = 15;
println!("The new value of y is: {}", y);
}
```
数据结构示例
结构体和实现方法:结构体是 Rust 中用于创建自定义数据类型的基本方式,可以为结构体实现方法。
```rust
struct Rectangle {
width: u32,
height: u32,
}
impl Rectangle {
fn area(&self) -> u32 {
self.width * self.height
}
}
fn main() {
let rect = Rectangle { width: 30, height: 50 };
println!("The area of the rectangle is: {}", rect.area());
}
```
功能实现示例
简单计算器程序:实现一个简单的命令行计算器,可以进行加、减、乘、除运算。
```rust
use std::io;
fn main() {
let mut num1 = String::new();
let mut operator = String::new();
let mut num2 = String::new();
println!("请输入第一个数字:");
io::stdin().read_line(&mut num1).expect("读取失败");
println!("请输入运算符(+、-、*、/):");
io::stdin().read_line(&mut operator).expect("读取失败");
println!("请输入第二个数字:");
io::stdin().read_line(&mut num2).expect("读取失败");
let num1: f64 = num1.trim().parse().expect("请输入有效的数字");
let operator: char = operator.trim().chars().next().expect("请输入有效的运算符");
let num2: f64 = num2.trim().parse().expect("请输入有效的数字");
let mut result = None;
match operator {
'+' => result = Some(num1 + num2),
'-' => result = Some(num1 - num2),
'*' => result = Some(num1 * num2),
'/' => {
if num2 == 0.0 {
println!("除数不能为0");
} else {
result = Some(num1 / num2);
}
}
_ => println!("无效的运算符"),
}
match result {
Some(res) => println!("{} {} {} = {}", num1, operator, num2, res),
None => println!("计算过程中出现错误"),
}
}
```
项目结构示例
待办事项列表管理程序:使用列表实现待办事项列表管理程序。