Ricerca…
Genera sequenze
Esistono diversi modi per creare una sequenza.
Puoi usare le funzioni dal modulo Seq:
// Create an empty generic sequence
let emptySeq = Seq.empty
// Create an empty int sequence
let emptyIntSeq = Seq.empty<int>
// Create a sequence with one element
let singletonSeq = Seq.singleton 10
// Create a sequence of n elements with the specified init function
let initSeq = Seq.init 10 (fun c -> c * 2)
// Combine two sequence to create a new one
let combinedSeq = emptySeq |> Seq.append singletonSeq
// Create an infinite sequence using unfold with generator based on state
let naturals = Seq.unfold (fun state -> Some(state, state + 1)) 0
Puoi anche usare l'espressione di sequenza:
// Create a sequence with element from 0 to 10
let intSeq = seq { 0..10 }
// Create a sequence with an increment of 5 from 0 to 50
let intIncrementSeq = seq{ 0..5..50 }
// Create a sequence of strings, yield allow to define each element of the sequence
let stringSeq = seq {
yield "Hello"
yield "World"
}
// Create a sequence from multiple sequence, yield! allow to flatten sequences
let flattenSeq = seq {
yield! seq { 0..10 }
yield! seq { 11..20 }
}
Introduzione alle sequenze
Una sequenza è una serie di elementi che possono essere elencati. È un alias di System.Collections.Generic.IEnumerable e pigro. Memorizza una serie di elementi dello stesso tipo (può essere qualsiasi valore o oggetto, anche un'altra sequenza). Le funzioni di Seq.module possono essere utilizzate per operare su di esso.
Ecco un semplice esempio di un'enumerazione di sequenza:
let mySeq = { 0..20 } // Create a sequence of int from 0 to 20
mySeq
|> Seq.iter (printf "%i ") // Enumerate each element of the sequence and print it
Produzione:
0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20
Seq.map
let seq = seq {0..10}
s |> Seq.map (fun x -> x * 2)
> val it : seq<int> = seq [2; 4; 6; 8; ...]
Applica una funzione a ogni elemento di una sequenza usando Seq.map
Seq.filter
Supponiamo di avere una sequenza di numeri interi e di creare una sequenza che contenga solo gli interi pari. Possiamo ottenere quest'ultimo utilizzando la funzione filter
del modulo Seq. La funzione filter
ha la firma del tipo ('a -> bool) -> seq<'a> -> seq<'a>
; questo indica che accetta una funzione che restituisce vero o falso (talvolta chiamato un predicato) per un dato input di tipo 'a
e una sequenza che comprende valori di tipo 'a
per ottenere una sequenza che comprende valori di tipo 'a
.
// Function that tests if an integer is even
let isEven x = (x % 2) = 0
// Generates an infinite sequence that contains the natural numbers
let naturals = Seq.unfold (fun state -> Some(state, state + 1)) 0
// Can be used to filter the naturals sequence to get only the even numbers
let evens = Seq.filter isEven naturals
Infinite sequenze ripetitive
let data = [1; 2; 3; 4; 5;]
let repeating = seq {while true do yield! data}
Le sequenze ripetute possono essere create usando un'espressione di calcolo seq {}