开发者

Seq head and tail

开发者 https://www.devze.com 2023-02-03 03:01 出处:网络
Is there a one-line开发者_JS百科r way to do implement nextLine? let s = ref seqOfLines let nextLine() =

Is there a one-line开发者_JS百科r way to do implement nextLine?

let s = ref seqOfLines
let nextLine() =
  let hd = Seq.head !s
  s := Seq.skip 1 !s
  hd

seqOfLines is assumed to be infinite


One way to do this is to utilize the underlying IEnumerator<String>. It isn't quite a one-liner, but it appears to be a bit cleaner than the implementation you have. (Doesn't rely on mutable, properly uses the .NET idioms.)

Essentially you get the IEnumerator<'a> interface from the sequence, and then just loop on calling MoveNext. This will work fine on an infinite sequence.

> let getNextFunc (seqOfLines : seq<'a>) =               
-     let linesIE : IEnumerator<'a> = seqOfLines.GetEnumerator()
-     (fun () -> ignore (linesIE.MoveNext()); linesIE.Current);;

val getNextFunc : seq<'a> -> (unit -> 'a)

To use, just pass getNextFunc a sequence, and it will return your nextLine function.

> let sequenceOfStrings = seq { for i = 0 to 10000 do yield i.ToString() };;

val sequenceOfStrings : seq<string>

> let nextLine = getNextFunc sequenceOfStrings;;  

val nextLine : (unit -> string)

> nextLine();;
val it : string = "0"
> nextLine();;
val it : string = "1"
> nextLine();;
val it : string = "2"
> nextLine();;
val it : string = "3"


Hmmm, I think you're trying to approach this too imperatively, and as a result, you're going to end up writing some funky code and losing the benefits of function programming.

You might benefit by re-writing your function so it takes current state and returns value * next state. This will keep your function purely functional. You also might find it easier to convert your infinite seq to a LazyList instead (you need to reference the F# PowerPack for this), so you don't have to touch the underlying enumerator directly:

> open LazyList
let seqOfLines = Seq.initInfinite (fun i -> i) |> LazyList.ofSeq
let nextLine = function Cons(x, xs) -> x, xs | Nil -> failwith "Empty list";;

val seqOfLines : LazyList<int>
val nextLine : LazyList<'a> -> 'a * LazyList<'a>

> nextLine seqOfLines;;
val it : int * LazyList<int> = (0, seq [1; 2; 3; 4; ...])
> nextLine (snd it);;
val it : int * LazyList<int> = (1, seq [2; 3; 4; 5; ...])
> nextLine (snd it);;
val it : int * LazyList<int> = (2, seq [3; 4; 5; 6; ...])
> nextLine (snd it);;
val it : int * LazyList<int> = (3, seq [4; 5; 6; 7; ...])


FSharpx.Collections has some useful/efficient functions such as Seq.tail, Seq.Head and Seq.UnCons that might be useful if you want to decompose a Seq into head and tail.

0

精彩评论

暂无评论...
验证码 换一张
取 消