https://github.com/karpetrosyan/cookbook
https://github.com/karpetrosyan/cookbook
Last synced: 3 months ago
JSON representation
- Host: GitHub
- URL: https://github.com/karpetrosyan/cookbook
- Owner: karpetrosyan
- Created: 2023-06-24T05:51:10.000Z (almost 2 years ago)
- Default Branch: master
- Last Pushed: 2023-06-24T05:54:55.000Z (almost 2 years ago)
- Last Synced: 2025-03-10T18:16:20.270Z (3 months ago)
- Language: Rust
- Size: 1000 Bytes
- Stars: 0
- Watchers: 1
- Forks: 0
- Open Issues: 0
-
Metadata Files:
- Readme: README.md
Awesome Lists containing this project
README
## Declaration
### python
```py
number: int = 10
text: str = "Text"
(first, second) = (1, 2)
```### rust
```rust
let number: i32 = 10;
let text: &str = "Text";
let (first, second) = (1, 2);
```## Mutability
`Python` has mutable values by default, but in `rust`, we must specify that this variable is mutable using the `mut` keyword.
### python
```py
number: int = 10
number += 1
``````rust
let mut number: i32 = 10;
number += 1;
```## Common types
```py
number: int = 10
string: str = "Text"
boolean: bool = True
tup: tuple[int, int] = (10, 10)
``````rust
let number: int = 10;
let string: &str = "Text";
let boolean: bool = true;
let tup: (i32, i32) = (10, 10);
```## Functions
```py
def fib(n: int) -> int:
if n < 2:
return n
return fib(n-1) + fib(n-2)
``````rust
fn fib(n: i32) -> i32 {
if n < 2 {
return n;
}
return fib(n-1) + fib(n-2);
}
```## if
```py
if True:
print("True")
else:
print("False")
``````rust
if true {
print!("True\n");
}
else {
print!("False\n");
}
```## For
```py
for i in range(5, 10):
print("In loop")
``````rust
for i in 5..10 {
print!("In loop")
}
```or
```rust
for i in (std::ops::Range{start: 3, end:5}) {
print!("Test\n");
}
```## While
```py
while x < 10:
x+=1
``````rust
while x < 10 {
x+=1;
}
```