tahuruzzoha's blog

By tahuruzzoha, history, 5 months ago, In English

Intro

Rust is proving to be a productive tool for collaborating among large teams of developers with varying levels of systems programming knowledge. Low-level code is prone to various subtle bugs, which in most other languages can be caught only through extensive testing and careful code review by experienced developers. In Rust, the compiler plays a gatekeeper role by refusing to compile code with these elusive bugs, including concurrency bugs. By working alongside the compiler, the team can spend their time focusing on the program’s logic rather than chasing down bugs.

Now, let's look at some basic data structure implementations in Rust:

This Rust code demonstrates the creation and printing of an array.

Let's break down the key components:

fn main() {
    // Declares an array named 'arr' containing elements of type i32 with a length of 3.
    let arr: [i32; 3] = [1, 2, 3];
    // Prints the content of the array using the debug formatting.
    println!("{:?}", arr);
}


Array Declaration:

  • let arr: [i32; 3]: Declares a variable named arr of type array ([i32; 3]).
  • i32 specifies the type of elements in the array (32-bit signed integers).
  • 3 specifies the length of the array.

Array Initialization:

  • = [1, 2, 3];: Initializes the array with three elements: 1, 2, and 3.

Printing the Array:

  • println!("{:?}", arr);: Prints the content of the array using the println! macro.
  • {:?} is a format specifier for debugging purposes. It prints the array in a debug format.

This Rust code demonstrates the creation and printing of a vector.

Let's break down the key components:

fn main() {
    // Declares a vector named 'vec' containing elements of type i32.
    let vec: Vec<i32> = vec![1, 2, 3];
    // Prints the content of the vector using the debug formatting.
    println!("{:?}", vec);
}

Vector Declaration:

  • let vec: Vec: Declares a variable named vec of type Vec.
  • Vec represents a dynamic array or vector of 32-bit signed integers.

Vector Initialization:

  • = vec![1, 2, 3];: Initializes the vector with three elements: 1, 2, and 3.
  • The vec! macro is used to create and initialize a vector.

Printing the Vector:

  • println!("{:?}", vec);: Prints the content of the vector using the println! macro.
  • {:?} is a format specifier for debugging purposes. It prints the vector in a debug format.

This Rust code illustrates the implementation of a simple linked list using the Box type for heap-allocated nodes.

Let's break down the key components:

// Using Box for heap-allocated nodes
struct Node {
    data: i32,
    next: Option<Box<Node>>,
}
fn main() {
    // Creating a linked list with two nodes
    let list = Some(Box::new(Node {
        data: 1,
        next: Some(Box::new(Node {
            data: 2,
            next: None,
        })),
    }));
    // Printing the linked list
    println!("{:?}", list);
}

Node Struct:

  • struct Node: Defines a struct named Node representing a node in the linked list.
  • data: i32: Stores an integer value in the node.
  • next: Option<Box>: Represents the next node in the linked list. It is an Option to handle the case where there might not be a next node. The Box is used for heap allocation.

Linked List Initialization:

  • let list = Some(Box::new(Node {...}));: Initializes a linked list with two nodes.
  • The first node contains data 1 and points to the second node.
  • The second node contains data 2 and has no next node (represented by None).

Printing the Linked List:

  • println!("{:?}", list);: Prints the linked list using the println! macro with the {:?} format specifier for debugging.
  • The output will show the structure of the linked list.

Output:

  • When the program is executed, it will print the structure of the linked list:
    Some(Node { data: 1, next: Some(Node { data: 2, next: None }) })

This code represents a basic singly linked list with two nodes. Each node is allocated on the heap using Box, allowing for dynamic memory management. The Option type is used to handle the case where the next node may or may not exist.

This Rust code demonstrates the usage of the HashMap data structure from the standard library.

Here's an explanation of the code:

use std::collections::HashMap;

fn main() {
    // Creating a new HashMap
    let mut map = HashMap::new();
    // Inserting key-value pairs into the HashMap
    map.insert("key1", "value1");
    map.insert("key2", "value2");
    // Printing the HashMap
    println!("{:?}", map);
}

Importing HashMap:

  • use std::collections::HashMap;: Imports the HashMap data structure from the std::collections module.

Creating a HashMap:

  • let mut map = HashMap::new();: Creates a new, mutable HashMap named map.

Inserting Key-Value Pairs:

  • map.insert("key1", "value1");: Inserts a key-value pair into the HashMap. In this case, the key is "key1" and the value is "value1".
  • map.insert("key2", "value2");: Inserts another key-value pair with key "key2" and value "value2".

Printing the HashMap:

  • println!("{:?}", map);: Prints the HashMap using the println! macro with the {:?} format specifier for debugging.
  • The output will display the contents of the HashMap.

Output:

  • When the program is executed, it will print the HashMap:
    {"key1": "value1", "key2": "value2"}

This Rust code demonstrates the implementation of a simple stack using a generic Stack struct.

Here's an explanation of the code:

#[derive(Debug)]
struct Stack<T> {
    items: Vec<T>,
}
impl<T> Stack<T> {
    // Constructor to create a new empty stack
    fn new() -> Stack<T> {
        Stack { items: Vec::new() }
    }
    // Push an item onto the stack
    fn push(&mut self, item: T) {
        self.items.push(item);
    }
    // Pop an item from the stack, returning an Option<T>
    fn pop(&mut self) -> Option<T> {
        self.items.pop()
    }
}

fn main() {
    // Create a new stack of integers
    let mut stack = Stack::new();
    // Push elements onto the stack
    stack.push(1);
    stack.push(2);
    // Pop an element from the stack and print it
    println!("{:?}", stack.pop());
}

Stack Struct:

  • struct Stack { items: Vec }: Defines a generic Stack struct with a vector (Vec) to store items.

impl Block:

  • impl Stack { ... }: Implements methods for the Stack struct for a specific generic type T.

new Method:

  • fn new() -> Stack { ... }: Constructor method to create a new empty stack.

push Method:

  • fn push(&mut self, item: T) { ... }: Adds an item to the top of the stack.

pop Method:

  • fn pop(&mut self) -> Option { ... }: Removes and returns the item from the top of the stack, wrapped in Option to handle the case when the stack is empty.

main Function:

  • Creates a new stack of integers (Stack).
  • Pushes the values 1 and 2 onto the stack.
  • Pops an item from the stack and prints it.

Output:

  • When the program is executed, it will print the popped item from the stack:
    Some(2)

These examples cover arrays, vectors, linked lists, hash maps, and a basic stack. Rust's ownership system and borrowing make these implementations unique. Feel free to explore more and build upon these examples as you delve deeper into Rust. Remember to check for any updates or changes to the language and libraries, as Rust is actively developed.

Rust's ownership system and borrowing are key features that contribute to its safety and performance. Let's explore how these concepts make data structure implementations unique:

Ownership System in Rust

The ownership system is one of the key features that sets Rust apart from many other programming languages. It is designed to ensure memory safety without the need for garbage collection. The ownership system consists of three main principles: ownership, borrowing, and lifetimes.

Ownership Rules:

  1. Each value in Rust has a variable that is its "owner."
  2. Values can only have one owner at a time.
  3. When the owner goes out of scope, the value is dropped.

Move Semantics:

  1. Values are moved, not copied. This ensures memory safety without sacrificing performance.
  2. For example, when passing a value to a function, ownership is transferred, and the original owner can no longer use it.

Borrowing concepts of Rust

Borrowing in Rust is a mechanism that allows you to pass references to values without transferring ownership. This allows multiple parts of your code to interact with the same data without duplicating it or introducing potential issues related to ownership.

References:

  1. Borrowing allows multiple parts of the code to read data without taking ownership.
  2. References are created using the & symbol.
  3. Immutable references (&T) allow reading data, while mutable references (&mut T) allow modifying data.

Lifetime Annotations:

  1. Lifetimes ensure that references are valid for a specific duration.
  2. They prevent dangling references, where a reference outlives the data it points to.

Lifetimes are a way of expressing how long references are valid. They ensure that references used in your code do not outlive the data they point to, preventing dangling references and memory safety issues. Lifetimes are explicitly annotated in function signatures and data structures to help the borrow checker enforce these rules.

Understanding ownership and borrowing is crucial for writing idiomatic and efficient Rust code.

That's all for today.

Some other day, I will share some interesting facts and features about Rust programming language concepts. See you al

Full text and comments »

  • Vote: I like it
  • +30
  • Vote: I do not like it

By tahuruzzoha, history, 6 months ago, In English

Problem: You are given an undirected connected graph and a set of Q queries. Each query involves removing a vertex 'v' from the graph. After removing vertex 'v', the subtree of 'v's child is disconnected from the rest of the graph and is treated as a separate component. For each such component, calculate the value v(v-1)/2, where v is the count of vertices in that component.

The goal is to minimize the pairwise connectivity after removing each node. The pairwise connectivity is the sum of v(v-1)/2 for all components resulting from the removal of the node 'v'.

Input: A connected undirected graph with nodes (vertices) and edges. Q queries, each specifying a vertex 'v' to be removed.

Output: For each query, output the minimum pairwise connectivity after removing the specified vertex 'v' according to the rules defined above.

Constraints: The number of nodes (vertices) in the graph is less than or equal to 20^5. The number of queries is less than or equal to 20^5. Queries are independent of each other.

Example: Input: Graph: {1-2, 1-3, 2-4, 2-5, 3-6} Queries: Q1(1), Q2(2), Q3(3)

Output: After removing vertex 1: Pairwise connectivity = 4 After removing vertex 2: Pairwise connectivity = 4 After removing vertex 3: Pairwise connectivity = 2

Note: The provided example is for illustration purposes only and may not represent the actual solution to the problem. The actual solution depends on the specific structure of the given graph and queries.

Full text and comments »

  • Vote: I like it
  • -1
  • Vote: I do not like it