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
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
|
module Main where
import Control.Monad ( unless, when )
import Curry.Compiler.Distribution ( curryCompiler )
import Data.Char ( toLower )
import Data.IORef
import Data.List
import Data.Maybe ( isNothing )
import System.Environment ( getArgs )
import System.IO ( hFlush, stdout )
import Debug.Trace ( trace )
import Analysis.Types ( Analysis, analysisName, startValue )
import Analysis.TermDomain
import Analysis.Values
import Control.Monad.Trans.Class ( lift )
import Control.Monad.Trans.State ( StateT, get, put, execStateT )
import qualified Data.Map as Map
import qualified Data.Set as Set
import Data.Time ( ClockTime )
import Debug.Profile
import FlatCurry.AddTypes ( applyTSubst, splitArgTypes )
import FlatCurry.Goodies
import FlatCurry.Names
import FlatCurry.NormalizeLet
import FlatCurry.Print
import FlatCurry.Types
import JSON.Data
import JSON.Pretty ( ppJSON )
import System.CurryPath ( runModuleAction )
import System.Directory ( createDirectoryIfMissing, doesFileExist
, removeDirectory )
import System.FilePath ( (</>) )
import System.Path ( fileInPath )
import System.Process ( exitWith )
import XML
import FlatCurry.Build
import FlatCurry.Simplify ( simpExpr )
import Verify.CallTypes
import Verify.Files
import Verify.Helpers
import Verify.IOTypes
import Verify.NonFailConditions
import Verify.Options
import Verify.ProgInfo
import Verify.Statistics
import Verify.WithSMT
banner :: String
banner = unlines [bannerLine, bannerText, bannerLine]
where
bannerText = "Curry Non-Failure Verifier (Version of 24/10/24)"
bannerLine = take (length bannerText) (repeat '=')
main :: IO ()
main = do
args <- getArgs
(opts0,progs) <- processOptions banner args
let opts = if null (optDomainID opts0)
then opts0 { optDomainID = analysisName resultValueAnalysisTop }
else opts0
when (optDeleteCache opts0) $ deleteVerifyCacheDirectory opts0
case progs of
[] -> unless (optDeleteCache opts0) $ do
putStrLn "Module name missing!"
putStrLn "Try option '--help' for usage information."
exitWith 1
ms -> do
if optDomainID opts == analysisName resultValueAnalysisTop
then runWith resultValueAnalysisTop opts ms
else
if optDomainID opts == analysisName resultValueAnalysis2
then runWith resultValueAnalysis2 opts ms
else
if optDomainID opts == analysisName resultValueAnalysis5
then runWith resultValueAnalysis5 opts ms
else error "Unknown analysis domain ID!"
where
runWith analysis opts ms = do
printWhenStatus opts banner
pistore <- newIORef emptyProgInfo
astore <- newIORef (AnaStore [])
mapM_ (runModuleAction (verifyModuleIfNew analysis pistore astore opts)) ms
verifyModuleIfNew :: TermDomain a => Analysis a -> IORef ProgInfo
-> IORef (AnalysisStore a) -> Options -> String -> IO ()
verifyModuleIfNew valueanalysis pistore astore opts0 mname = do
z3exists <- fileInPath "z3"
let z3msg = "Option '--nosmt' activated since SMT solver Z3 not found in PATH!"
opts <- if z3exists || not (optSMT opts0)
then return opts0
else do putStrLn z3msg
return opts0 { optSMT = False }
printWhenStatus opts $ "Processing module '" ++ mname ++ "':"
flatprog <- getFlatProgFor pistore mname
outdatedtypes <- typeFilesOutdated opts mname
if outdatedtypes || optRerun opts || not (null (optFunction opts))
then verifyModule valueanalysis pistore astore opts mname flatprog
else do
printWhenStatus opts "Reading call types from previous verification..."
let fdecls = progFuncs flatprog
visfuncs = filter (\fn -> optGenerated opts || isCurryID fn)
(map funcName
(filter ((== Public) . funcVisibility)
fdecls))
visfuncset = Set.fromList visfuncs
isVisible qf = Set.member qf visfuncset
(ctypes,nfconds) <- readCallCondTypes opts mname
const (printVerifyResults opts mname isVisible fdecls ctypes nfconds)
(snd (head ctypes) == Just [startValue valueanalysis])
return ()
verifyModule :: TermDomain a => Analysis a -> IORef ProgInfo
-> IORef (AnalysisStore a) -> Options -> String -> Prog -> IO ()
verifyModule valueanalysis pistore astore opts mname flatprog = do
let orgfdecls = progFuncs flatprog
numfdecls = length orgfdecls
visfuncs = filter (\fn -> optGenerated opts || isCurryID fn)
(map funcName (filter ((== Public) . funcVisibility)
orgfdecls))
numvisfuncs = length visfuncs
visfuncset = Set.fromList visfuncs
isVisible qf = Set.member qf visfuncset
imps@(impconsinfos,impacalltypes,impnftypes,impiotypes) <-
if optImports opts
then do
whenStatus opts $ putStr $ "Reading abstract types of imports: " ++
unwords (progImports flatprog)
let impopts = if optVerb opts == 1 then opts { optVerb = 0 } else opts
readTypesOfModules impopts
(verifyModuleIfNew valueanalysis pistore astore)
(progImports flatprog)
else return ([],[],[],[])
if optTime opts then do whenStatus opts $ putStr "..."
(id $## imps) `seq` printWhenStatus opts "done"
else printWhenStatus opts ""
let modconsinfos = consInfoOfTypeDecls (progTypes flatprog)
consinfos = modconsinfos ++ impconsinfos
fdecls = map (completeBranchesInFunc consinfos False) orgfdecls
funusage = funcDecls2Usage mname fdecls
mtime <- getModuleModTime mname
mboldacalltypes <- readCallTypeFile opts mtime mname
(acalltypes, numntacalltypes, numpubacalltypes) <- id $!!
inferCallTypes opts consinfos isVisible mname mtime flatprog mboldacalltypes
(iotypes, numntiotypes, numpubntiotypes) <- id $!!
inferIOTypes opts valueanalysis astore isVisible flatprog
mbnfconds <- readNonFailCondFile opts mtime mname
vstate <- initVerifyState pistore flatprog consinfos
(Map.fromList impacalltypes)
(Map.fromList impnftypes)
(Map.fromList acalltypes)
(Map.fromList (iotypes ++ impiotypes))
(maybe [] id mbnfconds) opts
enforceNormalForm opts "VERIFYSTATE" vstate
printWhenAll opts $ unlines $
("Function usage in module '" ++ mname ++ "':") :
map (\ (qf, qfs) -> snd qf ++ ": used in " ++
unwords (map (snd . funcName) qfs))
(Map.toList funusage)
let withverify = optVerify opts &&
(null (optFunction opts) ||
isNothing mbnfconds || isNothing mboldacalltypes)
(vnumits, vtime, vst) <-
if withverify
then do
printWhenStatus opts $ "Start verification of '" ++ mname ++ "' (" ++
show numfdecls ++ " functions):"
pi1 <- getProcessInfos
(numits,st) <- tryVerifyProg opts 0 vstate mname funusage fdecls
pi2 <- getProcessInfos
printVerifyResult opts st mname isVisible
let tdiff = maybe 0 id (lookup ElapsedTime pi2) -
maybe 0 id (lookup ElapsedTime pi1)
when (optTime opts && optVerb opts > 0) $ putStrLn $
"TOTAL VERIFICATION TIME: " ++ show tdiff ++ " msec"
return (numits, tdiff, st)
else return (0, 0, vstate)
let finalacalltypes = Map.toList (vstCallTypes vst)
finalntacalltypes = filter (not . isTotalACallType . snd) finalacalltypes
(stattxt,statcsv) = showStatistics opts vtime vnumits isVisible
numvisfuncs numfdecls
(numpubntiotypes, numntiotypes)
(numpubacalltypes, numntacalltypes)
finalntacalltypes
(map fst (vstFunConds vst)) (vstStats vst)
when (optStats opts) $ putStr stattxt
when withverify $ do
storeTypes opts mname fdecls modconsinfos finalacalltypes
(filter (isVisible .fst) finalntacalltypes) (vstFunConds vst) iotypes
storeStatistics opts mname stattxt statcsv
when (optStoreFuncs opts) $ do
let nfname = mname ++ ".NONFAIL"
flname = mname ++ ".FAIL"
totalfuncs = filter (isTotalACallType . snd) finalacalltypes
writeFile nfname
(unlines (map (\((mn,fn),_) -> mn ++ " " ++ fn) totalfuncs))
printWhenStatus opts $
"Non-failing functions stored in '" ++ nfname ++ "'."
writeFile flname
(unlines (map (\((mn,fn),_) -> mn ++ " " ++ fn) finalntacalltypes))
printWhenStatus opts $
"Possibly failing functions stored in '" ++ flname ++ "'."
unless (null (optFunction opts)) $ showFunctionInfo opts mname vst
when (vstError vst) $ exitWith 1
inferCallTypes :: TermDomain a => Options -> [(QName,ConsInfo)]
-> (QName -> Bool)
-> String -> ClockTime -> Prog -> Maybe [(QName,ACallType a)]
-> IO ([(QName, ACallType a)], Int, Int)
inferCallTypes opts consinfos isVisible mname mtime flatprog
mboldacalltypes = do
oldpubcalltypes <- readPublicCallTypeModule opts consinfos mtime mname
let fdecls = progFuncs flatprog
let calltypes = unionBy (\x y -> fst x == fst y) oldpubcalltypes
(map (callTypeFunc opts consinfos) fdecls)
ntcalltypes = filter (not . isTotalCallType . snd) calltypes
pubcalltypes = filter (isVisible . fst) ntcalltypes
if optVerb opts > 2
then putStrLn $ unlines $ "CONCRETE CALL TYPES OF ALL OPERATIONS:" :
showFunResults prettyFunCallTypes calltypes
else when (optVerb opts > 2 || optCallTypes opts) $
putStrLn $ unlines $
("NON-TRIVIAL CONCRETE CALL TYPES OF " ++
(if optPublic opts then "PUBLIC" else "ALL") ++ " OPERATIONS:") :
showFunResults prettyFunCallTypes
(sortFunResults (if optPublic opts then pubcalltypes else ntcalltypes))
let pubmodacalltypes = map (funcCallType2AType consinfos) oldpubcalltypes
acalltypes = unionBy (\x y -> fst x == fst y) pubmodacalltypes
(maybe (map (funcCallType2AType consinfos) calltypes)
id
mboldacalltypes)
ntacalltypes = filter (not . isTotalACallType . snd) acalltypes
pubacalltypes = filter (isVisible . fst) ntacalltypes
if optVerb opts > 2
then putStrLn $ unlines $ "ABSTRACT CALL TYPES OF ALL OPERATIONS:" :
showFunResults prettyFunCallAType acalltypes
else when (optVerb opts > 2 || optCallTypes opts) $
putStrLn $ unlines $
("NON-TRIVIAL ABSTRACT CALL TYPES OF " ++
(if optPublic opts then "PUBLIC" else "ALL") ++ " OPERATIONS:") :
showFunResults prettyFunCallAType
(sortFunResults $ if optPublic opts then pubacalltypes
else ntacalltypes)
return (acalltypes, length ntacalltypes, length pubacalltypes)
inferIOTypes :: TermDomain a => Options -> Analysis a -> IORef (AnalysisStore a)
-> (QName -> Bool) -> Prog
-> IO ([(QName, InOutType a)], Int, Int)
inferIOTypes opts valueanalysis astore isVisible flatprog = do
rvmap <- loadAnalysisWithImports astore valueanalysis opts flatprog
let iotypes = map (inOutATypeFunc rvmap) (progFuncs flatprog)
ntiotypes = filter (not . isAnyIOType . snd) iotypes
pubntiotypes = filter (isVisible . fst) ntiotypes
if optVerb opts > 2
then putStrLn $ unlines $ "INPUT/OUTPUT TYPES OF ALL OPERATIONS:" :
showFunResults showIOT iotypes
else when (optVerb opts > 2 || optIOTypes opts) $
putStrLn $ unlines $
("NON-TRIVIAL INPUT/OUTPUT TYPES OF " ++
(if optPublic opts then "PUBLIC" else "ALL") ++ " OPERATIONS:") :
showFunResults showIOT
(sortFunResults (if optPublic opts then pubntiotypes else ntiotypes))
return (iotypes, length ntiotypes, length pubntiotypes)
showFunctionInfo :: TermDomain a => Options -> String -> VerifyState a -> IO ()
showFunctionInfo opts mname vst = do
let f = optFunction opts
qf = (mname, f)
fdecls <- currentFuncDecls vst
if qf `notElem` map funcName fdecls
then putStrLn $ "Function '" ++ snd qf ++ "' not defined!"
else do
let iot = maybe (trivialInOutType 0) id (Map.lookup qf (vstIOTypes vst))
ctype = maybe (Just [anyType]) id (Map.lookup qf (vstCallTypes vst))
putStrLn $ "Function '" ++ f ++ "':"
putStrLn $ "In/out type: " ++ showIOT iot
putStrLn $ "Call type : " ++ prettyFunCallAType ctype
maybe (return ())
(\nfc -> putStrLn $ showConditions fdecls [(qf,nfc)])
(lookup qf (vstFunConds vst))
tryVerifyProg :: TermDomain a => Options -> Int -> VerifyState a -> String
-> Map.Map QName [FuncDecl] -> [FuncDecl]
-> IO (Int,VerifyState a)
tryVerifyProg opts numits vstate mname funusage fdecls = do
st <- execStateT (mapM_ verifyFunc fdecls) vstate
let newfailures = filter (\(qf,ct) -> maybe True (\fct -> ct /= fct)
(Map.lookup qf (vstCallTypes st)))
(vstNewFailed st)
unless (null newfailures || optVerb opts < 2) $ printFailures st
unless (null newfailures) $ printWhenStatus opts $ unlines $
"Operations with refined call types (used in future analyses):" :
showFunResults prettyFunCallAType (reverse newfailures)
let newcts = Map.union (Map.fromList newfailures) (vstCallTypes st)
enforceNormalForm opts "NEWCALLTYPES" newcts
let (failconds,refineconds) =
partition (\(qf,_) -> qf `elem` (map fst (vstFunConds st)))
(vstNewFunConds st)
newfailconds = filter (\(qf,_) -> (qf,nfcFalse) `notElem` vstFunConds st)
failconds
nextfunconds = (unionBy (\x y -> fst x == fst y)
(map (\(qf,_) -> (qf, nfcFalse)) newfailconds)
(vstFunConds st)) ++ refineconds
newrefineconds = newfailconds ++ refineconds
unless (null newrefineconds) $ printWhenStatus opts $
"Operations with refined call conditions (used in future analyses):\n" ++
showConditions fdecls newrefineconds
let st' = st { vstCallTypes = newcts, vstNewFailed = []
, vstFunConds = nextfunconds, vstNewFunConds = [] }
if null newfailures && null newrefineconds
then do printFailures st'
let st'' = st' { vstFunConds =
filter ((/= nfcFalse) . snd) nextfunconds }
return (numits + 1, st'')
else do
let
rfuns = map fst (filter (not . isFailACallType . snd) newfailures)
newfdecls =
foldr unionFDecls
(filter (\fd -> funcName fd `elem` rfuns) fdecls)
(map (\qf -> maybe [] id (Map.lookup qf funusage))
(union (map fst newfailures) (map fst newrefineconds)))
printWhenStatus opts $ "Repeat verification with new call types..." ++
"(" ++ show (length newfdecls) ++ " functions)"
tryVerifyProg opts (numits + 1) st' mname funusage newfdecls
where
failLine = take 78 (repeat '!')
failComment = failLine ++ "\nPROGRAM CONTAINS POSSIBLY FAILING "
printFailures st = whenStatus opts $ do
unless (null (vstFailedFuncs st)) $
putStrLn $ failComment ++ "FUNCTION CALLS:\n" ++
unlines (map (\ (qf,_,e) -> "Function '" ++ snd qf ++
"': call '" ++ showExp e ++ "'")
(reverse (vstFailedFuncs st)) ++ [failLine])
unless (null (vstPartialBranches st)) $
putStrLn $ failComment ++ "FUNCTIONS:\n" ++
unlines
(map (\ (qf,_,e,cs) -> showIncompleteBranch qf e cs)
(reverse (vstPartialBranches st)) ++ [failLine])
printVerifyResult :: TermDomain a => Options -> VerifyState a -> String
-> (QName -> Bool) -> IO ()
printVerifyResult opts vst mname isvisible = do
fdecls <- currentFuncDecls vst
printVerifyResults opts mname isvisible fdecls
(Map.toList (vstCallTypes vst)) (vstFunConds vst)
printVerifyResults :: TermDomain a => Options -> String -> (QName -> Bool)
-> [FuncDecl] -> [(QName,ACallType a)]
-> [(QName,NonFailCond)] -> IO ()
printVerifyResults opts mname isvisible fdecls ctypes nfconds
| optVerb opts == 0
= return ()
| optFormat opts == FormatJSON
= putStrLn $ ppJSON $ JArray $
map callAType2JSON (sortFunResults (filter (showFun . fst) ctypes))
| optFormat opts == FormatXML
= putStrLn $ showXmlDoc $ xml "results" $
map callAType2XML (sortFunResults (filter (showFun . fst) ctypes))
| otherwise
= do
putStr $ "MODULE '" ++ mname ++ "' VERIFIED"
let calltypes = filter (\(qf,ct) -> not (isTotalACallType ct) && showFun qf)
ctypes
funconds = filter (showFun . fst) nfconds
if null calltypes
then putStrLn "\n"
else putStrLn $ unlines $ " W.R.T. NON-TRIVIAL ABSTRACT CALL TYPES:"
: showFunResults prettyFunCallAType
(sortFunResults (filter ((`notElem` (map fst funconds)) . fst)
calltypes))
unless (null funconds) $
putStrLn $ "NON-FAIL CONDITIONS FOR OTHERWISE FAILING FUNCTIONS:\n" ++
showConditions fdecls (sortFunResults funconds)
where
showFun qf = not (optPublic opts) || isvisible qf
callAType2JSON (qf@(mn,fn),fct) =
JObject [("module", JString mn),
("name" , JString fn),
("result", JString (showCallATypeOrNonFailCond qf fct))]
callAType2XML (qf@(mn,fn),fct) =
xml "operation" [xml "module" [xtxt mn],
xml "name" [xtxt fn],
xml "result" [xtxt (showCallATypeOrNonFailCond qf fct)]]
showCallATypeOrNonFailCond qf ct =
maybe
(showCallAType ct)
(\nfc -> showFuncDeclAsLambda (snd (genNonFailFunction fdecls (qf,nfc))))
(lookup qf nfconds)
showCallAType ct | isTotalACallType ct = "FAIL-FREE"
| isFailACallType ct = "FAILING"
| otherwise = prettyFunCallAType ct
showIncompleteBranch :: QName -> Expr -> [QName] -> String
showIncompleteBranch qf e cs@(_:_) =
"Function '" ++ snd qf ++ "': constructor" ++
(if length cs > 1 then "s" else "") ++ " '" ++
unwords (map snd cs) ++ "' " ++
(if length cs > 1 then "are" else "is") ++ " not covered in:\n" ++
showExp e
showIncompleteBranch qf e [] =
"Function '" ++ snd qf ++ "': the case on literals might be incomplete:\n" ++
showExp e
data VerifyState a = VerifyState
{ vstModules :: IORef ProgInfo
, vstCurrModule :: String
, vstCurrFunc :: (QName,Int,[Int])
, vstConsInfos :: [(QName,ConsInfo)]
, vstFreshVar :: Int
, vstVarExp :: [(Int,TypeExpr,Expr)]
, vstVarTypes :: VarTypesMap a
, vstCondition :: Expr -> Expr
, vstImpCallTypes:: Map.Map QName (ACallType a)
, vstCallTypes :: Map.Map QName (ACallType a)
, vstIOTypes :: Map.Map QName (InOutType a)
, vstFailedFuncs :: [(QName,Int,Expr)]
, vstPartialBranches :: [(QName,Int,Expr,[QName])]
, vstNewFailed :: [(QName,ACallType a)]
, vstImpFunConds :: Map.Map QName NonFailCond
, vstFunConds :: [(QName,NonFailCond)]
, vstNewFunConds :: [(QName,NonFailCond)]
, vstStats :: (Int,Int,Int)
, vstToolOpts :: Options
, vstError :: Bool
}
initVerifyState :: TermDomain a => IORef ProgInfo -> Prog -> [(QName,ConsInfo)]
-> Map.Map QName (ACallType a) -> Map.Map QName NonFailCond
-> Map.Map QName (ACallType a)
-> Map.Map QName (InOutType a)
-> [(QName,NonFailCond)] -> Options
-> IO (VerifyState a)
initVerifyState pistore flatprog consinfos impacalltypes impfconds acalltypes
iotypes nfconds opts = do
unless (null nonfailconds) $ printWhenDetails opts $
"INITIAL NON-FAIL CONDITIONS:\n" ++
showConditions (progFuncs flatprog) nonfailconds
return $ VerifyState pistore (progName flatprog) (("",""),0,[]) consinfos 0
[] [] id impacalltypes nfacalltypes iotypes [] [] []
impfconds nonfailconds [] (0,0,0) opts False
where
nonfailconds = unionBy (\x y -> fst x == fst y) nfconds
(nonFailCondsOfModule flatprog)
nfacalltypes = Map.insertList
(map (\(qf,_) -> (qf, failACallType)) nonfailconds)
acalltypes
type VerifyStateM atype a = StateT (VerifyState atype) IO a
setToolError :: TermDomain a => VerifyStateM a ()
setToolError = do
st <- get
put $ st { vstError = True }
currentFuncDecls :: TermDomain a => VerifyState a -> IO [FuncDecl]
currentFuncDecls st = do
prog <- getFlatProgFor (vstModules st) (vstCurrModule st)
return $ progFuncs prog
setCurrentFunc :: TermDomain a => QName -> Int -> [Int] -> VerifyStateM a ()
setCurrentFunc qf ar vs = do
st <- get
put $ st { vstCurrFunc = (qf,ar,vs) }
getCurrentFuncName :: TermDomain a => VerifyStateM a QName
getCurrentFuncName = do
st <- get
return $ let (qf,_,_) = vstCurrFunc st in qf
getConsInfos :: TermDomain a => VerifyStateM a [(QName,ConsInfo)]
getConsInfos = get >>= return . vstConsInfos
setFreshVarIndex :: TermDomain a => Int -> VerifyStateM a ()
setFreshVarIndex fvi = do
st <- get
put $ st { vstFreshVar = fvi }
newFreshVarIndex :: TermDomain a => VerifyStateM a Int
newFreshVarIndex = do
v <- fmap vstFreshVar get
setFreshVarIndex (v + 1)
return v
addCallTypeRestriction :: TermDomain a => QName -> ACallType a -> VerifyStateM a ()
addCallTypeRestriction qf ctype = do
st <- get
maybe (put $ st { vstNewFailed = (qf,ctype) : (vstNewFailed st) } )
(\ct -> do
let newct = joinACallType ct ctype
put $ st { vstNewFailed = unionBy (\x y -> fst x == fst y)
[(qf,newct)] (vstNewFailed st) })
(lookup qf (vstNewFailed st))
addConditionRestriction :: TermDomain a => QName -> Expr -> VerifyStateM a ()
addConditionRestriction qf cond = do
st <- get
when (optSMT (vstToolOpts st)) $ do
let (_,_,vs) = vstCurrFunc st
oldcalltype <- getCallType qf 0
let totaloldct = isTotalACallType oldcalltype
oldcalltypecond = aCallType2Bool (vstConsInfos st) vs oldcalltype
branchcond <- getExpandedCondition
newbranchcond <- getExpandedConditionWithConj cond
let newcond = fcAnd oldcalltypecond
(if cond == fcTrue
then fcNot branchcond
else
fcOr (fcNot branchcond) newbranchcond)
printIfVerb 2 $ "New call condition for function '" ++ snd qf ++ "': " ++
showSimpExp newcond ++
(if totaloldct then "" else " (due to non-trivial call type)")
printIfVerb 3 $ "Check satisfiability of new call condition..."
unsat <- isUnsatisfiable newcond
when unsat $ printIfVerb 2 $ "...is unsatisfiable"
vartypes <- fmap (map (\(v,t,_) -> (v,t))) getVarExps
setNewFunCondition qf (if unsat then nfcFalse
else genNonFailCond vartypes newcond)
addCallTypeRestriction qf failACallType
setNewFunCondition :: TermDomain a => QName -> NonFailCond -> VerifyStateM a ()
setNewFunCondition qf newcond = do
st <- get
maybe (put $ st { vstNewFunConds = (qf,newcond) : (vstNewFunConds st) } )
(\prevcond -> do
let newct = combineNonFailConds prevcond newcond
put $ st { vstNewFunConds = unionBy (\x y -> fst x == fst y)
[(qf,newct)] (vstNewFunConds st) })
(lookup qf (vstNewFunConds st))
aCallType2Bool :: TermDomain a => [(QName,ConsInfo)] -> [Int] -> ACallType a -> Expr
aCallType2Bool _ _ Nothing = fcFalse
aCallType2Bool consinfos vs (Just argts) =
if all isAnyType argts
then fcTrue
else fcAnds (map act2cond (zip vs argts))
where
act2cond (v,at) = fcAnds $
map (\ct -> if all isAnyType (argTypesOfCons ct (arityOfCons consinfos ct) at)
then transTester consinfos ct (Var v)
else fcFalse )
(consOfType at)
addFailedFunc :: TermDomain a => Expr -> Maybe [(Int,a)] -> Expr -> VerifyStateM a ()
addFailedFunc exp mbvts cond = do
st <- get
let (qf,ar,args) = vstCurrFunc st
put $ st { vstFailedFuncs = union [(qf,ar,exp)] (vstFailedFuncs st) }
maybe (addConditionRestriction qf cond)
(\vts ->
if any ((`elem` args) . fst) vts
then do
oldct <- getCallType qf ar
let ncts = map (\v -> maybe anyType id (lookup v vts)) args
newct = maybe Nothing
(\oldcts -> Just (map (uncurry joinType)
(zip oldcts ncts)))
oldct
if oldct == newct
then noRefinementFor qf
else do
printIfVerb 2 $ "TRY TO REFINE FUNCTION CALL TYPE OF " ++
snd qf ++ " TO: " ++ prettyFunCallAType newct
addCallTypeRestriction qf newct
else noRefinementFor qf
)
mbvts
where
noRefinementFor qf = do
printIfVerb 2 $ "CANNOT REFINE ABSTRACT CALL TYPE OF FUNCTION " ++ snd qf
addConditionRestriction qf cond
addMissingCase :: TermDomain a => Expr -> [QName] -> VerifyStateM a ()
addMissingCase exp qcs = do
st <- get
let (qf,ar,_) = vstCurrFunc st
put $
st { vstPartialBranches = union [(qf,ar,exp,qcs)] (vstPartialBranches st) }
addCallTypeRestriction qf failACallType
getVarExps :: TermDomain a => VerifyStateM a [(Int,TypeExpr,Expr)]
getVarExps = fmap vstVarExp get
setVarExps :: TermDomain a => [(Int,TypeExpr,Expr)] -> VerifyStateM a ()
setVarExps varexps = do
st <- get
put $ st { vstVarExp = varexps }
setVarExpTypeOf :: TermDomain a => Int -> TypeExpr -> VerifyStateM a ()
setVarExpTypeOf var te = do
st <- get
put $ st { vstVarExp = map (\(v,t,e) -> if v==var then (v,te,e) else (v,t,e))
(vstVarExp st) }
addVarExps :: TermDomain a => [(Int,TypeExpr,Expr)] -> VerifyStateM a ()
addVarExps varexps = do
st <- get
put $ st { vstVarExp = vstVarExp st ++ varexps }
getVarTypes :: TermDomain a => VerifyStateM a (VarTypesMap a)
getVarTypes = fmap vstVarTypes get
getVarTypeOf :: TermDomain a => Int -> VerifyStateM a (VarTypes a)
getVarTypeOf v = do
st <- get
return $ maybe [] id (lookup v (vstVarTypes st))
setVarTypes :: TermDomain a => VarTypesMap a -> VerifyStateM a ()
setVarTypes vartypes = do
st <- get
put $ st { vstVarTypes = vartypes }
addVarType :: TermDomain a => Int -> VarTypes a -> VerifyStateM a ()
addVarType v vts = do
st <- get
put $ st { vstVarTypes = addVarType2Map v vts (vstVarTypes st) }
addVarTypes :: TermDomain a => VarTypesMap a -> VerifyStateM a ()
addVarTypes vtsmap = do
st <- get
put $ st { vstVarTypes = concVarTypesMap (vstVarTypes st) vtsmap }
addVarAnyType :: TermDomain a => Int -> VerifyStateM a ()
addVarAnyType v = addVarType v (ioVarType anyType)
removeVarAnyType :: TermDomain a => Int -> VerifyStateM a ()
removeVarAnyType v = do
st <- get
let vtsmap = vstVarTypes st
vtsmap' = maybe vtsmap
(\vts -> setVarTypeInMap v
(filter (not . isAnyIOType) vts)
vtsmap)
(lookup v vtsmap)
put $ st { vstVarTypes = vtsmap' }
where
isAnyIOType (vt,vs) =
case (vt,vs) of (IOT [([], at)], []) -> isAnyType at
_ -> False
getCondition :: TermDomain a => VerifyStateM a (Expr -> Expr)
getCondition = fmap vstCondition get
getExpandedCondition :: TermDomain a => VerifyStateM a Expr
getExpandedCondition = do
st <- get
return $ expandExpr (vstVarExp st) (vstCondition st fcTrue)
getExpandedConditionWithConj :: TermDomain a => Expr -> VerifyStateM a Expr
getExpandedConditionWithConj conj = do
st <- get
return $ expandExpr (vstVarExp st) (vstCondition st conj)
setCondition :: TermDomain a => (Expr -> Expr) -> VerifyStateM a ()
setCondition expf = do
st <- get
put $ st { vstCondition = expf }
setCallCondition :: TermDomain a => Expr -> VerifyStateM a ()
setCallCondition exp = do
st <- get
put $ st { vstCondition = fcAnd exp }
addConjunct :: TermDomain a => Expr -> VerifyStateM a ()
addConjunct exp = do
st <- get
put $ st { vstCondition = \c -> (vstCondition st) (fcAnd exp c) }
addSingleCase :: TermDomain a => Int -> QName -> [Int] -> VerifyStateM a ()
addSingleCase casevar qc branchvars = do
st <- get
let siblings = siblingsOfCons (vstConsInfos st) qc
catchbranch = if null siblings then []
else [Branch (Pattern anonCons []) fcFalse]
put $ st { vstCondition =
\c -> (vstCondition st)
(Case Rigid (Var casevar)
([Branch (Pattern qc branchvars) c] ++ catchbranch)) }
addEquVarCondition :: TermDomain a => Int -> Expr -> VerifyStateM a ()
addEquVarCondition var exp = do
let conj = if exp == fcTrue
then Var var
else if exp == fcFalse
then fcNot (Var var)
else Comb FuncCall (pre "==") [Var var, exp]
addConjunct conj
getNonFailConditionOf :: TermDomain a => QName -> VerifyStateM a (Maybe NonFailCond)
getNonFailConditionOf qf = do
st <- get
return $ maybe (Map.lookup qf (vstImpFunConds st))
Just
(lookup qf (vstFunConds st))
getCallType :: TermDomain a => QName -> Int -> VerifyStateM a (ACallType a)
getCallType qf ar
| isEncSearchOp qf || isSetFunOp qf
= return trivialACallType
| otherwise
= do
st <- get
return $
if qf == pre "error" && optError (vstToolOpts st)
then failACallType
else maybe (maybe (trace ("Warning: call type of operation " ++
show qf ++ " not found!") trivialACallType)
id
(Map.lookup qf (vstImpCallTypes st)))
id
(Map.lookup qf (vstCallTypes st))
where
trivialACallType = Just $ take ar (repeat anyType)
getFuncType :: TermDomain a => QName -> Int -> VerifyStateM a (InOutType a)
getFuncType qf ar
| isEncSearchOp qf || isSetFunOp qf
= return $ trivialInOutType ar
| otherwise
= do st <- get
maybe (do lift $ putStrLn $
"WARNING: in/out type of '" ++ show qf ++ "' not found!"
return $ trivialInOutType ar)
return
(Map.lookup qf (vstIOTypes st))
incrNonTrivialCall :: TermDomain a => VerifyStateM a ()
incrNonTrivialCall = do
st <- get
put $ st { vstStats = (\ (f,c,s) -> (f+1,c,s)) (vstStats st) }
incrIncompleteCases :: TermDomain a => VerifyStateM a ()
incrIncompleteCases = do
st <- get
put $ st { vstStats = (\ (f,c,s) -> (f,c+1,s)) (vstStats st) }
incrUnsatSMT :: TermDomain a => VerifyStateM a ()
incrUnsatSMT = do
st <- get
put $ st { vstStats = (\ (f,c,s) -> (f,c,s+1)) (vstStats st) }
getToolOptions :: TermDomain a => VerifyStateM a Options
getToolOptions = get >>= return . vstToolOpts
printIfVerb :: TermDomain a => Int -> String -> VerifyStateM a ()
printIfVerb v s = do
opts <- getToolOptions
when (optVerb opts >= v) $ lift $ putStrLn s
verifyFunc :: TermDomain a => FuncDecl -> VerifyStateM a ()
verifyFunc (Func qf ar _ ftype rule) = case rule of
Rule vs exp -> unless noVerify $ do
setCurrentFunc qf ar vs
verifyFuncRule vs ftype (normalizeLet exp)
External _ -> return ()
where
noVerify = qf `elem` noVerifyFunctions ||
nonfailSuffix `isSuffixOf` snd qf
noVerifyFunctions :: [QName]
noVerifyFunctions =
[ pre "aValueChar"
]
verifyFuncRule :: TermDomain a => [Int] -> TypeExpr -> Expr -> VerifyStateM a ()
verifyFuncRule vs ftype exp = do
setFreshVarIndex (maximum (0 : vs ++ allVars exp) + 1)
setVarExps (map (\(v,te) -> (v, te, Var v)) (funcType2TypedVars vs ftype))
qf <- getCurrentFuncName
mbnfcond <- getNonFailConditionOf qf
maybe
(setCallCondition fcTrue)
(\(nfcvars,fcond) -> do
let freenfcargs = filter ((`notElem` vs) . fst) nfcvars
newfvars <- mapM (\_ -> newFreshVarIndex) freenfcargs
addVarExps (map (\(v,(_,t)) -> (v,t,Var v)) (zip newfvars freenfcargs))
setCallCondition $ expandExpr (map (\(nv,(v,t)) -> (v,t,Var nv))
(zip newfvars freenfcargs)) fcond)
mbnfcond
printIfVerb 3 $ "CHECKING FUNCTION " ++ snd qf
ctype <- getCallType qf (length vs)
rhstypes <- mapM (\f -> getCallType f 0) (funcsInExpr exp)
if all isTotalACallType (ctype:rhstypes)
then printIfVerb 3 $ "not checked since trivial"
else maybe (maybe
(printIfVerb 3 "not checked since marked as always failing")
(\_ -> do
setVarTypes (map (\v -> (v, [(IOT [([], anyType)], [])]))
vs)
showVarExpTypes
verifyExpr True exp
return () )
mbnfcond)
(\atargs -> do
setVarTypes (map (\(v,at) -> (v, [(IOT [([], at)], [])]))
(zip vs atargs))
showVarExpTypes
verifyExpr True exp
return ())
ctype
printIfVerb 3 $ take 70 (repeat '-')
showVarExpTypes :: TermDomain a => VerifyStateM a ()
showVarExpTypes = do
qf <- getCurrentFuncName
opts <- getToolOptions
when (optVerb opts > 3) $ do
st <- get
lift $ putStr $
"Current set of variables in function " ++ snd qf ++
":\nVariable bindings:\n" ++
unlines (map (\ (v,te,e) -> showBindExp v e ++
if te == unknownType then "" else " :: " ++ showTypeExp te)
(vstVarExp st))
vartypes <- getVarTypes
lift $ putStr $ "Variable types\n" ++ showVarTypes vartypes
cond <- getExpandedCondition
lift $ putStrLn $ "Current condition: " ++ showSimpExp cond
verifyExpr :: TermDomain a => Bool -> Expr -> VerifyStateM a Int
verifyExpr verifyexp exp = case exp of
Var v -> do iots <- if verifyexp then verifyVarExpr v exp
else return [(v, ioVarType anyType)]
addVarTypes iots
return v
_ -> do v <- newFreshVarIndex
addVarExps [(v, unknownType, exp)]
iots <- if verifyexp then verifyVarExpr v exp
else return [(v, ioVarType anyType)]
addVarTypes iots
return v
verifyVarExpr :: TermDomain a => Int -> Expr -> VerifyStateM a (VarTypesMap a)
verifyVarExpr ve exp = case exp of
Var v -> if v == ve
then return []
else do
vtypes <- getVarTypeOf v
return $ [(ve, vtypes)]
Lit l -> return [(ve, [(IOT [([], aLit l)], [])])]
Comb ct qf es -> checkPredefinedOp exp $ do
vs <- if isEncSearchOp qf
then
mapM (verifyExpr False) es
else if isSetFunOp qf
then
mapM (\ (i,e) -> verifyExpr (i>0) e)
(zip [0..] es)
else mapM (verifyExpr True) es
case ct of
FuncCall -> do verifyFuncCall exp qf vs
ftype <- getFuncType qf (length vs)
return [(ve, [(ftype, vs)])]
FuncPartCall n ->
do ctype <- getCallType qf (n + length es)
unless (isTotalACallType ctype) $ do
printIfVerb 3 $ "UNSATISFIED ABSTRACT CALL TYPE: " ++
"partial application of non-total function\n"
addFailedFunc exp Nothing fcTrue
returnConsIOType qf vs ve
_ -> returnConsIOType qf vs ve
Let bs e -> do addVarExps (map (\(v,be) -> (v, unknownType, be)) bs)
mapM_ (addVarAnyType . fst) bs
iotss <- mapM (\ (v,be) -> verifyVarExpr v be) bs
mapM_ (removeVarAnyType . fst) bs
addVarTypes (concat iotss)
mapM_ (addAnyTypeIfUnknown . fst) bs
verifyVarExpr ve e
Free vs e -> do addVarExps (map (\v -> (v, unknownType, Var v)) vs)
mapM_ addVarAnyType vs
verifyVarExpr ve e
Or e1 e2 -> do iots1 <- verifyVarExpr ve e1
iots2 <- verifyVarExpr ve e2
return (concVarTypesMap iots1 iots2)
Case _ ce bs -> do cv <- verifyExpr True ce
verifyMissingBranches exp cv bs
iotss <- mapM (verifyBranch cv ve) bs
return (foldr concVarTypesMap [] iotss)
Typed e _ -> verifyVarExpr ve e
where
addAnyTypeIfUnknown v = do
vts <- getVarTypeOf v
when (null vts) (addVarAnyType v)
returnConsIOType qc vs rv = do
vts <- getVarTypes
let vstypes = map (flip getVarType vts) vs
return [(rv, [(IOT [(vstypes, aCons qc vstypes)], vs)])]
verifyFuncCall :: TermDomain a => Expr -> QName -> [Int] -> VerifyStateM a ()
verifyFuncCall exp qf vs = do
opts <- fmap vstToolOpts get
if qf == pre "failed" || (optError opts && qf == pre "error")
then do
bcond <- getExpandedCondition
unsat <- incrNonTrivialCall >> incrUnsatSMT >> isUnsatisfiable bcond
if unsat
then do currfn <- getCurrentFuncName
printIfVerb 3 $ "FUNCTION " ++ snd currfn ++ ": CALL TO " ++
snd qf ++ showArgumentVars vs ++ " NOT REACHABLE\n"
else addFailedFunc exp Nothing fcTrue
else do atype <- getCallType qf (length vs)
if isTotalACallType atype
then return ()
else do mbnfcond <- getNonFailConditionOf qf
verifyNonTrivFuncCall exp qf vs atype mbnfcond
verifyNonTrivFuncCall :: TermDomain a => Expr -> QName -> [Int]
-> ACallType a -> Maybe NonFailCond -> VerifyStateM a ()
verifyNonTrivFuncCall exp qf vs atype mbnfcond = do
incrNonTrivialCall
currfn <- getCurrentFuncName
printIfVerb 3 $ "FUNCTION " ++ snd currfn ++ ": VERIFY CALL TO " ++
snd qf ++ showArgumentVars vs ++
"\n w.r.t. call type: " ++ prettyFunCallAType atype
callcond <- maybe
(return fcFalse)
(\(nfcvars,nfcond) -> do
let freenfcargs = filter ((`notElem` [1..length vs]) . fst) nfcvars
newfvars <- mapM (\_ -> newFreshVarIndex) freenfcargs
addVarExps (map (\(v,(_,t)) -> (v,t,Var v)) (zip newfvars freenfcargs))
let rnmcvars = zip [1.. length vs] vs ++
map (\(nv,(v,_)) -> (v, nv)) (zip newfvars freenfcargs)
st <- get
let callcond0 = expandExpr (vstVarExp st) (renameAllVars rnmcvars nfcond)
printIfVerb 3 $ " and call condition: " ++ showSimpExp callcond0
return callcond0)
mbnfcond
showVarExpTypes
svts <- fmap simplifyVarTypes getVarTypes
printIfVerb 4 $ "Simplified variable types:\n" ++ showVarTypes svts
let vts = map (\v -> (v, getVarType v svts)) vs
printIfVerb 3 $ "Variable types in this call: " ++ printVATypes vts
if subtypeOfRequiredCallType (map snd vts) atype
then printIfVerb 3 "CALL TYPE SATISFIED\n"
else
do printIfVerb 3 "UNSATISFIED ABSTRACT CALL TYPE\n"
maybe
(if callcond == fcFalse
then addFailedFunc exp Nothing callcond
else do
implcond <- getExpandedConditionWithConj (fcNot callcond)
implied <- incrUnsatSMT >> isUnsatisfiable implcond
if implied
then printIfVerb 3 "CALL CONDITION SATISFIED\n"
else addFailedFunc exp Nothing callcond)
(\newvts -> do
printIfVerb 3 $ "COULD BE SATISFIED BY ENSURING:\n" ++
printVATypes newvts
addFailedFunc exp (Just newvts) fcTrue
)
(specializeToRequiredType vts atype)
where
printVATypes = intercalate ", " . map (\ (v,t) -> show v ++ '/' : showType t)
checkPredefinedOp :: TermDomain a => Expr -> VerifyStateM a (VarTypesMap a)
-> VerifyStateM a (VarTypesMap a)
checkPredefinedOp exp cont = case exp of
Comb FuncCall ap1 [Comb FuncCall ap2 [Comb FuncCall qf _, arg1], arg2]
| ap1 == apply && ap2 == apply && qf `elem` intDivOps
-> tryCheckNumValue (intValue arg2) qf arg1 arg2 fcInt
Comb FuncCall qf [arg1, arg2]
| qf == pre "_impl#/#Prelude.Fractional#Prelude.Float#"
-> tryCheckNumValue (floatValue arg2) qf arg1 arg2 fcFloat
Comb FuncCall ap1 [Comb FuncCall ap2 [Comb FuncCall qf _, arg1], arg2]
| ap1 == apply && ap2 == apply && qf `elem` floatDivOps
-> tryCheckNumValue (floatValue arg2) qf arg1 arg2 fcFloat
Comb FuncCall ap1 [Comb FuncCall qf [], arg]
| ap1 == apply && qf == pre "_impl#sqrt#Prelude.Floating#Prelude.Float#"
-> maybe (verifyPredefinedOp qf [arg] fcFloat)
(\x -> do unless (x >= 0) $ addFailedFunc exp Nothing fcFalse
return [])
(floatValue arg)
_ -> cont
where
tryCheckNumValue mbx qf arg1 arg2 te =
maybe (verifyPredefinedOp qf [arg1,arg2] te)
(\z -> do if z == 0 then addFailedFunc exp Nothing fcFalse
else printIfVerb 4 nonZeroOkMsg
verifyExpr True arg1
return [])
mbx
verifyPredefinedOp qf args te =
maybe (do printIfVerb 0 $
"WARNING: non-fail condition of " ++ snd qf ++ " not found!"
cont)
(\nfc -> do vs <- mapM (verifyExpr True) args
mapM_ (\v -> setVarExpTypeOf v te) vs
verifyNonTrivFuncCall exp qf vs failACallType (Just nfc)
return [])
(lookupPredefinedNonFailCond qf)
intValue e = case e of
Lit (Intc i) -> Just i
Comb FuncCall ap [ Comb FuncCall fromint _ , nexp]
| ap == apply && fromint == pre "fromInt" -> intValue nexp
_ -> Nothing
floatValue e = case e of
Lit (Floatc f) -> Just f
Comb FuncCall ap [ Comb FuncCall fromfloat _ , nexp]
| ap == apply && fromfloat == pre "fromFloat" -> floatValue nexp
Comb FuncCall ap [(Comb FuncCall fromint _), nexp]
| ap == apply && fromint == pre "fromInt" -> fmap fromInt (intValue nexp)
Comb FuncCall negFloat [fexp]
| negFloat == pre "_impl#negate#Prelude.Num#Prelude.Float#"
-> fmap negate (floatValue fexp)
_ -> Nothing
apply = pre "apply"
nonZeroOkMsg = "Divion with non-zero constant is non-failing"
verifyMissingBranches :: TermDomain a => Expr -> Int -> [BranchExpr] -> VerifyStateM a ()
verifyMissingBranches _ _ [] = do
currfn <- getCurrentFuncName
error $ "Function " ++ snd currfn ++ " contains case with empty branches!"
verifyMissingBranches exp casevar (Branch (LPattern lit) _ : bs) = do
incrIncompleteCases
currfn <- getCurrentFuncName
let lits = lit : map (patLiteral . branchPattern) bs
cvtype <- getVarTypes >>= return . getVarType casevar
unless (isSubtypeOf cvtype (foldr1 lubType (map aLit lits))) $ do
printIfVerb 3 $ showIncompleteBranch currfn exp [] ++ "\n"
showVarExpTypes
addMissingCase exp []
verifyMissingBranches exp casevar (Branch (Pattern qc _) _ : bs) = do
consinfos <- getConsInfos
let otherqs = map ((\p -> (patCons p, length(patArgs p))) . branchPattern) bs
siblings = siblingsOfCons consinfos qc
missingcs = siblings \\ otherqs
currfn <- getCurrentFuncName
unless (null missingcs) $ do
printIfVerb 0 $
"MISSING CONSTRUCTORS " ++ show missingcs ++ " IN FUNCTION " ++ snd currfn
incrIncompleteCases
cvtype <- getVarTypes >>= return . getVarType casevar
let posscs = map fst
(filter (\(c,ar) -> let ctype = aCons c (anyTypes ar)
in joinType cvtype ctype /= emptyType)
missingcs)
cond <- getExpandedCondition
unless (null posscs) $
if cond == fcTrue
then do
printIfVerb 3 $ showIncompleteBranch currfn exp posscs ++ "\n"
showVarExpTypes
addMissingCase exp posscs
else do
showVarExpTypes
unsatcons <- fmap concat $ mapM checkMissCons posscs
unless (null unsatcons) $ do
printIfVerb 3 $
"UNCOVERED CONSTRUCTORS: " ++ unwords (map snd unsatcons)
setNewFunCondition currfn nfcFalse
addMissingCase exp unsatcons
where
checkMissCons cs = do
printIfVerb 4 $ "CHECKING UNREACHABILITY OF CONSTRUCTOR " ++ snd cs
consinfos <- getConsInfos
let iscons = transTester consinfos cs (Var casevar)
bcond <- getExpandedCondition
unsat <- isUnsatisfiable (fcAnd iscons bcond)
return $ if unsat then [] else [cs]
getBranchState :: TermDomain a => VerifyStateM a ([(Int,TypeExpr,Expr)], VarTypesMap a, Expr -> Expr)
getBranchState = do
ves <- getVarExps
vts <- getVarTypes
cond <- getCondition
return (ves,vts,cond)
restoreBranchState :: TermDomain a => ([(Int,TypeExpr,Expr)], VarTypesMap a, Expr -> Expr) -> VerifyStateM a ()
restoreBranchState (ves,vts,cond) = do
setVarExps ves
setVarTypes vts
setCondition cond
verifyBranch :: TermDomain a => Int -> Int -> BranchExpr -> VerifyStateM a (VarTypesMap a)
verifyBranch casevar ve (Branch (LPattern l) e) = do
bstate <- getBranchState
vts <- getVarTypes
let branchvartypes = bindVarInIOTypes casevar (aLit l) vts
printIfVerb 4 $ "BRANCH WITH LITERAL '" ++ show l ++ "'"
addEquVarCondition casevar (Lit l)
if isEmptyType (getVarType casevar branchvartypes)
then return []
else do setVarTypes branchvartypes
iots <- verifyVarExpr ve e
restoreBranchState bstate
return iots
verifyBranch casevar ve (Branch (Pattern qc vs) e) = do
bstate <- getBranchState
ves <- getVarExps
consinfos <- getConsInfos
let vet = maybe unknownType snd3 (find ((== casevar) . fst3) ves)
addVarExps (map (\ (v,vt) -> (v, vt, Var v))
(zip vs (if vet == unknownType
then repeat unknownType
else patArgTypes consinfos vet)))
vts <- getVarTypes
let pattype = aCons qc (anyTypes (length vs))
branchvartypes = simplifyVarTypes (bindVarInIOTypes casevar pattype vts)
casevartype = getVarType casevar branchvartypes
if null vs then addEquVarCondition casevar (Comb ConsCall qc [])
else addSingleCase casevar qc vs
printIfVerb 4 $ "BRANCH WITH CONSTRUCTOR '" ++ snd qc ++ "'"
showVarExpTypes
if isEmptyType casevartype
then do restoreBranchState bstate
return []
else do setVarTypes branchvartypes
mapM_ (\(v,t) -> addVarType v (ioVarType t))
(zip vs (argTypesOfCons qc (length vs) casevartype))
iots <- verifyVarExpr ve e
restoreBranchState bstate
return iots
where
patArgTypes consinfos pt
| qc == pre ":"
= case pt of TCons tc [et] | tc == pre "[]" -> [et, pt]
_ -> noPatTypeErr
| qc == pre "(,)"
= case pt of TCons tc [t1,t2] | tc == pre "(,)" -> [t1,t2]
_ -> noPatTypeErr
| qc == pre "Just"
= case pt of TCons tc [t] | tc == pre "Maybe" -> [t]
_ -> noPatTypeErr
| otherwise
= maybe (error $ "Info about constructor '" ++ snd qc ++ "' not found!")
(\(_,ConsType tes tc tvs,_) ->
case pt of
TCons dtc ats | tc == dtc -> map (applyTSubst (zip tvs ats)) tes
_ -> noPatTypeErr
)
(lookup qc consinfos)
noPatTypeErr = error $
"verifyBranch: cannot compute pattern argument types for " ++ snd qc
getVarType :: TermDomain a => Int -> VarTypesMap a -> a
getVarType v vtsmap =
maybe (error $ "Type of variable " ++ show v ++ " not found!")
(\vts -> let rts = concatMap (\ (IOT iots, _) -> map snd iots) vts
in if null rts then emptyType
else foldr1 lubType rts)
(lookup v vtsmap)
funcDecls2Usage :: String -> [FuncDecl] -> Map.Map QName [FuncDecl]
funcDecls2Usage mname fdecls = addFDecls (Map.empty) fdecls
where
addFDecls m [] = m
addFDecls m (fd:fds) =
let rhsfuns = filter (\f -> fst f == mname) (usedFuncsInFunc fd)
in Map.insertListWith unionFDecls (map (\qf -> (qf,[fd])) rhsfuns)
(addFDecls m fds)
unionFDecls :: [FuncDecl] -> [FuncDecl] -> [FuncDecl]
unionFDecls = unionBy (\fd1 fd2 -> funcName fd1 == funcName fd2)
usedFuncsInFunc :: FuncDecl -> [QName]
usedFuncsInFunc = usedFuncsInRule . funcRule
usedFuncsInRule :: Rule -> [QName]
usedFuncsInRule = trRule (\_ body -> funcsInExpr body) (\_ -> [])
anyTypes :: TermDomain a => Int -> [a]
anyTypes n = take n (repeat anyType)
enforceNormalForm :: Options -> String -> a -> IO ()
enforceNormalForm opts s x
| optEnforceNF opts
= do whenStatus opts $ putStr $ "EVALUATE " ++ s ++ " TO NORMAL FORM..."
hFlush stdout
(id $!! x) `seq` return ()
printWhenStatus opts "DONE"
| otherwise
= return ()
showSimpExp :: Expr -> String
showSimpExp = showExp . simpExpr
isUnsatisfiable :: TermDomain a => Expr -> VerifyStateM a Bool
isUnsatisfiable bexp = do
st <- get
if optSMT (vstToolOpts st)
then do
fname <- getCurrentFuncName
vts <- fmap (map (\(v,te,_) -> (v,te))) getVarExps
let allvs = allFreeVars bexp
let vtypes = filter ((`elem` allvs) . fst) vts
question = "Verifying function " ++ snd fname ++ ":\n\n" ++
"IS\n " ++ showSimpExp bexp ++ "\nUNSATISFIABLE?"
unless (all (`elem` map fst vtypes) allvs) $ lift $ putStrLn $
"WARNING in operation '" ++ snd fname ++
"': missing variables in unsatisfiability check!"
consinfos <- getConsInfos
answer <- lift $ checkUnsatisfiabilityWithSMT (vstToolOpts st)
fname question (vstModules st) consinfos vtypes bexp
maybe (setToolError >> return False) return answer
else return False
|