nik
nik

Reputation: 1784

Converting float[,] to list in f#?

I have a function that works fine for lists however the input to the function comes as float[,] from external system / language.

I read this but when I apply this I get an error float[,] is not compatible with Seq<a'>. However this list is also only of floats.

List function:

let aggrArraysL data =
    data
    |> Seq.groupBy (fun (a, b, c) -> a)
    |> Seq.map (fun (key, group) ->
        group |> Seq.reduce (fun (a, b, c) (x, y, z) -> a, b + y, (b * c + y * z * 1.)/(b + y)))

Array attempt:

let aggrArrays (data2 : float[,]) =
    data2
    |> Seq.toList
    |> Seq.groupBy (fun (a, b, c) -> a)
    |> Seq.map (fun (key, group) ->
        group |> Seq.reduce (fun (a, b, c) (x, y, z) -> a, b + y, (b * c + y * z * 1.)/(b + y)))
    |> Seq.toArray

Where am I going wrong? thanks!

Upvotes: 2

Views: 809

Answers (1)

Lee
Lee

Reputation: 144216

2D arrays implement IEnumerable so you can just cast them using Seq.cast<T>:

let toList (data2: float[,]) = data2 |> Seq.cast<float> |> Seq.toList

You probably want to make it generic:

let toList<'a> (data2: 'a [,]) = data2 |> Seq.cast<'a> |> Seq.toList

EDIT: It looks like you want to map the array into a list of row elements instead of flattening it. In this case you could do:

let aggrArrays (data2:float[,])  =
    [0 .. (Array2D.length1 data2) - 1]
    |> List.map (fun i -> (data2.[i, 0], data2.[i, 1], data2.[i, 2]))
    |> Seq.groupBy id
    |> Seq.map (fun (key, group) -> group |> Seq.reduce (fun (a,b,c) (x, y, z) -> a, b+y , (b*c+y*z*1.)/(b+y)))
    |> Seq.toArray

Upvotes: 4

Related Questions