Haskell: почему мой парсер не отслеживает должным образом?
Я решил научить себя пользоваться Parsec
, и я попал немного в тупик с игрушечным проектом, который я себе назначил.
Я пытаюсь разобрать HTML, а именно:
<html>
<head>
<title>Insert Clever Title</title>
</head>
<body>
What don't you like?
<select id="some stuff">
<option name="first" font="green">boilerplate</option>
<option selected name="second" font="blue">parsing HTML with regexes</option>
<option name="third" font="red">closing tags for option elements
</select>
That was short.
</body>
</html>
Мой код:
{-# LANGUAGE FlexibleContexts, RankNTypes #-}
module Main where
import System.Environment (getArgs)
import Data.Map hiding (null)
import Text.Parsec hiding ((<|>), label, many, optional)
import Text.Parsec.Token
import Control.Applicative
data HTML = Element { tag :: String, attributes :: Map String (Maybe String), children :: [HTML] }
| Text { contents :: String }
deriving (Show, Eq)
type HTMLParser a = forall s u m. Stream s m Char => ParsecT s u m a
htmlDoc :: HTMLParser HTML
htmlDoc = do
spaces
doc <- html
spaces >> eof
return doc
html :: HTMLParser HTML
html = text <|> element
text :: HTMLParser HTML
text = Text <$> (many1 $ noneOf "<")
label :: HTMLParser String
label = many1 . oneOf $ ['a' .. 'z'] ++ ['A' .. 'Z']
value :: HTMLParser String
value = between (char '"') (char '"') (many anyChar) <|> label
attribute :: HTMLParser (String, Maybe String)
attribute = (,) <$> label <*> (optionMaybe $ spaces >> char '=' >> spaces >> value)
element :: HTMLParser HTML
element = do
char '<' >> spaces
tag <- label
-- at least one space between each attribute and what was before
attributes <- fromList <$> many (space >> spaces >> attribute)
spaces >> char '>'
-- nested html
children <- many html
optional $ string "</" >> spaces >> string tag >> spaces >> char '>'
return $ Element tag attributes children
main = do
source : _ <- getArgs
result <- parse htmlDoc source <$> readFile source
print result
Проблема, похоже, в том, что мой парсер не любит закрывающие теги - он, похоже, жадно предполагает, что <
всегда означает открывающий тег (насколько я могу судить):
% HTMLParser temp.html
Left "temp.html" (line 3, column 32):
unexpected "/"
expecting white space
Я немного поиграл с ним, и я не уверен, почему он не отступает назад. char '<'
совпадение.
1 ответ:
Как и сказал эхирд, мне нужно было использовать try:
attribute = (,) <$> label <*> (optionMaybe . try $ spaces >> char '=' >> spaces >> value) --... attributes <- fromList <$> many (try $ space >> spaces >> attribute) --... children <- many $ try html optional . try $ string "</" >> spaces >> string tag >> spaces >> char '>'