所以,我正在编写一个小解析器,它将使用特定类提取所有<td>
标记内容,例如<td class="liste">some content</td> --> Right "some content"
我将解析大html
个文件,但我并不真正关心所有的噪音,所以想法是消耗所有字符,直到我达到<td class="liste">
而不是我消耗所有字符(内容)直到</td>
并返回内容字符串。
如果文件中的最后一个元素是我的td.liste
标记,但是如果我之后有一些文本或eof
而不是我的解析器使用它,并且如果执行则抛出unexpected end of input
parseMyTest test3
。
- 编辑
请参阅test3
的结尾以了解边缘情况。
到目前为止,这是我的代码:
import Text.Parsec
import Text.Parsec.String
import Data.ByteString.Lazy (ByteString)
import Data.ByteString.Char8 (pack)
colOP :: Parser String
colOP = string "<td class=\"liste\">"
colCL :: Parser String
colCL = string "</td>"
col :: Parser String
col = do
manyTill anyChar (try colOP)
content <- manyTill anyChar $ try colCL
return content
cols :: Parser [String]
cols = many col
test1 :: String
test1 = "<td class=\"liste\">Hello world!</td>"
test2 :: String
test2 = read $ show $ pack test1
test3 :: String
test3 = "\n\r<html>asdfasd\n\r<td class=\"liste\">Hello world 1!</td>\n<td class=\"liste\">Hello world 2!</td>\n\rasldjfasldjf<td class=\"liste\">Hello world 3!</td><td class=\"liste\">Hello world 4!</td>adsafasd"
parseMyTest :: String -> Either ParseError [String]
parseMyTest test = parse cols "test" test
btos :: ByteString -> String
btos = read . show
答案 0 :(得分:3)
我创建了一个组合skipTill p end
,在p
匹配之前应用end
,然后返回end
返回的内容。
相比之下,manyTill p end
适用p
,直到end
匹配然后
返回p
解析器匹配的内容。
import Text.Parsec
import Text.Parsec.String
skipTill :: (Stream s m t) => ParsecT s u m a -> ParsecT s u m end -> ParsecT s u m end
skipTill p end = scan
where
scan = end <|> do { p; scan }
td :: Parser String
td = do
string "("
manyTill anyChar (try (string ")"))
tds = do r <- many (try (skipTill anyChar (try td)))
many anyChar -- discard stuff at end
return r
test1 = parse tds "" "111(abc)222(def)333" -- Right ["abc", "def"]
test2 = parse tds "" "111" -- Right []
test3 = parse tds "" "111(abc" -- Right []
test4 = parse tds "" "111(abc)222(de" -- Right ["abc"]
<强>更新强>
这似乎也有效:
tds' = scan
where scan = (eof >> return [])
<|> do { r <- try td; rs <- scan; return (r:rs) }
<|> do { anyChar; scan }