macro_rules! into_llist {
(
$( $key: expr ),* $( , )?
) => { ... };
}Expand description
Function and structures to work with collections.
Creates a LinkedList from a llist of elements.
The into_llist macro facilitates the creation of a LinkedList with initial elements.
Elements passed to the macro are automatically converted into the llist’s element type
using .into(), making it convenient to use literals or values of different, but convertible types.
Note: The into_llist macro leverages the .into() method to convert each element into the target type
of the LinkedList. Therefore, the elements must be compatible with the Into< T > trait for the
type T used in the LinkedList. Also, this means that sometimes you must specify the type of collection’s items.
§Origin
This collection is reexported from alloc.
§Syntax
The macro can be called with a comma-separated llist of elements. A trailing comma is optional.
// LinkedList of i32
let lst1: LinkedList< i32 > = into_llist!( 1, 2, 3, 4, 5 );
// LinkedList of String
let lst2: LinkedList< String > = into_llist!{ "hello".to_string(), "world", "rust" };
// With trailing comma
let lst3: LinkedList< f64 > = into_llist!( 1.1, 2.2, 3.3, );§Parameters
$( $key: expr ),* $( , )?: A comma-separated llist of elements to insert into theLinkedList. Each element can be of any type that implements theInto< T >trait, whereTis the type stored in theLinkedList.
§Returns
Returns a LinkedList containing all the specified elements. The capacity of the llist is
dynamically adjusted based on the number of elements provided.
§Example
Basic usage with integers :
let lst: LinkedList< i32 > = into_llist!( 1, 2, 3 );
assert_eq!( lst.front(), Some( &1 ) ); // The first element is 1
assert_eq!( lst.back(), Some( &3 ) ); // The last element is 3§Example
Using with different types that implement Into< T > :
let chars: LinkedList< String > = into_llist!( "a", "b", "c" );
assert!( chars.contains( &"a".to_string() ) );
assert!( chars.contains( &"b".to_string() ) );
assert!( chars.contains( &"c".to_string() ) );§Example
Creating a LinkedList of String from string literals :
let fruits: LinkedList< String > = into_llist!{ "apple", "banana", "cherry" };
assert_eq!( fruits.front(), Some( &"apple".to_string() ) ); // The first element
assert_eq!( fruits.back(), Some( &"cherry".to_string() ) ); // The last element