-fno-code shouldn't be a mode.
[ghc-hetmet.git] / ghc / compiler / main / DynFlags.hs
1 -----------------------------------------------------------------------------
2 --
3 -- Dynamic flags
4 --
5 -- Most flags are dynamic flags, which means they can change from
6 -- compilation to compilation using OPTIONS_GHC pragmas, and in a
7 -- multi-session GHC each session can be using different dynamic
8 -- flags.  Dynamic flags can also be set at the prompt in GHCi.
9 --
10 -- (c) The University of Glasgow 2005
11 --
12 -----------------------------------------------------------------------------
13
14 module DynFlags (
15         -- Dynamic flags
16         DynFlag(..),
17         DynFlags(..),
18         HscTarget(..),
19         GhcMode(..), isOneShot,
20         GhcLink(..), isNoLink,
21         PackageFlag(..),
22         Option(..),
23
24         -- Configuration of the core-to-core and stg-to-stg phases
25         CoreToDo(..),
26         StgToDo(..),
27         SimplifierSwitch(..), 
28         SimplifierMode(..), FloatOutSwitches(..),
29         getCoreToDo, getStgToDo,
30         
31         -- Manipulating DynFlags
32         defaultDynFlags,                -- DynFlags
33         initDynFlags,                   -- DynFlags -> IO DynFlags
34
35         dopt,                           -- DynFlag -> DynFlags -> Bool
36         dopt_set, dopt_unset,           -- DynFlags -> DynFlag -> DynFlags
37         getOpts,                        -- (DynFlags -> [a]) -> IO [a]
38         getVerbFlag,
39         updOptLevel,
40         setTmpDir,
41         
42         -- parsing DynFlags
43         parseDynamicFlags,
44         allFlags,
45
46         -- misc stuff
47         machdepCCOpts, picCCOpts,
48   ) where
49
50 #include "HsVersions.h"
51
52 import Module           ( Module, mkModule )
53 import PrelNames        ( mAIN )
54 import StaticFlags      ( opt_Static, opt_PIC, 
55                           WayName(..), v_Ways, v_Build_tag, v_RTS_Build_tag )
56 import {-# SOURCE #-} Packages (PackageState)
57 import DriverPhases     ( Phase(..), phaseInputExt )
58 import Config
59 import CmdLineParser
60 import Panic            ( panic, GhcException(..) )
61 import Util             ( notNull, splitLongestPrefix, split, normalisePath )
62 import SrcLoc           ( SrcSpan )
63
64 import DATA_IOREF       ( readIORef )
65 import EXCEPTION        ( throwDyn )
66 import Monad            ( when )
67 #ifdef mingw32_TARGET_OS
68 import Data.List        ( isPrefixOf )
69 #endif
70 import Maybe            ( fromJust )
71 import Char             ( isDigit, isUpper )
72 import Outputable
73 import System.IO        ( hPutStrLn, stderr )
74 import {-# SOURCE #-} ErrUtils ( Severity(..), Message, mkLocMessage )
75
76 -- -----------------------------------------------------------------------------
77 -- DynFlags
78
79 data DynFlag
80
81    -- debugging flags
82    = Opt_D_dump_cmm
83    | Opt_D_dump_asm
84    | Opt_D_dump_cpranal
85    | Opt_D_dump_deriv
86    | Opt_D_dump_ds
87    | Opt_D_dump_flatC
88    | Opt_D_dump_foreign
89    | Opt_D_dump_inlinings
90    | Opt_D_dump_occur_anal
91    | Opt_D_dump_parsed
92    | Opt_D_dump_rn
93    | Opt_D_dump_simpl
94    | Opt_D_dump_simpl_iterations
95    | Opt_D_dump_spec
96    | Opt_D_dump_prep
97    | Opt_D_dump_stg
98    | Opt_D_dump_stranal
99    | Opt_D_dump_tc
100    | Opt_D_dump_types
101    | Opt_D_dump_rules
102    | Opt_D_dump_cse
103    | Opt_D_dump_worker_wrapper
104    | Opt_D_dump_rn_trace
105    | Opt_D_dump_rn_stats
106    | Opt_D_dump_opt_cmm
107    | Opt_D_dump_simpl_stats
108    | Opt_D_dump_tc_trace
109    | Opt_D_dump_if_trace
110    | Opt_D_dump_splices
111    | Opt_D_dump_BCOs
112    | Opt_D_dump_vect
113    | Opt_D_source_stats
114    | Opt_D_verbose_core2core
115    | Opt_D_verbose_stg2stg
116    | Opt_D_dump_hi
117    | Opt_D_dump_hi_diffs
118    | Opt_D_dump_minimal_imports
119    | Opt_D_faststring_stats
120    | Opt_DoCoreLinting
121    | Opt_DoStgLinting
122    | Opt_DoCmmLinting
123
124    | Opt_WarnIsError            -- -Werror; makes warnings fatal
125    | Opt_WarnDuplicateExports
126    | Opt_WarnHiShadows
127    | Opt_WarnIncompletePatterns
128    | Opt_WarnIncompletePatternsRecUpd
129    | Opt_WarnMissingFields
130    | Opt_WarnMissingMethods
131    | Opt_WarnMissingSigs
132    | Opt_WarnNameShadowing
133    | Opt_WarnOverlappingPatterns
134    | Opt_WarnSimplePatterns
135    | Opt_WarnTypeDefaults
136    | Opt_WarnUnusedBinds
137    | Opt_WarnUnusedImports
138    | Opt_WarnUnusedMatches
139    | Opt_WarnDeprecations
140    | Opt_WarnDodgyImports
141    | Opt_WarnOrphans
142
143    -- language opts
144    | Opt_AllowOverlappingInstances
145    | Opt_AllowUndecidableInstances
146    | Opt_AllowIncoherentInstances
147    | Opt_MonomorphismRestriction
148    | Opt_GlasgowExts
149    | Opt_FFI
150    | Opt_PArr                          -- syntactic support for parallel arrays
151    | Opt_Arrows                        -- Arrow-notation syntax
152    | Opt_TH
153    | Opt_ImplicitParams
154    | Opt_Generics
155    | Opt_ImplicitPrelude 
156    | Opt_ScopedTypeVariables
157    | Opt_BangPatterns
158
159    -- optimisation opts
160    | Opt_Strictness
161    | Opt_FullLaziness
162    | Opt_CSE
163    | Opt_IgnoreInterfacePragmas
164    | Opt_OmitInterfacePragmas
165    | Opt_DoLambdaEtaExpansion
166    | Opt_IgnoreAsserts
167    | Opt_DoEtaReduction
168    | Opt_CaseMerge
169    | Opt_UnboxStrictFields
170
171    -- misc opts
172    | Opt_Cpp
173    | Opt_Pp
174    | Opt_RecompChecking
175    | Opt_DryRun
176    | Opt_DoAsmMangling
177    | Opt_WriteIface
178    | Opt_ExcessPrecision
179    | Opt_ReadUserPackageConf
180    | Opt_NoHsMain
181    | Opt_SplitObjs
182    | Opt_StgStats
183    | Opt_HideAllPackages
184
185    -- keeping stuff
186    | Opt_KeepHiDiffs
187    | Opt_KeepHcFiles
188    | Opt_KeepSFiles
189    | Opt_KeepRawSFiles
190    | Opt_KeepTmpFiles
191
192    deriving (Eq)
193  
194 data DynFlags = DynFlags {
195   ghcMode               :: GhcMode,
196   ghcLink               :: GhcLink,
197   coreToDo              :: Maybe [CoreToDo], -- reserved for -Ofile
198   stgToDo               :: Maybe [StgToDo],  -- similarly
199   hscTarget             :: HscTarget,
200   hscOutName            :: String,      -- name of the output file
201   extCoreName           :: String,      -- name of the .core output file
202   verbosity             :: Int,         -- verbosity level
203   optLevel              :: Int,         -- optimisation level
204   maxSimplIterations    :: Int,         -- max simplifier iterations
205   ruleCheck             :: Maybe String,
206   stolen_x86_regs       :: Int,         
207   cmdlineHcIncludes     :: [String],    -- -#includes
208   importPaths           :: [FilePath],
209   mainModIs             :: Module,
210   mainFunIs             :: Maybe String,
211
212   -- ways
213   wayNames              :: [WayName],   -- way flags from the cmd line
214   buildTag              :: String,      -- the global "way" (eg. "p" for prof)
215   rtsBuildTag           :: String,      -- the RTS "way"
216   
217   -- paths etc.
218   objectDir             :: Maybe String,
219   hiDir                 :: Maybe String,
220   stubDir               :: Maybe String,
221
222   objectSuf             :: String,
223   hcSuf                 :: String,
224   hiSuf                 :: String,
225
226   outputFile            :: Maybe String,
227   outputHi              :: Maybe String,
228
229   includePaths          :: [String],
230   libraryPaths          :: [String],
231   frameworkPaths        :: [String],    -- used on darwin only
232   cmdlineFrameworks     :: [String],    -- ditto
233   tmpDir                :: String,      -- no trailing '/'
234   
235   -- options for particular phases
236   opt_L                 :: [String],
237   opt_P                 :: [String],
238   opt_F                 :: [String],
239   opt_c                 :: [String],
240   opt_m                 :: [String],
241   opt_a                 :: [String],
242   opt_l                 :: [String],
243   opt_dll               :: [String],
244   opt_dep               :: [String],
245
246   -- commands for particular phases
247   pgm_L                 :: String,
248   pgm_P                 :: (String,[Option]),
249   pgm_F                 :: String,
250   pgm_c                 :: (String,[Option]),
251   pgm_m                 :: (String,[Option]),
252   pgm_s                 :: (String,[Option]),
253   pgm_a                 :: (String,[Option]),
254   pgm_l                 :: (String,[Option]),
255   pgm_dll               :: (String,[Option]),
256
257   --  ** Package flags
258   extraPkgConfs         :: [FilePath],
259         -- The -package-conf flags given on the command line, in the order
260         -- they appeared.
261
262   packageFlags          :: [PackageFlag],
263         -- The -package and -hide-package flags from the command-line
264
265   --  ** Package state
266   pkgState              :: PackageState,
267
268   -- hsc dynamic flags
269   flags                 :: [DynFlag],
270   
271   -- message output
272   log_action            :: Severity -> SrcSpan -> PprStyle -> Message -> IO ()
273  }
274
275 data HscTarget
276   = HscC
277   | HscAsm
278   | HscJava
279   | HscILX
280   | HscInterpreted
281   | HscNothing
282   deriving (Eq, Show)
283
284 data GhcMode
285   = BatchCompile        -- | @ghc --make Main@
286   | Interactive         -- | @ghc --interactive@
287   | OneShot             -- | @ghc -c Foo.hs@
288   | JustTypecheck       -- | Development environemnts, refactorer, etc.
289   | MkDepend
290   deriving Eq
291
292 isOneShot :: GhcMode -> Bool
293 isOneShot OneShot = True
294 isOneShot _other  = False
295
296 data GhcLink    -- What to do in the link step, if there is one
297   =             -- Only relevant for modes
298                 --      DoMake and StopBefore StopLn
299     NoLink              -- Don't link at all
300   | StaticLink          -- Ordinary linker [the default]
301   | MkDLL               -- Make a DLL
302
303 isNoLink :: GhcLink -> Bool
304 isNoLink NoLink = True
305 isNoLink other  = False
306
307 data PackageFlag
308   = ExposePackage  String
309   | HidePackage    String
310   | IgnorePackage  String
311
312 defaultHscTarget
313   | cGhcWithNativeCodeGen == "YES"      =  HscAsm
314   | otherwise                           =  HscC
315
316 initDynFlags dflags = do
317  -- someday these will be dynamic flags
318  ways <- readIORef v_Ways
319  build_tag <- readIORef v_Build_tag
320  rts_build_tag <- readIORef v_RTS_Build_tag
321  return dflags{
322         wayNames        = ways,
323         buildTag        = build_tag,
324         rtsBuildTag     = rts_build_tag
325         }
326
327 defaultDynFlags =
328      DynFlags {
329         ghcMode                 = OneShot,
330         ghcLink                 = StaticLink,
331         coreToDo                = Nothing,
332         stgToDo                 = Nothing, 
333         hscTarget               = defaultHscTarget, 
334         hscOutName              = "", 
335         extCoreName             = "",
336         verbosity               = 0, 
337         optLevel                = 0,
338         maxSimplIterations      = 4,
339         ruleCheck               = Nothing,
340         stolen_x86_regs         = 4,
341         cmdlineHcIncludes       = [],
342         importPaths             = ["."],
343         mainModIs               = mAIN,
344         mainFunIs               = Nothing,
345         
346         wayNames                = panic "ways",
347         buildTag                = panic "buildTag",
348         rtsBuildTag             = panic "rtsBuildTag",
349
350         objectDir               = Nothing,
351         hiDir                   = Nothing,
352         stubDir                 = Nothing,
353
354         objectSuf               = phaseInputExt StopLn,
355         hcSuf                   = phaseInputExt HCc,
356         hiSuf                   = "hi",
357
358         outputFile              = Nothing,
359         outputHi                = Nothing,
360         includePaths            = [],
361         libraryPaths            = [],
362         frameworkPaths          = [],
363         cmdlineFrameworks       = [],
364         tmpDir                  = cDEFAULT_TMPDIR,
365         
366         opt_L                   = [],
367         opt_P                   = [],
368         opt_F                   = [],
369         opt_c                   = [],
370         opt_a                   = [],
371         opt_m                   = [],
372         opt_l                   = [],
373         opt_dll                 = [],
374         opt_dep                 = [],
375         
376         pgm_L                   = panic "pgm_L",
377         pgm_P                   = panic "pgm_P",
378         pgm_F                   = panic "pgm_F",
379         pgm_c                   = panic "pgm_c",
380         pgm_m                   = panic "pgm_m",
381         pgm_s                   = panic "pgm_s",
382         pgm_a                   = panic "pgm_a",
383         pgm_l                   = panic "pgm_l",
384         pgm_dll                 = panic "pgm_mkdll",
385         
386         extraPkgConfs           = [],
387         packageFlags            = [],
388         pkgState                = panic "pkgState",
389         
390         flags = [ 
391             Opt_RecompChecking,
392             Opt_ReadUserPackageConf,
393     
394             Opt_ImplicitPrelude,
395             Opt_MonomorphismRestriction,
396             Opt_Strictness,
397                         -- strictness is on by default, but this only
398                         -- applies to -O.
399             Opt_CSE,            -- similarly for CSE.
400             Opt_FullLaziness,   -- ...and for full laziness
401     
402             Opt_DoLambdaEtaExpansion,
403                         -- This one is important for a tiresome reason:
404                         -- we want to make sure that the bindings for data 
405                         -- constructors are eta-expanded.  This is probably
406                         -- a good thing anyway, but it seems fragile.
407     
408             Opt_DoAsmMangling,
409             Opt_WriteIface,
410     
411             -- and the default no-optimisation options:
412             Opt_IgnoreInterfacePragmas,
413             Opt_OmitInterfacePragmas
414     
415                ] ++ standardWarnings,
416                
417         log_action = \severity srcSpan style msg -> 
418                         case severity of
419                           SevInfo  -> hPutStrLn stderr (show (msg style))
420                           SevFatal -> hPutStrLn stderr (show (msg style))
421                           _        -> hPutStrLn stderr ('\n':show ((mkLocMessage srcSpan msg) style))
422       }
423
424 {- 
425     Verbosity levels:
426         
427     0   |   print errors & warnings only
428     1   |   minimal verbosity: print "compiling M ... done." for each module.
429     2   |   equivalent to -dshow-passes
430     3   |   equivalent to existing "ghc -v"
431     4   |   "ghc -v -ddump-most"
432     5   |   "ghc -v -ddump-all"
433 -}
434
435 dopt :: DynFlag -> DynFlags -> Bool
436 dopt f dflags  = f `elem` (flags dflags)
437
438 dopt_set :: DynFlags -> DynFlag -> DynFlags
439 dopt_set dfs f = dfs{ flags = f : flags dfs }
440
441 dopt_unset :: DynFlags -> DynFlag -> DynFlags
442 dopt_unset dfs f = dfs{ flags = filter (/= f) (flags dfs) }
443
444 getOpts :: DynFlags -> (DynFlags -> [a]) -> [a]
445 getOpts dflags opts = reverse (opts dflags)
446         -- We add to the options from the front, so we need to reverse the list
447
448 getVerbFlag :: DynFlags -> String
449 getVerbFlag dflags 
450   | verbosity dflags >= 3  = "-v" 
451   | otherwise =  ""
452
453 setObjectDir  f d = d{ objectDir  = f}
454 setHiDir      f d = d{ hiDir      = f}
455 setStubDir    f d = d{ stubDir    = f}
456
457 setObjectSuf  f d = d{ objectSuf  = f}
458 setHiSuf      f d = d{ hiSuf      = f}
459 setHcSuf      f d = d{ hcSuf      = f}
460
461 setOutputFile f d = d{ outputFile = f}
462 setOutputHi   f d = d{ outputHi   = f}
463
464 -- XXX HACK: Prelude> words "'does not' work" ===> ["'does","not'","work"]
465 -- Config.hs should really use Option.
466 setPgmP   f d = let (pgm:args) = words f in d{ pgm_P   = (pgm, map Option args)}
467
468 setPgmL   f d = d{ pgm_L   = f}
469 setPgmF   f d = d{ pgm_F   = f}
470 setPgmc   f d = d{ pgm_c   = (f,[])}
471 setPgmm   f d = d{ pgm_m   = (f,[])}
472 setPgms   f d = d{ pgm_s   = (f,[])}
473 setPgma   f d = d{ pgm_a   = (f,[])}
474 setPgml   f d = d{ pgm_l   = (f,[])}
475 setPgmdll f d = d{ pgm_dll = (f,[])}
476
477 addOptL   f d = d{ opt_L   = f : opt_L d}
478 addOptP   f d = d{ opt_P   = f : opt_P d}
479 addOptF   f d = d{ opt_F   = f : opt_F d}
480 addOptc   f d = d{ opt_c   = f : opt_c d}
481 addOptm   f d = d{ opt_m   = f : opt_m d}
482 addOpta   f d = d{ opt_a   = f : opt_a d}
483 addOptl   f d = d{ opt_l   = f : opt_l d}
484 addOptdll f d = d{ opt_dll = f : opt_dll d}
485 addOptdep f d = d{ opt_dep = f : opt_dep d}
486
487 addCmdlineFramework f d = d{ cmdlineFrameworks = f : cmdlineFrameworks d}
488
489 -- -----------------------------------------------------------------------------
490 -- Command-line options
491
492 -- When invoking external tools as part of the compilation pipeline, we
493 -- pass these a sequence of options on the command-line. Rather than
494 -- just using a list of Strings, we use a type that allows us to distinguish
495 -- between filepaths and 'other stuff'. [The reason being, of course, that
496 -- this type gives us a handle on transforming filenames, and filenames only,
497 -- to whatever format they're expected to be on a particular platform.]
498
499 data Option
500  = FileOption -- an entry that _contains_ filename(s) / filepaths.
501               String  -- a non-filepath prefix that shouldn't be 
502                       -- transformed (e.g., "/out=")
503               String  -- the filepath/filename portion
504  | Option     String
505  
506 -----------------------------------------------------------------------------
507 -- Setting the optimisation level
508
509 updOptLevel :: Int -> DynFlags -> DynFlags
510 -- Set dynflags appropriate to the optimisation level
511 updOptLevel n dfs
512   = if (n >= 1)
513      then dfs2{ hscTarget = HscC, optLevel = n } -- turn on -fvia-C with -O
514      else dfs2{ optLevel = n }
515   where
516    dfs1 = foldr (flip dopt_unset) dfs  remove_dopts
517    dfs2 = foldr (flip dopt_set)   dfs1 extra_dopts
518
519    extra_dopts
520         | n == 0    = opt_0_dopts
521         | otherwise = opt_1_dopts
522
523    remove_dopts
524         | n == 0    = opt_1_dopts
525         | otherwise = opt_0_dopts
526         
527 opt_0_dopts =  [ 
528         Opt_IgnoreInterfacePragmas,
529         Opt_OmitInterfacePragmas
530     ]
531
532 opt_1_dopts = [
533         Opt_IgnoreAsserts,
534         Opt_DoEtaReduction,
535         Opt_CaseMerge
536      ]
537
538 -- -----------------------------------------------------------------------------
539 -- Standard sets of warning options
540
541 standardWarnings
542     = [ Opt_WarnDeprecations,
543         Opt_WarnOverlappingPatterns,
544         Opt_WarnMissingFields,
545         Opt_WarnMissingMethods,
546         Opt_WarnDuplicateExports
547       ]
548
549 minusWOpts
550     = standardWarnings ++ 
551       [ Opt_WarnUnusedBinds,
552         Opt_WarnUnusedMatches,
553         Opt_WarnUnusedImports,
554         Opt_WarnIncompletePatterns,
555         Opt_WarnDodgyImports
556       ]
557
558 minusWallOpts
559     = minusWOpts ++
560       [ Opt_WarnTypeDefaults,
561         Opt_WarnNameShadowing,
562         Opt_WarnMissingSigs,
563         Opt_WarnHiShadows,
564         Opt_WarnOrphans
565       ]
566
567 -- -----------------------------------------------------------------------------
568 -- CoreToDo:  abstraction of core-to-core passes to run.
569
570 data CoreToDo           -- These are diff core-to-core passes,
571                         -- which may be invoked in any order,
572                         -- as many times as you like.
573
574   = CoreDoSimplify      -- The core-to-core simplifier.
575         SimplifierMode
576         [SimplifierSwitch]
577                         -- Each run of the simplifier can take a different
578                         -- set of simplifier-specific flags.
579   | CoreDoFloatInwards
580   | CoreDoFloatOutwards FloatOutSwitches
581   | CoreLiberateCase
582   | CoreDoPrintCore
583   | CoreDoStaticArgs
584   | CoreDoStrictness
585   | CoreDoWorkerWrapper
586   | CoreDoSpecialising
587   | CoreDoSpecConstr
588   | CoreDoOldStrictness
589   | CoreDoGlomBinds
590   | CoreCSE
591   | CoreDoRuleCheck Int{-CompilerPhase-} String -- Check for non-application of rules 
592                                                 -- matching this string
593
594   | CoreDoNothing        -- useful when building up lists of these things
595
596 data SimplifierMode             -- See comments in SimplMonad
597   = SimplGently
598   | SimplPhase Int
599
600 data SimplifierSwitch
601   = MaxSimplifierIterations Int
602   | NoCaseOfCase
603
604 data FloatOutSwitches
605   = FloatOutSw  Bool    -- True <=> float lambdas to top level
606                 Bool    -- True <=> float constants to top level,
607                         --          even if they do not escape a lambda
608
609
610 -- The core-to-core pass ordering is derived from the DynFlags:
611
612 getCoreToDo :: DynFlags -> [CoreToDo]
613 getCoreToDo dflags
614   | Just todo <- coreToDo dflags = todo -- set explicitly by user
615   | otherwise = core_todo
616   where
617     opt_level     = optLevel dflags
618     max_iter      = maxSimplIterations dflags
619     strictness    = dopt Opt_Strictness dflags
620     full_laziness = dopt Opt_FullLaziness dflags
621     cse           = dopt Opt_CSE dflags
622     rule_check    = ruleCheck dflags
623
624     core_todo = 
625      if opt_level == 0 then
626       [
627         CoreDoSimplify (SimplPhase 0) [
628             MaxSimplifierIterations max_iter
629         ]
630       ]
631      else {- opt_level >= 1 -} [ 
632
633         -- initial simplify: mk specialiser happy: minimum effort please
634         CoreDoSimplify SimplGently [
635                         --      Simplify "gently"
636                         -- Don't inline anything till full laziness has bitten
637                         -- In particular, inlining wrappers inhibits floating
638                         -- e.g. ...(case f x of ...)...
639                         --  ==> ...(case (case x of I# x# -> fw x#) of ...)...
640                         --  ==> ...(case x of I# x# -> case fw x# of ...)...
641                         -- and now the redex (f x) isn't floatable any more
642                         -- Similarly, don't apply any rules until after full 
643                         -- laziness.  Notably, list fusion can prevent floating.
644
645             NoCaseOfCase,
646                         -- Don't do case-of-case transformations.
647                         -- This makes full laziness work better
648             MaxSimplifierIterations max_iter
649         ],
650
651         -- Specialisation is best done before full laziness
652         -- so that overloaded functions have all their dictionary lambdas manifest
653         CoreDoSpecialising,
654
655         if full_laziness then CoreDoFloatOutwards (FloatOutSw False False)
656                          else CoreDoNothing,
657
658         CoreDoFloatInwards,
659
660         CoreDoSimplify (SimplPhase 2) [
661                 -- Want to run with inline phase 2 after the specialiser to give
662                 -- maximum chance for fusion to work before we inline build/augment
663                 -- in phase 1.  This made a difference in 'ansi' where an 
664                 -- overloaded function wasn't inlined till too late.
665            MaxSimplifierIterations max_iter
666         ],
667         case rule_check of { Just pat -> CoreDoRuleCheck 2 pat; Nothing -> CoreDoNothing },
668
669         CoreDoSimplify (SimplPhase 1) [
670                 -- Need inline-phase2 here so that build/augment get 
671                 -- inlined.  I found that spectral/hartel/genfft lost some useful
672                 -- strictness in the function sumcode' if augment is not inlined
673                 -- before strictness analysis runs
674            MaxSimplifierIterations max_iter
675         ],
676         case rule_check of { Just pat -> CoreDoRuleCheck 1 pat; Nothing -> CoreDoNothing },
677
678         CoreDoSimplify (SimplPhase 0) [
679                 -- Phase 0: allow all Ids to be inlined now
680                 -- This gets foldr inlined before strictness analysis
681
682            MaxSimplifierIterations 3
683                 -- At least 3 iterations because otherwise we land up with
684                 -- huge dead expressions because of an infelicity in the 
685                 -- simpifier.   
686                 --      let k = BIG in foldr k z xs
687                 -- ==>  let k = BIG in letrec go = \xs -> ...(k x).... in go xs
688                 -- ==>  let k = BIG in letrec go = \xs -> ...(BIG x).... in go xs
689                 -- Don't stop now!
690
691         ],
692         case rule_check of { Just pat -> CoreDoRuleCheck 0 pat; Nothing -> CoreDoNothing },
693
694 #ifdef OLD_STRICTNESS
695         CoreDoOldStrictness
696 #endif
697         if strictness then CoreDoStrictness else CoreDoNothing,
698         CoreDoWorkerWrapper,
699         CoreDoGlomBinds,
700
701         CoreDoSimplify (SimplPhase 0) [
702            MaxSimplifierIterations max_iter
703         ],
704
705         if full_laziness then
706           CoreDoFloatOutwards (FloatOutSw False   -- Not lambdas
707                                           True)   -- Float constants
708         else CoreDoNothing,
709                 -- nofib/spectral/hartel/wang doubles in speed if you
710                 -- do full laziness late in the day.  It only happens
711                 -- after fusion and other stuff, so the early pass doesn't
712                 -- catch it.  For the record, the redex is 
713                 --        f_el22 (f_el21 r_midblock)
714
715
716         -- We want CSE to follow the final full-laziness pass, because it may
717         -- succeed in commoning up things floated out by full laziness.
718         -- CSE used to rely on the no-shadowing invariant, but it doesn't any more
719
720         if cse then CoreCSE else CoreDoNothing,
721
722         CoreDoFloatInwards,
723
724 -- Case-liberation for -O2.  This should be after
725 -- strictness analysis and the simplification which follows it.
726
727         case rule_check of { Just pat -> CoreDoRuleCheck 0 pat; Nothing -> CoreDoNothing },
728
729         if opt_level >= 2 then
730            CoreLiberateCase
731         else
732            CoreDoNothing,
733         if opt_level >= 2 then
734            CoreDoSpecConstr
735         else
736            CoreDoNothing,
737
738         -- Final clean-up simplification:
739         CoreDoSimplify (SimplPhase 0) [
740           MaxSimplifierIterations max_iter
741         ]
742      ]
743
744 -- -----------------------------------------------------------------------------
745 -- StgToDo:  abstraction of stg-to-stg passes to run.
746
747 data StgToDo
748   = StgDoMassageForProfiling  -- should be (next to) last
749   -- There's also setStgVarInfo, but its absolute "lastness"
750   -- is so critical that it is hardwired in (no flag).
751   | D_stg_stats
752
753 getStgToDo :: DynFlags -> [StgToDo]
754 getStgToDo dflags
755   | Just todo <- stgToDo dflags = todo -- set explicitly by user
756   | otherwise = todo2
757   where
758         stg_stats = dopt Opt_StgStats dflags
759
760         todo1 = if stg_stats then [D_stg_stats] else []
761
762         todo2 | WayProf `elem` wayNames dflags
763               = StgDoMassageForProfiling : todo1
764               | otherwise
765               = todo1
766
767 -- -----------------------------------------------------------------------------
768 -- DynFlags parser
769
770 allFlags :: [String]
771 allFlags = map ('-':) $
772            [ name | (name, optkind) <- dynamic_flags, ok optkind ] ++
773            map ("fno-"++) flags ++
774            map ("f"++) flags
775     where ok (PrefixPred _ _) = False
776           ok _ = True
777           flags = map fst fFlags
778
779 dynamic_flags :: [(String, OptKind DynP)]
780 dynamic_flags = [
781      ( "n"              , NoArg  (setDynFlag Opt_DryRun) )
782   ,  ( "cpp"            , NoArg  (setDynFlag Opt_Cpp))
783   ,  ( "F"              , NoArg  (setDynFlag Opt_Pp))
784   ,  ( "#include"       , HasArg (addCmdlineHCInclude) )
785   ,  ( "v"              , OptPrefix (setVerbosity) )
786
787         ------- Specific phases  --------------------------------------------
788   ,  ( "pgmL"           , HasArg (upd . setPgmL) )  
789   ,  ( "pgmP"           , HasArg (upd . setPgmP) )  
790   ,  ( "pgmF"           , HasArg (upd . setPgmF) )  
791   ,  ( "pgmc"           , HasArg (upd . setPgmc) )  
792   ,  ( "pgmm"           , HasArg (upd . setPgmm) )  
793   ,  ( "pgms"           , HasArg (upd . setPgms) )  
794   ,  ( "pgma"           , HasArg (upd . setPgma) )  
795   ,  ( "pgml"           , HasArg (upd . setPgml) )  
796   ,  ( "pgmdll"         , HasArg (upd . setPgmdll) )
797
798   ,  ( "optL"           , HasArg (upd . addOptL) )  
799   ,  ( "optP"           , HasArg (upd . addOptP) )  
800   ,  ( "optF"           , HasArg (upd . addOptF) )  
801   ,  ( "optc"           , HasArg (upd . addOptc) )  
802   ,  ( "optm"           , HasArg (upd . addOptm) )  
803   ,  ( "opta"           , HasArg (upd . addOpta) )  
804   ,  ( "optl"           , HasArg (upd . addOptl) )  
805   ,  ( "optdll"         , HasArg (upd . addOptdll) )  
806   ,  ( "optdep"         , HasArg (upd . addOptdep) )
807
808   ,  ( "split-objs"     , NoArg (if can_split
809                                     then setDynFlag Opt_SplitObjs
810                                     else return ()) )
811
812         -------- Linking ----------------------------------------------------
813   ,  ( "c"              , NoArg (upd $ \d -> d{ ghcLink=NoLink } ))
814   ,  ( "no-link"        , NoArg (upd $ \d -> d{ ghcLink=NoLink } )) -- Dep.
815   ,  ( "-mk-dll"        , NoArg (upd $ \d -> d{ ghcLink=MkDLL } ))
816
817         ------- Libraries ---------------------------------------------------
818   ,  ( "L"              , Prefix addLibraryPath )
819   ,  ( "l"              , AnySuffix (\s -> do upd (addOptl s)
820                                               upd (addOptdll s)))
821
822         ------- Frameworks --------------------------------------------------
823         -- -framework-path should really be -F ...
824   ,  ( "framework-path" , HasArg addFrameworkPath )
825   ,  ( "framework"      , HasArg (upd . addCmdlineFramework) )
826
827         ------- Output Redirection ------------------------------------------
828   ,  ( "odir"           , HasArg (upd . setObjectDir  . Just))
829   ,  ( "o"              , SepArg (upd . setOutputFile . Just))
830   ,  ( "ohi"            , HasArg (upd . setOutputHi   . Just ))
831   ,  ( "osuf"           , HasArg (upd . setObjectSuf))
832   ,  ( "hcsuf"          , HasArg (upd . setHcSuf))
833   ,  ( "hisuf"          , HasArg (upd . setHiSuf))
834   ,  ( "hidir"          , HasArg (upd . setHiDir . Just))
835   ,  ( "tmpdir"         , HasArg (upd . setTmpDir))
836   ,  ( "stubdir"        , HasArg (upd . setStubDir . Just))
837
838         ------- Keeping temporary files -------------------------------------
839   ,  ( "keep-hc-file"   , AnySuffix (\_ -> do setDynFlag Opt_KeepHcFiles
840                                               setTarget HscC))
841   ,  ( "keep-s-file"    , AnySuffix (\_ -> do setDynFlag Opt_KeepSFiles
842                                               setTarget HscAsm))
843   ,  ( "keep-raw-s-file", AnySuffix (\_ -> setDynFlag Opt_KeepRawSFiles))
844   ,  ( "keep-tmp-files" , AnySuffix (\_ -> setDynFlag Opt_KeepTmpFiles))
845
846         ------- Miscellaneous ----------------------------------------------
847   ,  ( "no-hs-main"     , NoArg (setDynFlag Opt_NoHsMain))
848   ,  ( "main-is"        , SepArg setMainIs )
849
850         ------- recompilation checker --------------------------------------
851   ,  ( "recomp"         , NoArg (setDynFlag   Opt_RecompChecking) )
852   ,  ( "no-recomp"      , NoArg (unSetDynFlag Opt_RecompChecking) )
853
854         ------- Packages ----------------------------------------------------
855   ,  ( "package-conf"   , HasArg extraPkgConf_ )
856   ,  ( "no-user-package-conf", NoArg (unSetDynFlag Opt_ReadUserPackageConf) )
857   ,  ( "package-name"   , HasArg ignorePackage ) -- for compatibility
858   ,  ( "package"        , HasArg exposePackage )
859   ,  ( "hide-package"   , HasArg hidePackage )
860   ,  ( "hide-all-packages", NoArg (setDynFlag Opt_HideAllPackages) )
861   ,  ( "ignore-package" , HasArg ignorePackage )
862   ,  ( "syslib"         , HasArg exposePackage )  -- for compatibility
863
864         ------ HsCpp opts ---------------------------------------------------
865   ,  ( "D",             AnySuffix (upd . addOptP) )
866   ,  ( "U",             AnySuffix (upd . addOptP) )
867
868         ------- Include/Import Paths ----------------------------------------
869   ,  ( "I"              , Prefix    addIncludePath)
870   ,  ( "i"              , OptPrefix addImportPath )
871
872         ------ Debugging ----------------------------------------------------
873   ,  ( "dstg-stats",    NoArg (setDynFlag Opt_StgStats))
874
875   ,  ( "ddump-cmm",              setDumpFlag Opt_D_dump_cmm)
876   ,  ( "ddump-asm",              setDumpFlag Opt_D_dump_asm)
877   ,  ( "ddump-cpranal",          setDumpFlag Opt_D_dump_cpranal)
878   ,  ( "ddump-deriv",            setDumpFlag Opt_D_dump_deriv)
879   ,  ( "ddump-ds",               setDumpFlag Opt_D_dump_ds)
880   ,  ( "ddump-flatC",            setDumpFlag Opt_D_dump_flatC)
881   ,  ( "ddump-foreign",          setDumpFlag Opt_D_dump_foreign)
882   ,  ( "ddump-inlinings",        setDumpFlag Opt_D_dump_inlinings)
883   ,  ( "ddump-occur-anal",       setDumpFlag Opt_D_dump_occur_anal)
884   ,  ( "ddump-parsed",           setDumpFlag Opt_D_dump_parsed)
885   ,  ( "ddump-rn",               setDumpFlag Opt_D_dump_rn)
886   ,  ( "ddump-simpl",            setDumpFlag Opt_D_dump_simpl)
887   ,  ( "ddump-simpl-iterations", setDumpFlag Opt_D_dump_simpl_iterations)
888   ,  ( "ddump-spec",             setDumpFlag Opt_D_dump_spec)
889   ,  ( "ddump-prep",             setDumpFlag Opt_D_dump_prep)
890   ,  ( "ddump-stg",              setDumpFlag Opt_D_dump_stg)
891   ,  ( "ddump-stranal",          setDumpFlag Opt_D_dump_stranal)
892   ,  ( "ddump-tc",               setDumpFlag Opt_D_dump_tc)
893   ,  ( "ddump-types",            setDumpFlag Opt_D_dump_types)
894   ,  ( "ddump-rules",            setDumpFlag Opt_D_dump_rules)
895   ,  ( "ddump-cse",              setDumpFlag Opt_D_dump_cse)
896   ,  ( "ddump-worker-wrapper",   setDumpFlag Opt_D_dump_worker_wrapper)
897   ,  ( "ddump-rn-trace",         NoArg (setDynFlag Opt_D_dump_rn_trace))
898   ,  ( "ddump-if-trace",         NoArg (setDynFlag Opt_D_dump_if_trace))
899   ,  ( "ddump-tc-trace",         setDumpFlag Opt_D_dump_tc_trace)
900   ,  ( "ddump-splices",          setDumpFlag Opt_D_dump_splices)
901   ,  ( "ddump-rn-stats",         NoArg (setDynFlag Opt_D_dump_rn_stats))
902   ,  ( "ddump-opt-cmm",          setDumpFlag Opt_D_dump_opt_cmm)
903   ,  ( "ddump-simpl-stats",      setDumpFlag Opt_D_dump_simpl_stats)
904   ,  ( "ddump-bcos",             setDumpFlag Opt_D_dump_BCOs)
905   ,  ( "dsource-stats",          setDumpFlag Opt_D_source_stats)
906   ,  ( "dverbose-core2core",     setDumpFlag Opt_D_verbose_core2core)
907   ,  ( "dverbose-stg2stg",       setDumpFlag Opt_D_verbose_stg2stg)
908   ,  ( "ddump-hi-diffs",         NoArg (setDynFlag Opt_D_dump_hi_diffs))
909   ,  ( "ddump-hi",               setDumpFlag Opt_D_dump_hi)
910   ,  ( "ddump-minimal-imports",  NoArg (setDynFlag Opt_D_dump_minimal_imports))
911   ,  ( "ddump-vect",             setDumpFlag Opt_D_dump_vect)
912   ,  ( "dcore-lint",             NoArg (setDynFlag Opt_DoCoreLinting))
913   ,  ( "dstg-lint",              NoArg (setDynFlag Opt_DoStgLinting))
914   ,  ( "dcmm-lint",              NoArg (setDynFlag Opt_DoCmmLinting))
915   ,  ( "dshow-passes",           NoArg (do unSetDynFlag Opt_RecompChecking
916                                            setVerbosity "2") )
917   ,  ( "dfaststring-stats",      NoArg (setDynFlag Opt_D_faststring_stats))
918
919         ------ Machine dependant (-m<blah>) stuff ---------------------------
920
921   ,  ( "monly-2-regs",  NoArg (upd (\s -> s{stolen_x86_regs = 2}) ))
922   ,  ( "monly-3-regs",  NoArg (upd (\s -> s{stolen_x86_regs = 3}) ))
923   ,  ( "monly-4-regs",  NoArg (upd (\s -> s{stolen_x86_regs = 4}) ))
924
925         ------ Warning opts -------------------------------------------------
926   ,  ( "W"              , NoArg (mapM_ setDynFlag   minusWOpts)    )
927   ,  ( "Werror"         , NoArg (setDynFlag         Opt_WarnIsError) )
928   ,  ( "Wall"           , NoArg (mapM_ setDynFlag   minusWallOpts) )
929   ,  ( "Wnot"           , NoArg (mapM_ unSetDynFlag minusWallOpts) ) /* DEPREC */
930   ,  ( "w"              , NoArg (mapM_ unSetDynFlag minusWallOpts) )
931
932         ------ Optimisation flags ------------------------------------------
933   ,  ( "O"                 , NoArg (upd (setOptLevel 1)))
934   ,  ( "Onot"              , NoArg (upd (setOptLevel 0)))
935   ,  ( "O"                 , PrefixPred (all isDigit) 
936                                 (\f -> upd (setOptLevel (read f))))
937
938   ,  ( "fmax-simplifier-iterations", 
939                 PrefixPred (all isDigit) 
940                   (\n -> upd (\dfs -> 
941                         dfs{ maxSimplIterations = read n })) )
942
943   ,  ( "frule-check", 
944                 SepArg (\s -> upd (\dfs -> dfs{ ruleCheck = Just s })))
945
946         ------ Compiler flags -----------------------------------------------
947
948   ,  ( "fno-code",      NoArg (do setTarget HscNothing
949                                   unSetDynFlag Opt_WriteIface))
950   ,  ( "fasm",          AnySuffix (\_ -> setTarget HscAsm) )
951   ,  ( "fvia-c",        NoArg (setTarget HscC) )
952   ,  ( "fvia-C",        NoArg (setTarget HscC) )
953   ,  ( "filx",          NoArg (setTarget HscILX) )
954
955   ,  ( "fglasgow-exts",    NoArg (mapM_ setDynFlag   glasgowExtsFlags) )
956   ,  ( "fno-glasgow-exts", NoArg (mapM_ unSetDynFlag glasgowExtsFlags) )
957
958         -- the rest of the -f* and -fno-* flags
959   ,  ( "fno-",          PrefixPred (\f -> isFFlag f) (\f -> unSetDynFlag (getFFlag f)) )
960   ,  ( "f",             PrefixPred (\f -> isFFlag f) (\f -> setDynFlag (getFFlag f)) )
961  ]
962
963 -- these -f<blah> flags can all be reversed with -fno-<blah>
964
965 fFlags = [
966   ( "warn-duplicate-exports",           Opt_WarnDuplicateExports ),
967   ( "warn-hi-shadowing",                Opt_WarnHiShadows ),
968   ( "warn-incomplete-patterns",         Opt_WarnIncompletePatterns ),
969   ( "warn-incomplete-record-updates",   Opt_WarnIncompletePatternsRecUpd ),
970   ( "warn-missing-fields",              Opt_WarnMissingFields ),
971   ( "warn-missing-methods",             Opt_WarnMissingMethods ),
972   ( "warn-missing-signatures",          Opt_WarnMissingSigs ),
973   ( "warn-name-shadowing",              Opt_WarnNameShadowing ),
974   ( "warn-overlapping-patterns",        Opt_WarnOverlappingPatterns ),
975   ( "warn-simple-patterns",             Opt_WarnSimplePatterns ),
976   ( "warn-type-defaults",               Opt_WarnTypeDefaults ),
977   ( "warn-unused-binds",                Opt_WarnUnusedBinds ),
978   ( "warn-unused-imports",              Opt_WarnUnusedImports ),
979   ( "warn-unused-matches",              Opt_WarnUnusedMatches ),
980   ( "warn-deprecations",                Opt_WarnDeprecations ),
981   ( "warn-orphans",                     Opt_WarnOrphans ),
982   ( "fi",                               Opt_FFI ),  -- support `-ffi'...
983   ( "ffi",                              Opt_FFI ),  -- ...and also `-fffi'
984   ( "arrows",                           Opt_Arrows ), -- arrow syntax
985   ( "parr",                             Opt_PArr ),
986   ( "th",                               Opt_TH ),
987   ( "implicit-prelude",                 Opt_ImplicitPrelude ),
988   ( "scoped-type-variables",            Opt_ScopedTypeVariables ),
989   ( "bang-patterns",                    Opt_BangPatterns ),
990   ( "monomorphism-restriction",         Opt_MonomorphismRestriction ),
991   ( "implicit-params",                  Opt_ImplicitParams ),
992   ( "allow-overlapping-instances",      Opt_AllowOverlappingInstances ),
993   ( "allow-undecidable-instances",      Opt_AllowUndecidableInstances ),
994   ( "allow-incoherent-instances",       Opt_AllowIncoherentInstances ),
995   ( "generics",                         Opt_Generics ),
996   ( "strictness",                       Opt_Strictness ),
997   ( "full-laziness",                    Opt_FullLaziness ),
998   ( "cse",                              Opt_CSE ),
999   ( "ignore-interface-pragmas",         Opt_IgnoreInterfacePragmas ),
1000   ( "omit-interface-pragmas",           Opt_OmitInterfacePragmas ),
1001   ( "do-lambda-eta-expansion",          Opt_DoLambdaEtaExpansion ),
1002   ( "ignore-asserts",                   Opt_IgnoreAsserts ),
1003   ( "do-eta-reduction",                 Opt_DoEtaReduction ),
1004   ( "case-merge",                       Opt_CaseMerge ),
1005   ( "unbox-strict-fields",              Opt_UnboxStrictFields ),
1006   ( "excess-precision",                 Opt_ExcessPrecision ),
1007   ( "asm-mangling",                     Opt_DoAsmMangling ),
1008   ( "write-iface",                      Opt_WriteIface )
1009   ]
1010
1011 glasgowExtsFlags = [ 
1012   Opt_GlasgowExts, 
1013   Opt_FFI, 
1014   Opt_TH, 
1015   Opt_ImplicitParams, 
1016   Opt_ScopedTypeVariables,
1017   Opt_BangPatterns ]
1018
1019 isFFlag f = f `elem` (map fst fFlags)
1020 getFFlag f = fromJust (lookup f fFlags)
1021
1022 -- -----------------------------------------------------------------------------
1023 -- Parsing the dynamic flags.
1024
1025 parseDynamicFlags :: DynFlags -> [String] -> IO (DynFlags,[String])
1026 parseDynamicFlags dflags args = do
1027   let ((leftover,errs),dflags') 
1028           = runCmdLine (processArgs dynamic_flags args) dflags
1029   when (not (null errs)) $ do
1030     throwDyn (UsageError (unlines errs))
1031   return (dflags', leftover)
1032
1033
1034 type DynP = CmdLineP DynFlags
1035
1036 upd :: (DynFlags -> DynFlags) -> DynP ()
1037 upd f = do 
1038    dfs <- getCmdLineState
1039    putCmdLineState $! (f dfs)
1040
1041 setDynFlag, unSetDynFlag :: DynFlag -> DynP ()
1042 setDynFlag f   = upd (\dfs -> dopt_set dfs f)
1043 unSetDynFlag f = upd (\dfs -> dopt_unset dfs f)
1044
1045 setDumpFlag :: DynFlag -> OptKind DynP
1046 setDumpFlag dump_flag 
1047   = NoArg (unSetDynFlag Opt_RecompChecking >> setDynFlag dump_flag)
1048         -- Whenver we -ddump, switch off the recompilation checker,
1049         -- else you don't see the dump!
1050
1051 setVerbosity "" = upd (\dfs -> dfs{ verbosity = 3 })
1052 setVerbosity n 
1053   | all isDigit n = upd (\dfs -> dfs{ verbosity = read n })
1054   | otherwise     = throwDyn (UsageError "can't parse verbosity flag (-v<n>)")
1055
1056 addCmdlineHCInclude a = upd (\s -> s{cmdlineHcIncludes =  a : cmdlineHcIncludes s})
1057
1058 extraPkgConf_  p = upd (\s -> s{ extraPkgConfs = p : extraPkgConfs s })
1059
1060 exposePackage p = 
1061   upd (\s -> s{ packageFlags = ExposePackage p : packageFlags s })
1062 hidePackage p = 
1063   upd (\s -> s{ packageFlags = HidePackage p : packageFlags s })
1064 ignorePackage p = 
1065   upd (\s -> s{ packageFlags = IgnorePackage p : packageFlags s })
1066
1067 -- we can only switch between HscC, HscAsmm, and HscILX with dynamic flags 
1068 -- (-fvia-C, -fasm, -filx respectively).
1069 setTarget l = upd (\dfs -> case hscTarget dfs of
1070                                         HscC   -> dfs{ hscTarget = l }
1071                                         HscAsm -> dfs{ hscTarget = l }
1072                                         HscILX -> dfs{ hscTarget = l }
1073                                         _      -> dfs)
1074
1075 setOptLevel :: Int -> DynFlags -> DynFlags
1076 setOptLevel n dflags
1077    | hscTarget dflags == HscInterpreted && n > 0
1078         = dflags
1079             -- not in IO any more, oh well:
1080             -- putStr "warning: -O conflicts with --interactive; -O ignored.\n"
1081    | otherwise
1082         = updOptLevel n dflags
1083
1084
1085 setMainIs :: String -> DynP ()
1086 setMainIs arg
1087   | not (null main_fn)          -- The arg looked like "Foo.baz"
1088   = upd $ \d -> d{ mainFunIs = Just main_fn,
1089                    mainModIs = mkModule main_mod }
1090
1091   | isUpper (head main_mod)     -- The arg looked like "Foo"
1092   = upd $ \d -> d{ mainModIs = mkModule main_mod }
1093   
1094   | otherwise                   -- The arg looked like "baz"
1095   = upd $ \d -> d{ mainFunIs = Just main_mod }
1096   where
1097     (main_mod, main_fn) = splitLongestPrefix arg (== '.')
1098
1099 -----------------------------------------------------------------------------
1100 -- Paths & Libraries
1101
1102 -- -i on its own deletes the import paths
1103 addImportPath "" = upd (\s -> s{importPaths = []})
1104 addImportPath p  = upd (\s -> s{importPaths = importPaths s ++ splitPathList p})
1105
1106
1107 addLibraryPath p = 
1108   upd (\s -> s{libraryPaths = libraryPaths s ++ splitPathList p})
1109
1110 addIncludePath p = 
1111   upd (\s -> s{includePaths = includePaths s ++ splitPathList p})
1112
1113 addFrameworkPath p = 
1114   upd (\s -> s{frameworkPaths = frameworkPaths s ++ splitPathList p})
1115
1116 split_marker = ':'   -- not configurable (ToDo)
1117
1118 splitPathList :: String -> [String]
1119 splitPathList s = filter notNull (splitUp s)
1120                 -- empty paths are ignored: there might be a trailing
1121                 -- ':' in the initial list, for example.  Empty paths can
1122                 -- cause confusion when they are translated into -I options
1123                 -- for passing to gcc.
1124   where
1125 #ifndef mingw32_TARGET_OS
1126     splitUp xs = split split_marker xs
1127 #else 
1128      -- Windows: 'hybrid' support for DOS-style paths in directory lists.
1129      -- 
1130      -- That is, if "foo:bar:baz" is used, this interpreted as
1131      -- consisting of three entries, 'foo', 'bar', 'baz'.
1132      -- However, with "c:/foo:c:\\foo;x:/bar", this is interpreted
1133      -- as 3 elts, "c:/foo", "c:\\foo", "x:/bar"
1134      --
1135      -- Notice that no attempt is made to fully replace the 'standard'
1136      -- split marker ':' with the Windows / DOS one, ';'. The reason being
1137      -- that this will cause too much breakage for users & ':' will
1138      -- work fine even with DOS paths, if you're not insisting on being silly.
1139      -- So, use either.
1140     splitUp []             = []
1141     splitUp (x:':':div:xs) | div `elem` dir_markers
1142                            = ((x:':':div:p): splitUp rs)
1143                            where
1144                               (p,rs) = findNextPath xs
1145           -- we used to check for existence of the path here, but that
1146           -- required the IO monad to be threaded through the command-line
1147           -- parser which is quite inconvenient.  The 
1148     splitUp xs = cons p (splitUp rs)
1149                where
1150                  (p,rs) = findNextPath xs
1151     
1152                  cons "" xs = xs
1153                  cons x  xs = x:xs
1154
1155     -- will be called either when we've consumed nought or the
1156     -- "<Drive>:/" part of a DOS path, so splitting is just a Q of
1157     -- finding the next split marker.
1158     findNextPath xs = 
1159         case break (`elem` split_markers) xs of
1160            (p, d:ds) -> (p, ds)
1161            (p, xs)   -> (p, xs)
1162
1163     split_markers :: [Char]
1164     split_markers = [':', ';']
1165
1166     dir_markers :: [Char]
1167     dir_markers = ['/', '\\']
1168 #endif
1169
1170 -- -----------------------------------------------------------------------------
1171 -- tmpDir, where we store temporary files.
1172
1173 setTmpDir :: FilePath -> DynFlags -> DynFlags
1174 setTmpDir dir dflags = dflags{ tmpDir = canonicalise dir }
1175   where
1176 #if !defined(mingw32_HOST_OS)
1177      canonicalise p = normalisePath p
1178 #else
1179         -- Canonicalisation of temp path under win32 is a bit more
1180         -- involved: (a) strip trailing slash, 
1181         --           (b) normalise slashes
1182         --           (c) just in case, if there is a prefix /cygdrive/x/, change to x:
1183         -- 
1184      canonicalise path = normalisePath (xltCygdrive (removeTrailingSlash path))
1185
1186         -- if we're operating under cygwin, and TMP/TEMP is of
1187         -- the form "/cygdrive/drive/path", translate this to
1188         -- "drive:/path" (as GHC isn't a cygwin app and doesn't
1189         -- understand /cygdrive paths.)
1190      xltCygdrive path
1191       | "/cygdrive/" `isPrefixOf` path = 
1192           case drop (length "/cygdrive/") path of
1193             drive:xs@('/':_) -> drive:':':xs
1194             _ -> path
1195       | otherwise = path
1196
1197         -- strip the trailing backslash (awful, but we only do this once).
1198      removeTrailingSlash path = 
1199        case last path of
1200          '/'  -> init path
1201          '\\' -> init path
1202          _    -> path
1203 #endif
1204
1205 -----------------------------------------------------------------------------
1206 -- Via-C compilation stuff
1207
1208 machdepCCOpts :: DynFlags -> ([String], -- flags for all C compilations
1209                               [String]) -- for registerised HC compilations
1210 machdepCCOpts dflags
1211 #if alpha_TARGET_ARCH
1212         =       ( ["-w", "-mieee"
1213 #ifdef HAVE_THREADED_RTS_SUPPORT
1214                     , "-D_REENTRANT"
1215 #endif
1216                    ], [] )
1217         -- For now, to suppress the gcc warning "call-clobbered
1218         -- register used for global register variable", we simply
1219         -- disable all warnings altogether using the -w flag. Oh well.
1220
1221 #elif hppa_TARGET_ARCH
1222         -- ___HPUX_SOURCE, not _HPUX_SOURCE, is #defined if -ansi!
1223         -- (very nice, but too bad the HP /usr/include files don't agree.)
1224         = ( ["-D_HPUX_SOURCE"], [] )
1225
1226 #elif m68k_TARGET_ARCH
1227       -- -fno-defer-pop : for the .hc files, we want all the pushing/
1228       --    popping of args to routines to be explicit; if we let things
1229       --    be deferred 'til after an STGJUMP, imminent death is certain!
1230       --
1231       -- -fomit-frame-pointer : *don't*
1232       --     It's better to have a6 completely tied up being a frame pointer
1233       --     rather than let GCC pick random things to do with it.
1234       --     (If we want to steal a6, then we would try to do things
1235       --     as on iX86, where we *do* steal the frame pointer [%ebp].)
1236         = ( [], ["-fno-defer-pop", "-fno-omit-frame-pointer"] )
1237
1238 #elif i386_TARGET_ARCH
1239       -- -fno-defer-pop : basically the same game as for m68k
1240       --
1241       -- -fomit-frame-pointer : *must* in .hc files; because we're stealing
1242       --   the fp (%ebp) for our register maps.
1243         =  let n_regs = stolen_x86_regs dflags
1244                sta = opt_Static
1245            in
1246                     ( [ if sta then "-DDONT_WANT_WIN32_DLL_SUPPORT" else ""
1247 --                    , if suffixMatch "mingw32" cTARGETPLATFORM then "-mno-cygwin" else "" 
1248                       ],
1249                       [ "-fno-defer-pop",
1250 #ifdef HAVE_GCC_MNO_OMIT_LFPTR
1251                         -- Some gccs are configured with
1252                         -- -momit-leaf-frame-pointer on by default, and it
1253                         -- apparently takes precedence over 
1254                         -- -fomit-frame-pointer, so we disable it first here.
1255                         "-mno-omit-leaf-frame-pointer",
1256 #endif
1257                         "-fomit-frame-pointer",
1258                         -- we want -fno-builtin, because when gcc inlines
1259                         -- built-in functions like memcpy() it tends to
1260                         -- run out of registers, requiring -monly-n-regs
1261                         "-fno-builtin",
1262                         "-DSTOLEN_X86_REGS="++show n_regs ]
1263                     )
1264
1265 #elif ia64_TARGET_ARCH
1266         = ( [], ["-fomit-frame-pointer", "-G0"] )
1267
1268 #elif x86_64_TARGET_ARCH
1269         = ( [], ["-fomit-frame-pointer",
1270                  "-fno-asynchronous-unwind-tables",
1271                         -- the unwind tables are unnecessary for HC code,
1272                         -- and get in the way of -split-objs.  Another option
1273                         -- would be to throw them away in the mangler, but this
1274                         -- is easier.
1275                  "-fno-unit-at-a-time",
1276                         -- unit-at-a-time doesn't do us any good, and screws
1277                         -- up -split-objs by moving the split markers around.
1278                         -- It's only turned on with -O2, but put it here just
1279                         -- in case someone uses -optc-O2.
1280                  "-fno-builtin"
1281                         -- calling builtins like strlen() using the FFI can
1282                         -- cause gcc to run out of regs, so use the external
1283                         -- version.
1284                 ] )
1285
1286 #elif mips_TARGET_ARCH
1287         = ( ["-static"], [] )
1288
1289 #elif sparc_TARGET_ARCH
1290         = ( [], ["-w"] )
1291         -- For now, to suppress the gcc warning "call-clobbered
1292         -- register used for global register variable", we simply
1293         -- disable all warnings altogether using the -w flag. Oh well.
1294
1295 #elif powerpc_apple_darwin_TARGET
1296       -- -no-cpp-precomp:
1297       --     Disable Apple's precompiling preprocessor. It's a great thing
1298       --     for "normal" programs, but it doesn't support register variable
1299       --     declarations.
1300         = ( [], ["-no-cpp-precomp"] )
1301 #else
1302         = ( [], [] )
1303 #endif
1304
1305 picCCOpts :: DynFlags -> [String]
1306 picCCOpts dflags
1307 #if darwin_TARGET_OS
1308       -- Apple prefers to do things the other way round.
1309       -- PIC is on by default.
1310       -- -mdynamic-no-pic:
1311       --     Turn off PIC code generation.
1312       -- -fno-common:
1313       --     Don't generate "common" symbols - these are unwanted
1314       --     in dynamic libraries.
1315
1316     | opt_PIC
1317         = ["-fno-common"]
1318     | otherwise
1319         = ["-mdynamic-no-pic"]
1320 #elif mingw32_TARGET_OS
1321       -- no -fPIC for Windows
1322         = []
1323 #else
1324     | opt_PIC
1325         = ["-fPIC"]
1326     | otherwise
1327         = []
1328 #endif
1329
1330 -- -----------------------------------------------------------------------------
1331 -- Splitting
1332
1333 can_split :: Bool
1334 can_split =  
1335 #if    defined(i386_TARGET_ARCH)     \
1336     || defined(x86_64_TARGET_ARCH)   \
1337     || defined(alpha_TARGET_ARCH)    \
1338     || defined(hppa_TARGET_ARCH)     \
1339     || defined(m68k_TARGET_ARCH)     \
1340     || defined(mips_TARGET_ARCH)     \
1341     || defined(powerpc_TARGET_ARCH)  \
1342     || defined(rs6000_TARGET_ARCH)   \
1343     || defined(sparc_TARGET_ARCH) 
1344    True
1345 #else
1346    False
1347 #endif
1348