Justin Bozonier
Justin Bozonier

Reputation: 7702

F#: How do I use Map with a Collection (like Regex Matches)?

Soo... F# no longer has IEnumerable.map_with_type... which is the way people were mapping over collections. How do I do that now?

let urlPat = "href\\s*=\\s*(?:(?:\\\"(?<url>[^\\\"]*)\\\")|(?<url>[^\\s]* ))";;
let urlRegex = new Regex(urlPat)
let matches = 
    urlRegex.Matches(http("http://www.google.com"))

let matchToUrl (urlMatch : Match) = urlMatch.Value
let urls = List.map matchToUrl matches

Thanks!

Upvotes: 5

Views: 2310

Answers (2)

Tomas Petricek
Tomas Petricek

Reputation: 243041

you would write the last line like this:

let urls = Seq.map matchToUrl (Seq.cast matches);;

And this can be written in a nicer way using pipelining operator:

let urls = matches|> Seq.cast |> Seq.map matchToUrl;;

F# automatically figures out what is the right target type (because it knows what matchToUrl looks like). This is available only for Seq, so you can use List.of_seq to get the data into a list again.

Upvotes: 14

Chris Smith
Chris Smith

Reputation: 18712

Is Seq.cast what you are looking for?

Upvotes: 3

Related Questions