-
Notifications
You must be signed in to change notification settings - Fork 7
/
Copy pathMain.hs
562 lines (491 loc) · 21 KB
/
Main.hs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
{-# LANGUAGE BangPatterns #-}
{-# LANGUAGE DeriveFoldable #-}
{-# LANGUAGE DeriveFunctor #-}
{-# LANGUAGE DeriveTraversable #-}
{-# LANGUAGE FlexibleInstances #-}
{-# LANGUAGE LambdaCase #-}
{-# LANGUAGE OverloadedStrings #-}
{-# LANGUAGE RecordWildCards #-}
{-# LANGUAGE ScopedTypeVariables #-}
module Main
( main
) where
import Control.Applicative ((<|>))
import qualified Control.Concurrent.Async as Async
import qualified Control.Concurrent.MVar as MVar
import Control.Exception (finally, throwIO)
import Control.Monad (forM, forM_, mzero, unless, when)
import qualified Data.Aeson as A
import qualified Data.Aeson.Encode.Pretty as Aeson.Pretty
import Data.Algorithm.Diff
import Data.Algorithm.DiffOutput
import qualified Data.ByteString as B
import qualified Data.ByteString.Lazy as BL
import qualified Data.Foldable as F
import Data.Function (on)
import qualified Data.HashMap.Strict as HMS
import qualified Data.IORef as IORef
import qualified Data.List as List
import qualified Data.Text as T
import qualified Data.Text.Encoding as T
import Data.Version (showVersion)
import qualified Options.Applicative as OA
import Paths_goldplate (version)
import qualified System.Directory as Dir
import System.Environment (getEnvironment)
import System.Exit (ExitCode (..), exitFailure)
import qualified System.FilePath as FP
import qualified System.FilePath.Glob as Glob
import qualified System.IO as IO
import qualified System.Process as Process
import qualified Text.Regex.PCRE.Simple as Pcre
import Text.Splice
--------------------------------------------------------------------------------
-- | This is a little helper type that we use when we either support multiple
-- things (e.g. lines of stdin) or a single thing (e.g. a single string of
-- stdin).
data Multiple a = Multiple [a] | Single a
deriving (Foldable, Functor, Traversable)
instance A.FromJSON a => A.FromJSON (Multiple a) where
parseJSON v = (Multiple <$> A.parseJSON v) <|> (Single <$> A.parseJSON v)
multipleToList :: Multiple a -> [a]
multipleToList = F.toList
--------------------------------------------------------------------------------
-- | A specification that we parse from a JSON file.
-- The type parameter indicates the fields that we allow splicing over.
data Spec a = Spec
{ specInputFiles :: !(Maybe a)
, specCommand :: !a
, specArguments :: ![a]
, specStdin :: !(Maybe (Multiple a))
, specEnv :: ![(a, a)]
, specWorkDir :: !(Maybe a)
, specAsserts :: ![Assert a]
} deriving (Foldable, Functor, Traversable)
instance A.FromJSON (Spec String) where
parseJSON = A.withObject "FromJSON Spec" $ \o -> Spec
<$> o A..:? "input_files"
<*> o A..: "command"
<*> o A..:? "arguments" A..!= []
<*> o A..:? "stdin"
<*> (maybe [] HMS.toList <$> o A..:? "environment")
<*> o A..:? "working_directory"
<*> o A..: "asserts"
--------------------------------------------------------------------------------
-- | Post processing of stdout or created files.
type PostProcess = [PostProcessStep]
data PostProcessStep
= PrettifyJsonStep
| ReplaceStep !Pcre.Regex !T.Text
instance A.FromJSON PostProcessStep where
parseJSON = \case
A.String "prettify_json" -> pure PrettifyJsonStep
A.Object o -> ReplaceStep
<$> (do
p <- o A..: "pattern"
either (fail . show) return (Pcre.compile copts eopts p))
<*> o A..: "replacement"
_ -> mzero
where
copts = Pcre.optionUtf8 <> Pcre.optionMultiline
eopts = mempty
postProcess :: PostProcess -> B.ByteString -> B.ByteString
postProcess ps bs0 = List.foldl' (flip postProcessStep) bs0 ps
postProcessStep :: PostProcessStep -> B.ByteString -> B.ByteString
postProcessStep PrettifyJsonStep bs = maybe bs
(BL.toStrict . Aeson.Pretty.encodePretty' prettyConfig)
(A.decodeStrict bs :: Maybe A.Value)
where
prettyConfig = Aeson.Pretty.defConfig
{ Aeson.Pretty.confIndent = (Aeson.Pretty.Spaces 2)
, Aeson.Pretty.confCompare = compare
}
postProcessStep (ReplaceStep regex replacement) bs =
either (const bs) T.encodeUtf8 .
Pcre.replaceAll regex replacement $ T.decodeUtf8 bs
--------------------------------------------------------------------------------
-- | Asserts that can happen after an execution.
data Assert a
= ExitCodeAssert !Int
| StdoutAssert
{ stdoutFilePath :: !a
, stdoutPostProcess :: !PostProcess
}
| StderrAssert
{ stderrFilePath :: !a
, stderrPostProcess :: !PostProcess
}
| CreatedFileAssert
{ createdFilePath :: !a
, createdFileContents :: !(Maybe a)
, createdFilePostProcess :: !PostProcess
}
| CreatedDirectoryAssert
{ createdDirectoryPath :: !a
}
deriving (Foldable, Functor, Traversable)
instance A.FromJSON a => A.FromJSON (Assert a) where
parseJSON = A.withObject "FromJSON Assert" $ \o ->
(ExitCodeAssert <$> o A..: "exit_code") <|>
(StdoutAssert <$> o A..: "stdout" <*> pp o) <|>
(StderrAssert <$> o A..: "stderr" <*> pp o) <|>
(CreatedFileAssert
<$> o A..: "created_file" <*> o A..:? "contents" <*> pp o) <|>
(CreatedDirectoryAssert <$> o A..: "created_directory")
where
pp o = maybe [] multipleToList <$> o A..:? "post_process"
describeAssert :: Assert a -> String
describeAssert (ExitCodeAssert _) = "exit_code"
describeAssert (StdoutAssert _ _) = "stdout"
describeAssert (StderrAssert _ _) = "stderr"
describeAssert (CreatedFileAssert _ _ _) = "created_file"
describeAssert (CreatedDirectoryAssert _) = "created_directory"
--------------------------------------------------------------------------------
data Logger = Logger
{ logDebug :: [String] -> IO ()
, logError :: [String] -> IO ()
, logOut :: [String] -> IO ()
}
makeLogger :: Bool -> IO Logger
makeLogger verbose = do
lock <- MVar.newMVar ()
let writeLines h ls = MVar.withMVar lock $ \() -> mapM_ (IO.hPutStrLn h) ls
return Logger
{ logDebug = if verbose then writeLines IO.stderr else \_ -> pure ()
, logError = writeLines IO.stderr
, logOut = writeLines IO.stdout
}
--------------------------------------------------------------------------------
-- | A plain 'Spec' parsed from a JSON file usually gives us one more or
-- executions of a process. This contains more info than a plain 'Spec'.
data Execution = Execution
{ executionSpec :: Spec String
, executionInputFile :: Maybe FilePath
, executionSpecPath :: FilePath
, executionSpecName :: String
, executionDirectory :: FilePath
}
specExecutions :: FilePath -> Spec String -> IO [Execution]
specExecutions specPath spec = do
absoluteSpecPath <- Dir.makeAbsolute specPath
let (specDirectory, specBaseName) = FP.splitFileName specPath
specName = FP.dropExtension specBaseName
mkAbsoluteWorkDir :: FilePath -> FilePath
mkAbsoluteWorkDir dir | FP.isRelative dir = specDirectory FP.</> dir
| otherwise = dir
workDirectory = maybe specDirectory mkAbsoluteWorkDir (specWorkDir spec)
-- Compute initial environment to get input files.
env0 <- getEnvironment
let env1 =
List.nubBy ((==) `on` fst) $
("GOLDPLATE_NAME", specName) :
("GOLDPLATE_FILE", absoluteSpecPath) :
("GOLDPLATE_BASENAME", specBaseName) :
specEnv spec ++ env0
-- Get a list of concrete input files (a list maybes).
concreteInputFiles <- case specInputFiles spec of
Nothing -> return [Nothing]
Just glob0 -> do
glob <- hoistEither $ splice env1 glob0
inputFiles <- Dir.withCurrentDirectory workDirectory $ do
matches <- globCurrentDir glob
length matches `seq` return matches
return (map (Just . FP.normalise) inputFiles)
-- Create an execution for every concrete input.
forM concreteInputFiles $ \mbInputFile -> do
-- Extend environment.
let env2 = case mbInputFile of
Nothing -> env1
Just inputFile ->
("GOLDPLATE_INPUT_FILE", inputFile) :
("GOLDPLATE_INPUT_NAME", FP.dropExtension inputFile) :
("GOLDPLATE_INPUT_BASENAME", snd $ FP.splitFileName inputFile) :
env1
-- Return execution after doing some splicing.
hoistEither $ do
spec' <- traverse (splice env2) spec
pure Execution
{ executionSpec = spec' {specEnv = env2}
, executionInputFile = mbInputFile
, executionSpecPath = specPath
, executionSpecName = specName
, executionDirectory = workDirectory
}
where
hoistEither :: Either MissingEnvVar a -> IO a
hoistEither = either throwIO return
executionHeader :: Execution -> String
executionHeader execution =
executionSpecPath execution ++
case executionInputFile execution of
Nothing -> ": "
Just fp -> " (" ++ fp ++ "): "
--------------------------------------------------------------------------------
data Env = Env
{ envLogger :: !Logger
, envDiff :: !Bool
, envPrettyDiff :: !Bool
, envFix :: !Bool
}
data ExecutionResult = ExecutionResult
{ erExitCode :: !ExitCode
, erStdout :: !B.ByteString
, erStderr :: !B.ByteString
} deriving (Show)
runExecution
:: Env -> Execution -> IO ExecutionResult
runExecution env execution@Execution {..} = do
let Spec {..} = executionSpec
logDebug (envLogger env) [executionHeader execution ++ "running..."]
-- Create a "CreateProcess" description.
let createProcess = (Process.proc specCommand specArguments)
{ Process.env = Just specEnv
, Process.cwd = Just executionDirectory
, Process.std_in = Process.CreatePipe
, Process.std_out = Process.CreatePipe
, Process.std_err = Process.CreatePipe
}
-- Actually run the process.
logDebug (envLogger env) [executionHeader execution ++
specCommand ++ " " ++ unwords specArguments]
(Just hIn, Just hOut, Just hErr, hProc) <-
Process.createProcess createProcess
let writeStdin = (`finally` IO.hClose hIn) $ case specStdin of
Nothing -> pure ()
Just (Single str) -> IO.hPutStr hIn str
Just (Multiple strs) -> mapM_ (IO.hPutStrLn hIn) strs
Async.withAsync writeStdin $ \_ ->
Async.withAsync (B.hGetContents hOut) $ \outAsync ->
Async.withAsync (B.hGetContents hErr) $ \errAsync ->
Async.withAsync (Process.waitForProcess hProc) $ \exitAsync -> do
-- Get output.
!exitCode <- Async.wait exitAsync
!actualOut <- Async.wait outAsync
!actualErr <- Async.wait errAsync
logDebug (envLogger env)
[ executionHeader execution ++ "finished"
, "exit code: " ++ show exitCode
, "stdout:", show actualOut
, "stderr:", show actualErr
]
pure ExecutionResult
{ erExitCode = exitCode
, erStdout = actualOut
, erStderr = actualErr
}
--------------------------------------------------------------------------------
data AssertResult = AssertResult
{ arOk :: Bool
, arHeader :: String
, arMessage :: [String]
} deriving (Show)
assertResultToTap :: AssertResult -> [String]
assertResultToTap ar =
((if arOk ar then "ok " else "not ok ") ++ arHeader ar) :
map (" " ++) (concatMap lines $ arMessage ar)
-- | Check a single assertion.
runAssert
:: Env -> Execution -> ExecutionResult -> Assert String -> IO AssertResult
runAssert env execution@Execution {..} ExecutionResult {..} assert =
case assert of
ExitCodeAssert expectedExitCode ->
let actualExitCode = case erExitCode of
ExitSuccess -> 0
ExitFailure c -> c
success = expectedExitCode == actualExitCode in
pure $ makeAssertResult success
["expected " ++ show expectedExitCode ++
" but got " ++ show actualExitCode | not success]
StdoutAssert {..} -> checkAgainstFile
(inExecutionDir stdoutFilePath) stdoutPostProcess erStdout
StderrAssert {..} -> checkAgainstFile
(inExecutionDir stderrFilePath) stderrPostProcess erStderr
CreatedFileAssert {..} -> do
let path = inExecutionDir createdFilePath
exists <- Dir.doesFileExist path
case exists of
False -> pure $ makeAssertResult False
[createdFilePath ++ " was not created"]
True -> case createdFileContents of
Nothing -> pure $ makeAssertResult True []
Just expectedPath -> do
!actual <- readFileOrEmpty path
ar <- checkAgainstFile
(inExecutionDir expectedPath)
createdFilePostProcess actual
Dir.removeFile path
logDebug (envLogger env)
[executionHeader execution ++ "removed " ++ path]
pure ar
CreatedDirectoryAssert {..} -> do
let path = inExecutionDir createdDirectoryPath
exists <- Dir.doesDirectoryExist path
case exists of
False -> pure $ makeAssertResult False
[createdDirectoryPath ++ " was not created"]
True -> do
Dir.removeDirectoryRecursive path
logDebug (envLogger env)
[executionHeader execution ++ "removed " ++ path]
pure $ makeAssertResult True []
where
makeAssertResult ok = AssertResult ok
(executionHeader execution ++ describeAssert assert)
inExecutionDir :: FilePath -> FilePath
inExecutionDir fp =
if FP.isAbsolute fp then fp else executionDirectory FP.</> fp
checkAgainstFile
:: FilePath -> PostProcess -> B.ByteString -> IO AssertResult
checkAgainstFile expectedPath processor actual0 = do
expected <- readFileOrEmpty expectedPath
let !actual1 = postProcess processor actual0
success = actual1 == expected
shouldFix = envFix env && not success
diff :: [Diff [String]] = either (const []) id $ do
expected' <- T.unpack <$> T.decodeUtf8' expected
actual1' <- T.unpack <$> T.decodeUtf8' actual1
return $
getGroupedDiff
(lines expected')
(lines actual1')
when shouldFix $ B.writeFile expectedPath actual1
pure . makeAssertResult success . concat $
[ [ "expected:"
, show expected
, "actual:"
, show actual1
]
| not success && envDiff env
] ++
[ [ "diff:", ppDiff diff ]
| not success && envPrettyDiff env
] ++
[ ["fixed " ++ expectedPath] | shouldFix ]
--------------------------------------------------------------------------------
-- | Read a file if it exists, otherwise pretend it's empty.
readFileOrEmpty :: FilePath -> IO B.ByteString
readFileOrEmpty fp = do
exists <- Dir.doesFileExist fp
if exists then B.readFile fp else return B.empty
-- | Recursively finds all '.goldplate' files in bunch of files or directories.
findSpecs :: [FilePath] -> IO [FilePath]
findSpecs fps = fmap concat $ forM fps $ \fp -> do
isDir <- Dir.doesDirectoryExist fp
case isDir of
False -> return [fp]
True -> Glob.globDir1 (Glob.compile "**/*.goldplate") fp
-- | Perform a glob match in the current directory.
--
-- This is a drop-in replacement for `glob` from the `Glob` library, which has a
-- an annoying tendency to return absolute file paths.
globCurrentDir :: String -> IO [FilePath]
globCurrentDir pattern =
map dropLeadingDot <$> Glob.globDir1 (Glob.compile pattern) "."
where
dropLeadingDot fp0 = case break FP.isPathSeparator fp0 of
(".", fp1) -> drop 1 fp1
_ -> fp0
--------------------------------------------------------------------------------
-- | Command-line options.
data Options = Options
{ oPaths :: [FilePath]
, oVerbose :: Bool
, oDiff :: Bool
, oPrettyDiff :: Bool
, oFix :: Bool
, oJobs :: Int
}
parseOptions :: OA.Parser Options
parseOptions = Options
<$> OA.some (OA.strArgument (
OA.metavar "PATH" <>
OA.help "Test files/directories"))
<*> OA.switch (
OA.short 'v' <>
OA.help "Print debug info")
<*> OA.switch (
OA.long "diff" <>
OA.help "Show differences in files")
<*> OA.switch (
OA.long "pretty-diff" <>
OA.help "Show differences in files, output in patch format")
<*> OA.switch (
OA.long "fix" <>
OA.help "Attempt to fix broken tests")
<*> OA.option OA.auto (
OA.long "jobs" <>
OA.short 'j' <>
OA.value 1 <>
OA.help "Number of worker jobs")
parserInfo :: OA.ParserInfo Options
parserInfo = OA.info (OA.helper <*> versionOption <*> parseOptions) $
OA.fullDesc <>
OA.header goldplateVersion
where
versionOption = OA.infoOption goldplateVersion $
OA.long "version" <>
OA.short 'V' <>
OA.help "Show version info" <>
OA.hidden
goldplateVersion :: String
goldplateVersion = "goldplate v" <> showVersion version
--------------------------------------------------------------------------------
-- | Spawn a worker thread that takes workloads from a shared pool.
worker
:: IORef.IORef [a] -- ^ Ref to a pool of work
-> (a -> IO ()) -- ^ Worker function
-> IO ()
worker pool f = do
mbWorkload <- IORef.atomicModifyIORef' pool $ \case
[] -> ([], Nothing)
(x : xs) -> (xs, Just x)
case mbWorkload of
Nothing -> return ()
Just workload -> f workload >> worker pool f
--------------------------------------------------------------------------------
main :: IO ()
main = do
options <- OA.execParser parserInfo
failed <- IORef.newIORef (0 :: Int)
env <- Env
<$> makeLogger (oVerbose options)
<*> pure (oDiff options)
<*> pure (oPrettyDiff options)
<*> pure (oFix options)
-- Find all specs and decode them.
specPaths <- findSpecs (oPaths options)
specs <- forM specPaths $ \specPath -> do
!errOrSpec <- A.eitherDecodeStrict <$> B.readFile specPath
case errOrSpec of
Right !spec -> return (specPath, spec)
Left !err -> do
logError (envLogger env)
[specPath ++ ": could not parse JSON: " ++ err]
exitFailure
-- Each spec might produce a number of executions. We can't really
-- parallelize this because 'specExecutions' needs to change the working
-- directory all the time and that might mess with our tests.
let numSpecs = length specs
logDebug (envLogger env) ["Found " ++ show numSpecs ++ " specs"]
executions <- fmap concat $ forM specs $
\(specPath, spec) -> specExecutions specPath spec
-- Create a pool full of executions.
let numJobs = oJobs options
numAsserts = sum $
map (length . specAsserts . executionSpec) executions
logOut (envLogger env) ["1.." ++ show numAsserts]
pool <- IORef.newIORef executions
-- Spawn some workers to run the executions.
Async.replicateConcurrently_ numJobs $ worker pool $ \execution -> do
executionResult <- runExecution env execution
forM_ (specAsserts $ executionSpec execution) $ \assert -> do
assertResult <- runAssert env execution executionResult assert
unless (arOk assertResult) $ IORef.atomicModifyIORef' failed $
\x -> (x + 1, ())
logOut (envLogger env) $ assertResultToTap assertResult
-- Report summary.
numFailed <- IORef.readIORef failed
logOut (envLogger env) . pure $
"# goldplate ran " ++ show numAsserts ++ " asserts, " ++
(if numFailed > 0 then show numFailed ++ " failed" else "all OK")
when (numFailed > 0) exitFailure