Dylan
Dylan

Reputation: 1306

Simple FParsec list example

I'm just getting started with FParsec and can't wrap my head around a simple list parser. Given the input

"{ a;b;c d; }"

I want to get the result ['a';'b';'c';'d']

If I do

let baseChars = ['0'..'9'] @ ['A'..'Z'] @ ['a'..'z'] @ ['_'; '-']
let chars : Parser<_> = anyOf baseChars
let nameChars : Parser<_> = anyOf (baseChars @ ['.'])                

let semiColonList p : Parser<_> = sepBy p (pstring ";")
let pList p : Parser<_> = between (pstring "{") (pstring "}") (semiColonList p)

do  """{
    a;b;c;
    d;
}"""
    |> run (parse {
        let! data = pList (spaces >>. many1Chars nameChars)
        return data
    })
    |> printfn "%A"

I get a failure on the last } as it's trying to match that on the nameChars parser before closing the between parser. This feels like there is a simple solution that I'm missing, especially since if I delete the last semi-colon after d all works as expected. Any help appreciated.

[edit] Thanks to Fyodor Soikin the following works:

    let semiColonList p = many (p .>> (pstring ";" >>. spaces))
    let pList p : Parser<_> = between (pstring "{") (pstring "}") (semiColonList p)
    """{
    a;b;c;
    d;
}"""
    |> run (parse {
        let! data = pList (spaces >>. many1Chars nameChars)
        return data
    })
    |> printfn "%A" 

Upvotes: 3

Views: 286

Answers (1)

Fyodor Soikin
Fyodor Soikin

Reputation: 80734

sepBy does not admit a trailing separator. A parser like sepBy a b is meant to parse input like a b a b a, but your input is like a b a b a b - there's an extra separator b at the end.

What you want to do instead is to parse multiple expressions that are like a b - that will give you your desired shape of the input.

In order to parse one such expression, use the sequencing operator .>>, and in order to parse multiple such pairs, use many:

semiColonList p = many (p .>> pstring ";")

Upvotes: 4

Related Questions