在Haskell

时间:2018-01-16 09:47:19

标签: haskell testing

我的目标是能够定义一组测试方法和一组测试用例(输入/输出数据),然后执行它们的所有组合。目标是避免在说出相同功能的3种不同实现和功能应满足的4种测试用例时反复重写相同的代码。一种天真的方法需要我编写12行代码:

testMethod1 testCase1

testMethod1 testCase2

...

testMethod3 testCase4

我有一种直觉,认为Haskell应该提供一种以某种方式抽象这种模式的方法。我目前提出的最好的事情是这段代码:

import Control.Applicative

data TestMethod a = TM a
data TestData inp res = TD inp res

runMetod (TM m) (TD x res) = m x == res

runAllMethods ((m, inp):xs) = show (runMetod m inp) ++ "\n" ++ runAllMethods xs
runAllMethods _          = ""

head1 = head
head2 (x:xs) = x
testMethods = [TM head1, TM head2]
testData = [TD [1,2,3] 1, TD [4,5,6] 4]

combos = (,) <$> testMethods <*> testData

main = putStrLn $ runAllMethods combos

这可行,针对两个2个函数计算2个测试并打印出4个成功:

True
True
True
True

但是,这仅适用于相同类型的列表,即使head函数与列表类型无关。我希望有一个任何列表的测试数据集合,如:

import Control.Applicative

data TestMethod a = TM a
data TestData inp res = TD inp res

runMetod (TM m) (TD x res) = m x == res

runAllMethods ((m, inp):xs) = show (runMetod m inp) ++ "\n" ++ runAllMethods xs
runAllMethods _          = ""

head1 = head
head2 (x:xs) = x
testMethods = [TM head1, TM head2]
testData = [TD [1,2,3] 1, TD ['a','b','c'] 'a']

combos = (,) <$> testMethods <*> testData

main = putStrLn $ runAllMethods combos

但失败并出现错误:

main.hs:12:21: error:
No instance for (Num Char) arising from the literal ‘1’
In the expression: 1
In the first argument of ‘TD’, namely ‘[1, 2, 3]’
In the expression: TD [1, 2, 3] 1

是否有可能以某种方式实现此测试功能X测试用例交叉测试?

1 个答案:

答案 0 :(得分:1)

你应该真的使用QuickCheck或类似的,就像hnefatl说的那样。 但只是为了它的乐趣,让我们让你的想法发挥作用。

所以你有一个多态函数和许多不同类型的测试用例。唯一重要的是你可以应用每种类型的函数。

让我们来看看你的功能。它的类型为[a] -> a。您的测试数据应该如何?它应该包含一个值的列表,它应该支持相等比较。这导致您的定义如下:

{-# LANGUAGE GADTs #-}
{-# LANGUAGE ImpredicativeTypes #-}
{-# LANGUAGE RankNTypes #-}

data TestData where
  TestData :: Eq a => [a] -> a -> TestData

您需要启用GADTs语言扩展才能生效。要使以下工作,你需要这两个扩展(虽然整个事情可以用类型类来概括,以避免这种情况,只需看看QuickCheck)。

现在测试一下:

head1 = head
head2 (a : as) = a

test :: (forall a . [a] -> a) -> TestData -> Bool
test f (TestData as a) = f as == a

testAll :: [(forall a . [a] -> a)] -> [TestData] -> Bool
testAll fs testDatas = and $ test <$> fs <*> testDatas

main = putStrLn $ if testAll [head1, head2] [TestData "Foo" 'F', TestData [1..] 1]
  then "Success!"
  else "Oh noez!"

我会留给你概括为不同的测试功能类型。