faa23467d602e5c8235676f8adf68024d5d47f08
[ghc-hetmet.git] / ghc / compiler / stranal / SaAbsInt.lhs
1 %
2 % (c) The GRASP/AQUA Project, Glasgow University, 1993-1998
3 %
4 \section[SaAbsInt]{Abstract interpreter for strictness analysis}
5
6 \begin{code}
7 module SaAbsInt (
8         findStrictness,
9         findDemand, findDemandAlts,
10         absEval,
11         widen,
12         fixpoint,
13         isBot
14     ) where
15
16 #include "HsVersions.h"
17
18 import CmdLineOpts      ( opt_AllStrict, opt_NumbersStrict )
19 import CoreSyn
20 import CoreUnfold       ( maybeUnfoldingTemplate )
21 import Id               ( Id, idType, idStrictness, idUnfolding, isDataConId_maybe )
22 import DataCon          ( dataConTyCon, splitProductType_maybe, dataConRepArgTys )
23 import IdInfo           ( StrictnessInfo(..) )
24 import Demand           ( Demand(..), wwPrim, wwStrict, wwUnpack, wwLazy,
25                           mkStrictnessInfo, isLazy
26                         )
27 import SaLib
28 import TyCon            ( isProductTyCon, isRecursiveTyCon )
29 import BasicTypes       ( NewOrData(..) )
30 import Type             ( splitTyConApp_maybe, 
31                           isUnLiftedType, Type )
32 import TyCon            ( tyConUnique )
33 import PrelInfo         ( numericTyKeys )
34 import Util             ( isIn, nOfThem, zipWithEqual )
35 import Outputable       
36 \end{code}
37
38 %************************************************************************
39 %*                                                                      *
40 \subsection[AbsVal-ops]{Operations on @AbsVals@}
41 %*                                                                      *
42 %************************************************************************
43
44 Least upper bound, greatest lower bound.
45
46 \begin{code}
47 lub, glb :: AbsVal -> AbsVal -> AbsVal
48
49 lub AbsBot val2   = val2        
50 lub val1   AbsBot = val1        
51
52 lub (AbsProd xs) (AbsProd ys) = AbsProd (zipWithEqual "lub" lub xs ys)
53
54 lub _             _           = AbsTop  -- Crude, but conservative
55                                         -- The crudity only shows up if there
56                                         -- are functions involved
57
58 -- Slightly funny glb; for absence analysis only;
59 -- AbsBot is the safe answer.
60 --
61 -- Using anyBot rather than just testing for AbsBot is important.
62 -- Consider:
63 --
64 --   f = \a b -> ...
65 --
66 --   g = \x y z -> case x of
67 --                   []     -> f x
68 --                   (p:ps) -> f p
69 --
70 -- Now, the abstract value of the branches of the case will be an
71 -- AbsFun, but when testing for z's absence we want to spot that it's
72 -- an AbsFun which can't possibly return AbsBot.  So when glb'ing we
73 -- mustn't be too keen to bale out and return AbsBot; the anyBot test
74 -- spots that (f x) can't possibly return AbsBot.
75
76 -- We have also tripped over the following interesting case:
77 --      case x of
78 --        []     -> \y -> 1
79 --        (p:ps) -> f
80 --
81 -- Now, suppose f is bound to AbsTop.  Does this expression mention z?
82 -- Obviously not.  But the case will take the glb of AbsTop (for f) and
83 -- an AbsFun (for \y->1). We should not bale out and give AbsBot, because
84 -- that would say that it *does* mention z (or anything else for that matter).
85 -- Nor can we always return AbsTop, because the AbsFun might be something
86 -- like (\y->z), which obviously does mention z. The point is that we're
87 -- glbing two functions, and AbsTop is not actually the top of the function
88 -- lattice.  It is more like (\xyz -> x|y|z); that is, AbsTop returns
89 -- poison iff any of its arguments do.
90
91 -- Deal with functions specially, because AbsTop isn't the
92 -- top of their domain.
93
94 glb v1 v2
95   | is_fun v1 || is_fun v2
96   = if not (anyBot v1) && not (anyBot v2)
97     then
98         AbsTop
99     else
100         AbsBot
101   where
102     is_fun (AbsFun _ _)       = True
103     is_fun (AbsApproxFun _ _) = True    -- Not used, but the glb works ok
104     is_fun other              = False
105
106 -- The non-functional cases are quite straightforward
107
108 glb (AbsProd xs) (AbsProd ys) = AbsProd (zipWithEqual "glb" glb xs ys)
109
110 glb AbsTop       v2           = v2
111 glb v1           AbsTop       = v1
112
113 glb _            _            = AbsBot          -- Be pessimistic
114 \end{code}
115
116 @isBot@ returns True if its argument is (a representation of) bottom.  The
117 ``representation'' part is because we need to detect the bottom {\em function}
118 too.  To detect the bottom function, bind its args to top, and see if it
119 returns bottom.
120
121 Used only in strictness analysis:
122 \begin{code}
123 isBot :: AbsVal -> Bool
124
125 isBot AbsBot = True
126 isBot other  = False    -- Functions aren't bottom any more
127 \end{code}
128
129 Used only in absence analysis:
130
131 \begin{code}
132 anyBot :: AbsVal -> Bool
133
134 anyBot AbsBot                  = True   -- poisoned!
135 anyBot AbsTop                  = False
136 anyBot (AbsProd vals)          = any anyBot vals
137 anyBot (AbsFun bndr_ty abs_fn) = anyBot (abs_fn AbsTop)
138 anyBot (AbsApproxFun _ val)    = anyBot val
139 \end{code}
140
141 @widen@ takes an @AbsVal@, $val$, and returns and @AbsVal@ which is
142 approximated by $val$.  Furthermore, the result has no @AbsFun@s in
143 it, so it can be compared for equality by @sameVal@.
144
145 \begin{code}
146 widen :: AnalysisKind -> AbsVal -> AbsVal
147
148 -- Widening is complicated by the fact that funtions are lifted
149 widen StrAnal the_fn@(AbsFun bndr_ty _)
150   = case widened_body of
151         AbsApproxFun ds val -> AbsApproxFun (d : ds) val
152                             where
153                                d = findRecDemand str_fn abs_fn bndr_ty
154                                str_fn val = isBot (foldl (absApply StrAnal) the_fn 
155                                                          (val : [AbsTop | d <- ds]))
156
157         other               -> AbsApproxFun [d] widened_body
158                             where
159                                d = findRecDemand str_fn abs_fn bndr_ty
160                                str_fn val = isBot (absApply StrAnal the_fn val)
161   where
162     widened_body = widen StrAnal (absApply StrAnal the_fn AbsTop)
163     abs_fn val   = False        -- Always says poison; so it looks as if
164                                 -- nothing is absent; safe
165
166 {-      OLD comment... 
167         This stuff is now instead handled neatly by the fact that AbsApproxFun 
168         contains an AbsVal inside it.   SLPJ Jan 97
169
170   | isBot abs_body = AbsBot
171     -- It's worth checking for a function which is unconditionally
172     -- bottom.  Consider
173     --
174     --  f x y = let g y = case x of ...
175     --          in (g ..) + (g ..)
176     --
177     -- Here, when we are considering strictness of f in x, we'll
178     -- evaluate the body of f with x bound to bottom.  The current
179     -- strategy is to bind g to its *widened* value; without the isBot
180     -- (...) test above, we'd bind g to an AbsApproxFun, and deliver
181     -- Top, not Bot as the value of f's rhs.  The test spots the
182     -- unconditional bottom-ness of g when x is bottom.  (Another
183     -- alternative here would be to bind g to its exact abstract
184     -- value, but that entails lots of potential re-computation, at
185     -- every application of g.)
186 -}
187
188 widen StrAnal (AbsProd vals) = AbsProd (map (widen StrAnal) vals)
189 widen StrAnal other_val      = other_val
190
191
192 widen AbsAnal the_fn@(AbsFun bndr_ty _)
193   | anyBot widened_body = AbsBot
194         -- In the absence-analysis case it's *essential* to check
195         -- that the function has no poison in its body.  If it does,
196         -- anywhere, then the whole function is poisonous.
197
198   | otherwise
199   = case widened_body of
200         AbsApproxFun ds val -> AbsApproxFun (d : ds) val
201                             where
202                                d = findRecDemand str_fn abs_fn bndr_ty
203                                abs_fn val = not (anyBot (foldl (absApply AbsAnal) the_fn 
204                                                                 (val : [AbsTop | d <- ds])))
205
206         other               -> AbsApproxFun [d] widened_body
207                             where
208                                d = findRecDemand str_fn abs_fn bndr_ty
209                                abs_fn val = not (anyBot (absApply AbsAnal the_fn val))
210   where
211     widened_body = widen AbsAnal (absApply AbsAnal the_fn AbsTop)
212     str_fn val   = True         -- Always says non-termination;
213                                 -- that'll make findRecDemand peer into the
214                                 -- structure of the value.
215
216 widen AbsAnal (AbsProd vals) = AbsProd (map (widen AbsAnal) vals)
217
218         -- It's desirable to do a good job of widening for product
219         -- values.  Consider
220         --
221         --      let p = (x,y)
222         --      in ...(case p of (x,y) -> x)...
223         --
224         -- Now, is y absent in this expression?  Currently the
225         -- analyser widens p before looking at p's scope, to avoid
226         -- lots of recomputation in the case where p is a function.
227         -- So if widening doesn't have a case for products, we'll
228         -- widen p to AbsBot (since when searching for absence in y we
229         -- bind y to poison ie AbsBot), and now we are lost.
230
231 widen AbsAnal other_val = other_val
232
233 -- WAS:   if anyBot val then AbsBot else AbsTop
234 -- Nowadays widen is doing a better job on functions for absence analysis.
235 \end{code}
236
237 @crudeAbsWiden@ is used just for absence analysis, and always
238 returns AbsTop or AbsBot, so it widens to a two-point domain
239
240 \begin{code}
241 crudeAbsWiden :: AbsVal -> AbsVal
242 crudeAbsWiden val = if anyBot val then AbsBot else AbsTop
243 \end{code}
244
245 @sameVal@ compares two abstract values for equality.  It can't deal with
246 @AbsFun@, but that should have been removed earlier in the day by @widen@.
247
248 \begin{code}
249 sameVal :: AbsVal -> AbsVal -> Bool     -- Can't handle AbsFun!
250
251 #ifdef DEBUG
252 sameVal (AbsFun _ _) _ = panic "sameVal: AbsFun: arg1"
253 sameVal _ (AbsFun _ _) = panic "sameVal: AbsFun: arg2"
254 #endif
255
256 sameVal AbsBot AbsBot = True
257 sameVal AbsBot other  = False   -- widen has reduced AbsFun bots to AbsBot
258
259 sameVal AbsTop AbsTop = True
260 sameVal AbsTop other  = False           -- Right?
261
262 sameVal (AbsProd vals1) (AbsProd vals2) = and (zipWithEqual "sameVal" sameVal vals1 vals2)
263 sameVal (AbsProd _)     AbsTop          = False
264 sameVal (AbsProd _)     AbsBot          = False
265
266 sameVal (AbsApproxFun str1 v1) (AbsApproxFun str2 v2) = str1 == str2 && sameVal v1 v2
267 sameVal (AbsApproxFun _ _)     AbsTop                 = False
268 sameVal (AbsApproxFun _ _)     AbsBot                 = False
269
270 sameVal val1 val2 = panic "sameVal: type mismatch or AbsFun encountered"
271 \end{code}
272
273
274 @evalStrictness@ compares a @Demand@ with an abstract value, returning
275 @True@ iff the abstract value is {\em less defined} than the demand.
276 (@True@ is the exciting answer; @False@ is always safe.)
277
278 \begin{code}
279 evalStrictness :: Demand
280                -> AbsVal
281                -> Bool          -- True iff the value is sure
282                                 -- to be less defined than the Demand
283
284 evalStrictness (WwLazy _) _   = False
285 evalStrictness WwStrict   val = isBot val
286 evalStrictness WwEnum     val = isBot val
287
288 evalStrictness (WwUnpack _ demand_info) val
289   = case val of
290       AbsTop       -> False
291       AbsBot       -> True
292       AbsProd vals -> or (zipWithEqual "evalStrictness" evalStrictness demand_info vals)
293       _            -> pprTrace "evalStrictness?" empty False
294
295 evalStrictness WwPrim val
296   = case val of
297       AbsTop -> False
298       AbsBot -> True    -- Can happen: consider f (g x), where g is a 
299                         -- recursive function returning an Int# that diverges
300
301       other  -> pprPanic "evalStrictness: WwPrim:" (ppr other)
302 \end{code}
303
304 For absence analysis, we're interested in whether "poison" in the
305 argument (ie a bottom therein) can propagate to the result of the
306 function call; that is, whether the specified demand can {\em
307 possibly} hit poison.
308
309 \begin{code}
310 evalAbsence (WwLazy True) _ = False     -- Can't possibly hit poison
311                                         -- with Absent demand
312
313 evalAbsence (WwUnpack _ demand_info) val
314   = case val of
315         AbsTop       -> False           -- No poison in here
316         AbsBot       -> True            -- Pure poison
317         AbsProd vals -> or (zipWithEqual "evalAbsence" evalAbsence demand_info vals)
318         _            -> panic "evalAbsence: other"
319
320 evalAbsence other val = anyBot val
321   -- The demand is conservative; even "Lazy" *might* evaluate the
322   -- argument arbitrarily so we have to look everywhere for poison
323 \end{code}
324
325 %************************************************************************
326 %*                                                                      *
327 \subsection[absEval]{Evaluate an expression in the abstract domain}
328 %*                                                                      *
329 %************************************************************************
330
331 \begin{code}
332 -- The isBottomingId stuf is now dealt with via the Id's strictness info
333 -- absId anal var env | isBottomingId var
334 --   = case anal of
335 --      StrAnal -> AbsBot       -- See discussion below
336 --      AbsAnal -> AbsTop       -- Just want to see if there's any poison in
337                                 -- error's arg
338
339 absId anal var env
340   = case (lookupAbsValEnv env var, 
341           isDataConId_maybe var, 
342           idStrictness var, 
343           maybeUnfoldingTemplate (idUnfolding var)) of
344
345         (Just abs_val, _, _, _) ->
346                         abs_val -- Bound in the environment
347
348         (_, Just data_con, _, _) | isProductTyCon tycon &&
349                                    not (isRecursiveTyCon tycon)
350                 ->      -- A product.  We get infinite loops if we don't
351                         -- check for recursive products!
352                         -- The strictness info on the constructor 
353                         -- isn't expressive enough to contain its abstract value
354                    productAbsVal (dataConRepArgTys data_con) []
355                 where
356                    tycon = dataConTyCon data_con
357
358         (_, _, NoStrictnessInfo, Just unfolding) ->
359                         -- We have an unfolding for the expr
360                         -- Assume the unfolding has no free variables since it
361                         -- came from inside the Id
362                         absEval anal unfolding env
363                 -- Notice here that we only look in the unfolding if we don't
364                 -- have strictness info (an unusual situation).
365                 -- We could have chosen to look in the unfolding if it exists,
366                 -- and only try the strictness info if it doesn't, and that would
367                 -- give more accurate results, at the cost of re-abstract-interpreting
368                 -- the unfolding every time.
369                 -- We found only one place where the look-at-unfolding-first
370                 -- method gave better results, which is in the definition of
371                 -- showInt in the Prelude.  In its defintion, fromIntegral is
372                 -- not inlined (it's big) but ab-interp-ing its unfolding gave
373                 -- a better result than looking at its strictness only.
374                 --  showInt :: Integral a => a -> [Char] -> [Char]
375                 -- !       {-# GHC_PRAGMA _A_ 1 _U_ 122 _S_
376                 --         "U(U(U(U(SA)AAAAAAAAL)AA)AAAAASAAASA)" {...} _N_ _N_ #-}
377                 -- --- 42,44 ----
378                 --   showInt :: Integral a => a -> [Char] -> [Char]
379                 -- !       {-# GHC_PRAGMA _A_ 1 _U_ 122 _S_
380                 --        "U(U(U(U(SL)LLLLLLLLL)LL)LLLLLSLLLLL)" _N_ _N_ #-}
381
382
383         (_, _, strictness_info, _) ->
384                         -- Includes NoUnfolding
385                         -- Try the strictness info
386                         absValFromStrictness anal strictness_info
387
388 productAbsVal []                 rev_abs_args = AbsProd (reverse rev_abs_args)
389 productAbsVal (arg_ty : arg_tys) rev_abs_args = AbsFun arg_ty (\ abs_arg -> productAbsVal arg_tys (abs_arg : rev_abs_args))
390 \end{code}
391
392 \begin{code}
393 absEval :: AnalysisKind -> CoreExpr -> AbsValEnv -> AbsVal
394
395 absEval anal (Type ty) env = AbsTop
396 absEval anal (Var var) env = absId anal var env
397 \end{code}
398
399 Discussion about error (following/quoting Lennart): Any expression
400 'error e' is regarded as bottom (with HBC, with the -ffail-strict
401 flag, on with -O).
402
403 Regarding it as bottom gives much better strictness properties for
404 some functions.  E.g.
405
406         f [x] y = x+y
407         f (x:xs) y = f xs (x+y)
408 i.e.
409         f [] _ = error "no match"
410         f [x] y = x+y
411         f (x:xs) y = f xs (x+y)
412
413 is strict in y, which you really want.  But, it may lead to
414 transformations that turn a call to \tr{error} into non-termination.
415 (The odds of this happening aren't good.)
416
417 Things are a little different for absence analysis, because we want
418 to make sure that any poison (?????)
419
420 \begin{code}
421 absEval anal (Lit _) env = AbsTop
422         -- Literals terminate (strictness) and are not poison (absence)
423 \end{code}
424
425 \begin{code}
426 absEval anal (Lam bndr body) env
427   | isTyVar bndr = absEval anal body env        -- Type lambda
428   | otherwise    = AbsFun (idType bndr) abs_fn  -- Value lambda
429   where
430     abs_fn arg = absEval anal body (addOneToAbsValEnv env bndr arg)
431
432 absEval anal (App expr (Type ty)) env
433   = absEval anal expr env                       -- Type appplication
434 absEval anal (App f val_arg) env
435   = absApply anal (absEval anal f env)          -- Value applicationn
436                   (absEval anal val_arg env)
437 \end{code}
438
439 \begin{code}
440 absEval anal expr@(Case scrut case_bndr alts) env
441   = let
442         scrut_val  = absEval anal scrut env
443         alts_env   = addOneToAbsValEnv env case_bndr scrut_val
444     in
445     case (scrut_val, alts) of
446         (AbsBot, _) -> AbsBot
447
448         (AbsProd arg_vals, [(con, bndrs, rhs)])
449                 | con /= DEFAULT ->
450                 -- The scrutinee is a product value, so it must be of a single-constr
451                 -- type; so the constructor in this alternative must be the right one
452                 -- so we can go ahead and bind the constructor args to the components
453                 -- of the product value.
454             ASSERT(length arg_vals == length val_bndrs)
455             absEval anal rhs rhs_env
456           where
457             val_bndrs = filter isId bndrs
458             rhs_env   = growAbsValEnvList alts_env (val_bndrs `zip` arg_vals)
459
460         other -> absEvalAlts anal alts alts_env
461 \end{code}
462
463 For @Lets@ we widen the value we get.  This is nothing to
464 do with fixpointing.  The reason is so that we don't get an explosion
465 in the amount of computation.  For example, consider:
466 \begin{verbatim}
467       let
468         g a = case a of
469                 q1 -> ...
470                 q2 -> ...
471         f x = case x of
472                 p1 -> ...g r...
473                 p2 -> ...g s...
474       in
475         f e
476 \end{verbatim}
477 If we bind @f@ and @g@ to their exact abstract value, then we'll
478 ``execute'' one call to @f@ and {\em two} calls to @g@.  This can blow
479 up exponentially.  Widening cuts it off by making a fixed
480 approximation to @f@ and @g@, so that the bodies of @f@ and @g@ are
481 not evaluated again at all when they are called.
482
483 Of course, this can lose useful joint strictness, which is sad.  An
484 alternative approach would be to try with a certain amount of ``fuel''
485 and be prepared to bale out.
486
487 \begin{code}
488 absEval anal (Let (NonRec binder e1) e2) env
489   = let
490         new_env = addOneToAbsValEnv env binder (widen anal (absEval anal e1 env))
491     in
492         -- The binder of a NonRec should *not* be of unboxed type,
493         -- hence no need to strictly evaluate the Rhs.
494     absEval anal e2 new_env
495
496 absEval anal (Let (Rec pairs) body) env
497   = let
498         (binders,rhss) = unzip pairs
499         rhs_vals = cheapFixpoint anal binders rhss env  -- Returns widened values
500         new_env  = growAbsValEnvList env (binders `zip` rhs_vals)
501     in
502     absEval anal body new_env
503
504 absEval anal (Note note expr) env = absEval anal expr env
505 \end{code}
506
507 \begin{code}
508 absEvalAlts :: AnalysisKind -> [CoreAlt] -> AbsValEnv -> AbsVal
509 absEvalAlts anal alts env
510   = combine anal (map go alts)
511   where
512     combine StrAnal = foldr1 lub        -- Diverge only if all diverge
513     combine AbsAnal = foldr1 glb        -- Find any poison
514
515     go (con, bndrs, rhs)
516       = absEval anal rhs rhs_env
517       where
518         rhs_env = growAbsValEnvList env (filter isId bndrs `zip` repeat AbsTop)
519 \end{code}
520
521 %************************************************************************
522 %*                                                                      *
523 \subsection[absApply]{Apply an abstract function to an abstract argument}
524 %*                                                                      *
525 %************************************************************************
526
527 Easy ones first:
528
529 \begin{code}
530 absApply :: AnalysisKind -> AbsVal -> AbsVal -> AbsVal
531
532 absApply anal AbsBot arg = AbsBot
533   -- AbsBot represents the abstract bottom *function* too
534
535 absApply StrAnal AbsTop arg = AbsTop
536 absApply AbsAnal AbsTop arg = if anyBot arg
537                               then AbsBot
538                               else AbsTop
539         -- To be conservative, we have to assume that a function about
540         -- which we know nothing (AbsTop) might look at some part of
541         -- its argument
542 \end{code}
543
544 An @AbsFun@ with only one more argument needed---bind it and eval the
545 result.  A @Lam@ with two or more args: return another @AbsFun@ with
546 an augmented environment.
547
548 \begin{code}
549 absApply anal (AbsFun bndr_ty abs_fn) arg = abs_fn arg
550 \end{code}
551
552 \begin{code}
553 absApply StrAnal (AbsApproxFun (d:ds) val) arg
554   = case ds of 
555         []    -> val'
556         other -> AbsApproxFun ds val'   -- Result is non-bot if there are still args
557   where
558     val' | evalStrictness d arg = AbsBot
559          | otherwise            = val
560
561 absApply AbsAnal (AbsApproxFun (d:ds) val) arg
562   = if evalAbsence d arg
563     then AbsBot         -- Poison in arg means poison in the application
564     else case ds of
565                 []    -> val
566                 other -> AbsApproxFun ds val
567
568 #ifdef DEBUG
569 absApply anal f@(AbsProd _) arg 
570   = pprPanic ("absApply: Duff function: AbsProd." ++ show anal) ((ppr f) <+> (ppr arg))
571 #endif
572 \end{code}
573
574
575
576
577 %************************************************************************
578 %*                                                                      *
579 \subsection[findStrictness]{Determine some binders' strictness}
580 %*                                                                      *
581 %************************************************************************
582
583 \begin{code}
584 findStrictness :: Id
585                -> AbsVal                -- Abstract strictness value of function
586                -> AbsVal                -- Abstract absence value of function
587                -> StrictnessInfo        -- Resulting strictness annotation
588
589 findStrictness id (AbsApproxFun str_ds str_res) (AbsApproxFun abs_ds _)
590         -- You might think there's really no point in describing detailed
591         -- strictness for a divergent function; 
592         -- If it's fully applied we get bottom regardless of the
593         -- argument.  If it's not fully applied we don't get bottom.
594         -- Finally, we don't want to regard the args of a divergent function
595         -- as 'interesting' for inlining purposes (see Simplify.prepareArgs)
596         --
597         -- HOWEVER, if we make diverging functions appear lazy, they
598         -- don't get wrappers, and then we get dreadful reboxing.
599         -- See notes with WwLib.worthSplitting
600   = find_strictness id str_ds str_res abs_ds
601
602 findStrictness id str_val abs_val 
603   | isBot str_val = mkStrictnessInfo ([], True)
604   | otherwise     = NoStrictnessInfo
605
606 -- The list of absence demands passed to combineDemands 
607 -- can be shorter than the list of absence demands
608 --
609 --      lookup = \ dEq -> letrec {
610 --                           lookup = \ key ds -> ...lookup...
611 --                        }
612 --                        in lookup
613 -- Here the strictness value takes three args, but the absence value
614 -- takes only one, for reasons I don't quite understand (see cheapFixpoint)
615
616 find_strictness id orig_str_ds orig_str_res orig_abs_ds
617   = mkStrictnessInfo (go orig_str_ds orig_abs_ds, res_bot)
618   where
619     res_bot = isBot orig_str_res
620
621     go str_ds abs_ds = zipWith mk_dmd str_ds (abs_ds ++ repeat wwLazy)
622
623     mk_dmd str_dmd (WwLazy True)
624          = WARN( not (res_bot || isLazy str_dmd),
625                  ppr id <+> ppr orig_str_ds <+> ppr orig_abs_ds )
626                 -- If the arg isn't used we jolly well don't expect the function
627                 -- to be strict in it.  Unless the function diverges.
628            WwLazy True  -- Best of all
629
630     mk_dmd (WwUnpack u str_ds) 
631            (WwUnpack _ abs_ds) = WwUnpack u (go str_ds abs_ds)
632
633     mk_dmd str_dmd abs_dmd = str_dmd
634 \end{code}
635
636
637 \begin{code}
638 findDemand dmd str_env abs_env expr binder
639   = findRecDemand str_fn abs_fn (idType binder)
640   where
641     str_fn val = evalStrictness   dmd (absEval StrAnal expr (addOneToAbsValEnv str_env binder val))
642     abs_fn val = not (evalAbsence dmd (absEval AbsAnal expr (addOneToAbsValEnv abs_env binder val)))
643
644 findDemandAlts dmd str_env abs_env alts binder
645   = findRecDemand str_fn abs_fn (idType binder)
646   where
647     str_fn val = evalStrictness   dmd (absEvalAlts StrAnal alts (addOneToAbsValEnv str_env binder val))
648     abs_fn val = not (evalAbsence dmd (absEvalAlts AbsAnal alts (addOneToAbsValEnv abs_env binder val)))
649 \end{code}
650
651 @findRecDemand@ is where we finally convert strictness/absence info
652 into ``Demands'' which we can pin on Ids (etc.).
653
654 NOTE: What do we do if something is {\em both} strict and absent?
655 Should \tr{f x y z = error "foo"} says that \tr{f}'s arguments are all
656 strict (because of bottoming effect of \tr{error}) or all absent
657 (because they're not used)?
658
659 Well, for practical reasons, we prefer absence over strictness.  In
660 particular, it makes the ``default defaults'' for class methods (the
661 ones that say \tr{defm.foo dict = error "I don't exist"}) come out
662 nicely [saying ``the dict isn't used''], rather than saying it is
663 strict in every component of the dictionary [massive gratuitious
664 casing to take the dict apart].
665
666 But you could have examples where going for strictness would be better
667 than absence.  Consider:
668 \begin{verbatim}
669         let x = something big
670         in
671         f x y z + g x
672 \end{verbatim}
673
674 If \tr{x} is marked absent in \tr{f}, but not strict, and \tr{g} is
675 lazy, then the thunk for \tr{x} will be built.  If \tr{f} was strict,
676 then we'd let-to-case it:
677 \begin{verbatim}
678         case something big of
679           x -> f x y z + g x
680 \end{verbatim}
681 Ho hum.
682
683 \begin{code}
684 findRecDemand :: (AbsVal -> Bool)       -- True => function applied to this value yields Bot
685               -> (AbsVal -> Bool)       -- True => function applied to this value yields no poison
686               -> Type       -- The type of the argument
687               -> Demand
688
689 findRecDemand str_fn abs_fn ty
690   = if isUnLiftedType ty then -- It's a primitive type!
691        wwPrim
692
693     else if abs_fn AbsBot then -- It's absent
694        -- We prefer absence over strictness: see NOTE above.
695        WwLazy True
696
697     else if not (opt_AllStrict ||
698                  (opt_NumbersStrict && is_numeric_type ty) ||
699                  str_fn AbsBot) then
700         WwLazy False -- It's not strict and we're not pretending
701
702     else -- It's strict (or we're pretending it is)!
703
704        case splitProductType_maybe ty of
705
706          Nothing -> wwStrict    -- Could have a test for wwEnum, but
707                                 -- we don't exploit it yet, so don't bother
708
709          Just (tycon,_,data_con,cmpnt_tys)      -- Single constructor case
710            | isRecursiveTyCon tycon             -- Recursive data type; don't unpack
711            ->   wwStrict                        --      (this applies to newtypes too:
712                                                 --      e.g.  data Void = MkVoid Void)
713
714            |  null compt_strict_infos           -- A nullary data type
715            ->   wwStrict
716
717            | otherwise                          -- Some other data type
718            ->   wwUnpack compt_strict_infos
719
720            where
721               prod_len = length cmpnt_tys
722               compt_strict_infos
723                 = [ findRecDemand
724                          (\ cmpnt_val ->
725                                str_fn (mkMainlyTopProd prod_len i cmpnt_val)
726                          )
727                          (\ cmpnt_val ->
728                                abs_fn (mkMainlyTopProd prod_len i cmpnt_val)
729                          )
730                      cmpnt_ty
731                   | (cmpnt_ty, i) <- cmpnt_tys `zip` [1..] ]
732
733   where
734     is_numeric_type ty
735       = case (splitTyConApp_maybe ty) of -- NB: duplicates stuff done above
736           Nothing         -> False
737           Just (tycon, _) -> tyConUnique tycon `is_elem` numericTyKeys
738       where
739         is_elem = isIn "is_numeric_type"
740
741     -- mkMainlyTopProd: make an AbsProd that is all AbsTops ("n"-1 of
742     -- them) except for a given value in the "i"th position.
743
744     mkMainlyTopProd :: Int -> Int -> AbsVal -> AbsVal
745
746     mkMainlyTopProd n i val
747       = let
748             befores = nOfThem (i-1) AbsTop
749             afters  = nOfThem (n-i) AbsTop
750         in
751         AbsProd (befores ++ (val : afters))
752 \end{code}
753
754 %************************************************************************
755 %*                                                                      *
756 \subsection[fixpoint]{Fixpointer for the strictness analyser}
757 %*                                                                      *
758 %************************************************************************
759
760 The @fixpoint@ functions take a list of \tr{(binder, expr)} pairs, an
761 environment, and returns the abstract value of each binder.
762
763 The @cheapFixpoint@ function makes a conservative approximation,
764 by binding each of the variables to Top in their own right hand sides.
765 That allows us to make rapid progress, at the cost of a less-than-wonderful
766 approximation.
767
768 \begin{code}
769 cheapFixpoint :: AnalysisKind -> [Id] -> [CoreExpr] -> AbsValEnv -> [AbsVal]
770
771 cheapFixpoint AbsAnal [id] [rhs] env
772   = [crudeAbsWiden (absEval AbsAnal rhs new_env)]
773   where
774     new_env = addOneToAbsValEnv env id AbsTop   -- Unsafe starting point!
775                     -- In the just-one-binding case, we guarantee to
776                     -- find a fixed point in just one iteration,
777                     -- because we are using only a two-point domain.
778                     -- This improves matters in cases like:
779                     --
780                     --  f x y = letrec g = ...g...
781                     --          in g x
782                     --
783                     -- Here, y isn't used at all, but if g is bound to
784                     -- AbsBot we simply get AbsBot as the next
785                     -- iteration too.
786
787 cheapFixpoint anal ids rhss env
788   = [widen anal (absEval anal rhs new_env) | rhs <- rhss]
789                 -- We do just one iteration, starting from a safe
790                 -- approximation.  This won't do a good job in situations
791                 -- like:
792                 --      \x -> letrec f = ...g...
793                 --                   g = ...f...x...
794                 --            in
795                 --            ...f...
796                 -- Here, f will end up bound to Top after one iteration,
797                 -- and hence we won't spot the strictness in x.
798                 -- (A second iteration would solve this.  ToDo: try the effect of
799                 --  really searching for a fixed point.)
800   where
801     new_env = growAbsValEnvList env [(id,safe_val) | id <- ids]
802
803     safe_val
804       = case anal of    -- The safe starting point
805           StrAnal -> AbsTop
806           AbsAnal -> AbsBot
807 \end{code}
808
809 \begin{code}
810 fixpoint :: AnalysisKind -> [Id] -> [CoreExpr] -> AbsValEnv -> [AbsVal]
811
812 fixpoint anal [] _ env = []
813
814 fixpoint anal ids rhss env
815   = fix_loop initial_vals
816   where
817     initial_val id
818       = case anal of    -- The (unsafe) starting point
819           AbsAnal -> AbsTop
820           StrAnal -> AbsBot
821                 -- At one stage for StrAnal we said:
822                 --   if (returnsRealWorld (idType id))
823                 --   then AbsTop -- this is a massively horrible hack (SLPJ 95/05)
824                 -- but no one has the foggiest idea what this hack did,
825                 -- and returnsRealWorld was a stub that always returned False
826                 -- So this comment is all that is left of the hack!
827
828     initial_vals = [ initial_val id | id <- ids ]
829
830     fix_loop :: [AbsVal] -> [AbsVal]
831
832     fix_loop current_widened_vals
833       = let
834             new_env  = growAbsValEnvList env (ids `zip` current_widened_vals)
835             new_vals = [ absEval anal rhs new_env | rhs <- rhss ]
836             new_widened_vals = map (widen anal) new_vals
837         in
838         if (and (zipWith sameVal current_widened_vals new_widened_vals)) then
839             current_widened_vals
840
841             -- NB: I was too chicken to make that a zipWithEqual,
842             -- lest I jump into a black hole.  WDP 96/02
843
844             -- Return the widened values.  We might get a slightly
845             -- better value by returning new_vals (which we used to
846             -- do, see below), but alas that means that whenever the
847             -- function is called we have to re-execute it, which is
848             -- expensive.
849
850             -- OLD VERSION
851             -- new_vals
852             -- Return the un-widened values which may be a bit better
853             -- than the widened ones, and are guaranteed safe, since
854             -- they are one iteration beyond current_widened_vals,
855             -- which itself is a fixed point.
856         else
857             fix_loop new_widened_vals
858 \end{code}
859
860 For absence analysis, we make do with a very very simple approach:
861 look for convergence in a two-point domain.
862
863 We used to use just one iteration, starting with the variables bound
864 to @AbsBot@, which is safe.
865
866 Prior to that, we used one iteration starting from @AbsTop@ (which
867 isn't safe).  Why isn't @AbsTop@ safe?  Consider:
868 \begin{verbatim}
869         letrec
870           x = ...p..d...
871           d = (x,y)
872         in
873         ...
874 \end{verbatim}
875 Here, if p is @AbsBot@, then we'd better {\em not} end up with a ``fixed
876 point'' of @d@ being @(AbsTop, AbsTop)@!  An @AbsBot@ initial value is
877 safe because it gives poison more often than really necessary, and
878 thus may miss some absence, but will never claim absence when it ain't
879 so.
880
881 Anyway, one iteration starting with everything bound to @AbsBot@ give
882 bad results for
883
884         f = \ x -> ...f...
885
886 Here, f would always end up bound to @AbsBot@, which ain't very
887 clever, because then it would introduce poison whenever it was
888 applied.  Much better to start with f bound to @AbsTop@, and widen it
889 to @AbsBot@ if any poison shows up. In effect we look for convergence
890 in the two-point @AbsTop@/@AbsBot@ domain.
891
892 What we miss (compared with the cleverer strictness analysis) is
893 spotting that in this case
894
895         f = \ x y -> ...y...(f x y')...
896
897 \tr{x} is actually absent, since it is only passed round the loop, never
898 used.  But who cares about missing that?
899
900 NB: despite only having a two-point domain, we may still have many
901 iterations, because there are several variables involved at once.