FIX #1378 Add option for a shorter banner on GHCi startup
[ghc-hetmet.git] / compiler / main / StaticFlags.hs
1 -----------------------------------------------------------------------------
2 --
3 -- Static flags
4 --
5 -- Static flags can only be set once, on the command-line.  Inside GHC,
6 -- each static flag corresponds to a top-level value, usually of type Bool.
7 --
8 -- (c) The University of Glasgow 2005
9 --
10 -----------------------------------------------------------------------------
11
12 module StaticFlags (
13         parseStaticFlags,
14         staticFlags,
15         initStaticOpts,
16
17         -- Ways
18         WayName(..), v_Ways, v_Build_tag, v_RTS_Build_tag, isRTSWay,
19
20         -- Output style options
21         opt_PprUserLength,
22         opt_PprStyle_Debug,
23
24         -- profiling opts
25         opt_AutoSccsOnAllToplevs,
26         opt_AutoSccsOnExportedToplevs,
27         opt_AutoSccsOnIndividualCafs,
28         opt_SccProfilingOn,
29         opt_DoTickyProfiling,
30
31         -- Hpc opts
32         opt_Hpc,
33         opt_Hpc_Tracer,
34
35         -- language opts
36         opt_DictsStrict,
37         opt_IrrefutableTuples,
38         opt_Parallel,
39         opt_RuntimeTypes,
40         opt_Flatten,
41
42         -- optimisation opts
43         opt_NoMethodSharing, 
44         opt_NoStateHack,
45         opt_CprOff,
46         opt_SimplNoPreInlining,
47         opt_SimplExcessPrecision,
48         opt_MaxWorkerArgs,
49
50         -- Unfolding control
51         opt_UF_CreationThreshold,
52         opt_UF_UseThreshold,
53         opt_UF_FunAppDiscount,
54         opt_UF_KeenessFactor,
55         opt_UF_UpdateInPlace,
56         opt_UF_DearOp,
57
58         -- Related to linking
59         opt_PIC,
60         opt_Static,
61
62         -- misc opts
63         opt_IgnoreDotGhci,
64         opt_ShortGhciBanner,
65         opt_ErrorSpans,
66         opt_GranMacros,
67         opt_HiVersion,
68         opt_HistorySize,
69         opt_OmitBlackHoling,
70         opt_Unregisterised,
71         opt_EmitExternalCore,
72         v_Ld_inputs,
73         tablesNextToCode
74   ) where
75
76 #include "HsVersions.h"
77
78 import CmdLineParser
79 import Config
80 import FastString       ( FastString, mkFastString )
81 import Util
82 import Maybes           ( firstJust )
83 import Panic
84
85 import Control.Exception ( throwDyn )
86 import Data.IORef
87 import System.IO.Unsafe ( unsafePerformIO )
88 import Control.Monad    ( when )
89 import Data.Char        ( isDigit )
90 import Data.List        ( sort, intersperse, nub )
91
92 -----------------------------------------------------------------------------
93 -- Static flags
94
95 parseStaticFlags :: [String] -> IO [String]
96 parseStaticFlags args = do
97   ready <- readIORef v_opt_C_ready
98   when ready $ throwDyn (ProgramError "Too late for parseStaticFlags: call it before newSession")
99
100   (leftover, errs) <- processArgs static_flags args
101   when (not (null errs)) $ throwDyn (UsageError (unlines errs))
102
103     -- deal with the way flags: the way (eg. prof) gives rise to
104     -- further flags, some of which might be static.
105   way_flags <- findBuildTag
106
107     -- if we're unregisterised, add some more flags
108   let unreg_flags | cGhcUnregisterised == "YES" = unregFlags
109                   | otherwise = []
110
111   (more_leftover, errs) <- processArgs static_flags (unreg_flags ++ way_flags)
112
113     -- see sanity code in staticOpts
114   writeIORef v_opt_C_ready True
115
116     -- TABLES_NEXT_TO_CODE affects the info table layout.
117     -- Be careful to do this *after* all processArgs,
118     -- because evaluating tablesNextToCode involves looking at the global
119     -- static flags.  Those pesky global variables...
120   let cg_flags | tablesNextToCode = ["-optc-DTABLES_NEXT_TO_CODE"]
121                | otherwise        = []
122
123   when (not (null errs)) $ ghcError (UsageError (unlines errs))
124   return (cg_flags++more_leftover++leftover)
125
126 initStaticOpts :: IO ()
127 initStaticOpts = writeIORef v_opt_C_ready True
128
129 static_flags :: [(String, OptKind IO)]
130 -- All the static flags should appear in this list.  It describes how each
131 -- static flag should be processed.  Two main purposes:
132 -- (a) if a command-line flag doesn't appear in the list, GHC can complain
133 -- (b) a command-line flag may remove, or add, other flags; e.g. the "-fno-X" things
134 --
135 -- The common (PassFlag addOpt) action puts the static flag into the bunch of
136 -- things that are searched up by the top-level definitions like
137 --      opt_foo = lookUp FSLIT("-dfoo")
138
139 -- Note that ordering is important in the following list: any flag which
140 -- is a prefix flag (i.e. HasArg, Prefix, OptPrefix, AnySuffix) will override
141 -- flags further down the list with the same prefix.
142
143 static_flags = [
144         ------- GHCi -------------------------------------------------------
145      ( "ignore-dot-ghci", PassFlag addOpt )
146   ,  ( "read-dot-ghci"  , NoArg (removeOpt "-ignore-dot-ghci") )
147   ,  ( "short-ghci-banner", PassFlag addOpt )
148   ,  ( "long-ghci-banner" , NoArg (removeOpt "-short-ghci-banner") )
149
150         ------- ways --------------------------------------------------------
151   ,  ( "prof"           , NoArg (addWay WayProf) )
152   ,  ( "unreg"          , NoArg (addWay WayUnreg) )
153   ,  ( "ticky"          , NoArg (addWay WayTicky) )
154   ,  ( "parallel"       , NoArg (addWay WayPar) )
155   ,  ( "gransim"        , NoArg (addWay WayGran) )
156   ,  ( "smp"            , NoArg (addWay WayThreaded) ) -- backwards compat.
157   ,  ( "debug"          , NoArg (addWay WayDebug) )
158   ,  ( "ndp"            , NoArg (addWay WayNDP) )
159   ,  ( "threaded"       , NoArg (addWay WayThreaded) )
160         -- ToDo: user ways
161
162         ------ Debugging ----------------------------------------------------
163   ,  ( "dppr-debug",       PassFlag addOpt )
164   ,  ( "dppr-user-length", AnySuffix addOpt )
165       -- rest of the debugging flags are dynamic
166
167         --------- Haskell Program Coverage -----------------------------------
168
169   ,  ( "fhpc"           , PassFlag addOpt )
170   ,  ( "fhpc-tracer"    , PassFlag addOpt )
171
172         --------- Profiling --------------------------------------------------
173   ,  ( "auto-all"       , NoArg (addOpt "-fauto-sccs-on-all-toplevs") )
174   ,  ( "auto"           , NoArg (addOpt "-fauto-sccs-on-exported-toplevs") )
175   ,  ( "caf-all"        , NoArg (addOpt "-fauto-sccs-on-individual-cafs") )
176          -- "ignore-sccs"  doesn't work  (ToDo)
177
178   ,  ( "no-auto-all"    , NoArg (removeOpt "-fauto-sccs-on-all-toplevs") )
179   ,  ( "no-auto"        , NoArg (removeOpt "-fauto-sccs-on-exported-toplevs") )
180   ,  ( "no-caf-all"     , NoArg (removeOpt "-fauto-sccs-on-individual-cafs") )
181
182         ------- Miscellaneous -----------------------------------------------
183   ,  ( "no-link-chk"    , NoArg (return ()) ) -- ignored for backwards compat
184
185         ----- Linker --------------------------------------------------------
186   ,  ( "static"         , PassFlag addOpt )
187   ,  ( "dynamic"        , NoArg (removeOpt "-static") )
188   ,  ( "rdynamic"       , NoArg (return ()) ) -- ignored for compat w/ gcc
189
190         ----- RTS opts ------------------------------------------------------
191   ,  ( "H"                 , HasArg (setHeapSize . fromIntegral . decodeSize) )
192   ,  ( "Rghc-timing"       , NoArg  (enableTimingStats) )
193
194         ------ Compiler flags -----------------------------------------------
195         -- All other "-fno-<blah>" options cancel out "-f<blah>" on the hsc cmdline
196   ,  ( "fno-",                  PrefixPred (\s -> isStaticFlag ("f"++s))
197                                     (\s -> removeOpt ("-f"++s)) )
198
199         -- Pass all remaining "-f<blah>" options to hsc
200   ,  ( "f",                     AnySuffixPred (isStaticFlag) addOpt )
201   ]
202
203 addOpt = consIORef v_opt_C
204
205 addWay = consIORef v_Ways
206
207 removeOpt f = do
208   fs <- readIORef v_opt_C
209   writeIORef v_opt_C $! filter (/= f) fs    
210
211 lookUp           :: FastString -> Bool
212 lookup_def_int   :: String -> Int -> Int
213 lookup_def_float :: String -> Float -> Float
214 lookup_str       :: String -> Maybe String
215
216 -- holds the static opts while they're being collected, before
217 -- being unsafely read by unpacked_static_opts below.
218 GLOBAL_VAR(v_opt_C, defaultStaticOpts, [String])
219 GLOBAL_VAR(v_opt_C_ready, False, Bool)
220 staticFlags = unsafePerformIO $ do
221   ready <- readIORef v_opt_C_ready
222   if (not ready)
223         then panic "a static opt was looked at too early!"
224         else readIORef v_opt_C
225
226 -- -static is the default
227 defaultStaticOpts = ["-static"]
228
229 packed_static_opts   = map mkFastString staticFlags
230
231 lookUp     sw = sw `elem` packed_static_opts
232         
233 -- (lookup_str "foo") looks for the flag -foo=X or -fooX, 
234 -- and returns the string X
235 lookup_str sw 
236    = case firstJust (map (startsWith sw) staticFlags) of
237         Just ('=' : str) -> Just str
238         Just str         -> Just str
239         Nothing          -> Nothing     
240
241 lookup_def_int sw def = case (lookup_str sw) of
242                             Nothing -> def              -- Use default
243                             Just xx -> try_read sw xx
244
245 lookup_def_float sw def = case (lookup_str sw) of
246                             Nothing -> def              -- Use default
247                             Just xx -> try_read sw xx
248
249
250 try_read :: Read a => String -> String -> a
251 -- (try_read sw str) tries to read s; if it fails, it
252 -- bleats about flag sw
253 try_read sw str
254   = case reads str of
255         ((x,_):_) -> x  -- Be forgiving: ignore trailing goop, and alternative parses
256         []        -> ghcError (UsageError ("Malformed argument " ++ str ++ " for flag " ++ sw))
257                         -- ToDo: hack alert. We should really parse the arugments
258                         --       and announce errors in a more civilised way.
259
260
261 {-
262  Putting the compiler options into temporary at-files
263  may turn out to be necessary later on if we turn hsc into
264  a pure Win32 application where I think there's a command-line
265  length limit of 255. unpacked_opts understands the @ option.
266
267 unpacked_opts :: [String]
268 unpacked_opts =
269   concat $
270   map (expandAts) $
271   map unpackFS argv  -- NOT ARGV any more: v_Static_hsc_opts
272   where
273    expandAts ('@':fname) = words (unsafePerformIO (readFile fname))
274    expandAts l = [l]
275 -}
276
277
278 opt_IgnoreDotGhci               = lookUp FSLIT("-ignore-dot-ghci")
279 opt_ShortGhciBanner             = lookUp FSLIT("-short-ghci-banner")
280
281 -- debugging opts
282 opt_PprStyle_Debug              = lookUp  FSLIT("-dppr-debug")
283 opt_PprUserLength               = lookup_def_int "-dppr-user-length" 5 --ToDo: give this a name
284
285 -- profiling opts
286 opt_AutoSccsOnAllToplevs        = lookUp  FSLIT("-fauto-sccs-on-all-toplevs")
287 opt_AutoSccsOnExportedToplevs   = lookUp  FSLIT("-fauto-sccs-on-exported-toplevs")
288 opt_AutoSccsOnIndividualCafs    = lookUp  FSLIT("-fauto-sccs-on-individual-cafs")
289 opt_SccProfilingOn              = lookUp  FSLIT("-fscc-profiling")
290 opt_DoTickyProfiling            = WayTicky `elem` (unsafePerformIO $ readIORef v_Ways)
291
292 -- Hpc opts
293
294 opt_Hpc                         = lookUp FSLIT("-fhpc")  
295                                   || opt_Hpc_Tracer 
296 opt_Hpc_Tracer                  = lookUp FSLIT("-fhpc-tracer")
297
298 -- language opts
299 opt_DictsStrict                 = lookUp  FSLIT("-fdicts-strict")
300 opt_IrrefutableTuples           = lookUp  FSLIT("-firrefutable-tuples")
301 opt_Parallel                    = lookUp  FSLIT("-fparallel")
302 opt_Flatten                     = lookUp  FSLIT("-fflatten")
303
304 -- optimisation opts
305 opt_NoStateHack                 = lookUp  FSLIT("-fno-state-hack")
306 opt_NoMethodSharing             = lookUp  FSLIT("-fno-method-sharing")
307 opt_CprOff                      = lookUp  FSLIT("-fcpr-off")
308         -- Switch off CPR analysis in the new demand analyser
309 opt_MaxWorkerArgs               = lookup_def_int "-fmax-worker-args" (10::Int)
310
311 opt_GranMacros                  = lookUp  FSLIT("-fgransim")
312 opt_HiVersion                   = read (cProjectVersionInt ++ cProjectPatchLevel) :: Integer
313 opt_HistorySize                 = lookup_def_int "-fhistory-size" 20
314 opt_OmitBlackHoling             = lookUp  FSLIT("-dno-black-holing")
315 opt_RuntimeTypes                = lookUp  FSLIT("-fruntime-types")
316
317 -- Simplifier switches
318 opt_SimplNoPreInlining          = lookUp  FSLIT("-fno-pre-inlining")
319         -- NoPreInlining is there just to see how bad things
320         -- get if you don't do it!
321 opt_SimplExcessPrecision        = lookUp  FSLIT("-fexcess-precision")
322
323 -- Unfolding control
324 opt_UF_CreationThreshold        = lookup_def_int "-funfolding-creation-threshold"  (45::Int)
325 opt_UF_UseThreshold             = lookup_def_int "-funfolding-use-threshold"       (8::Int)     -- Discounts can be big
326 opt_UF_FunAppDiscount           = lookup_def_int "-funfolding-fun-discount"        (6::Int)     -- It's great to inline a fn
327 opt_UF_KeenessFactor            = lookup_def_float "-funfolding-keeness-factor"    (1.5::Float)
328 opt_UF_UpdateInPlace            = lookUp  FSLIT("-funfolding-update-in-place")
329
330 opt_UF_DearOp   = ( 4 :: Int)
331                         
332 #if darwin_TARGET_OS && x86_64_TARGET_ARCH
333 opt_PIC                         = True
334 #else
335 opt_PIC                         = lookUp FSLIT("-fPIC")
336 #endif
337 opt_Static                      = lookUp  FSLIT("-static")
338 opt_Unregisterised              = lookUp  FSLIT("-funregisterised")
339
340 -- Derived, not a real option.  Determines whether we will be compiling
341 -- info tables that reside just before the entry code, or with an
342 -- indirection to the entry code.  See TABLES_NEXT_TO_CODE in 
343 -- includes/InfoTables.h.
344 tablesNextToCode                = not opt_Unregisterised
345                                   && cGhcEnableTablesNextToCode == "YES"
346
347 opt_EmitExternalCore            = lookUp  FSLIT("-fext-core")
348
349 -- Include full span info in error messages, instead of just the start position.
350 opt_ErrorSpans                  = lookUp FSLIT("-ferror-spans")
351
352
353 -- object files and libraries to be linked in are collected here.
354 -- ToDo: perhaps this could be done without a global, it wasn't obvious
355 -- how to do it though --SDM.
356 GLOBAL_VAR(v_Ld_inputs, [],      [String])
357
358 isStaticFlag f =
359   f `elem` [
360         "fauto-sccs-on-all-toplevs",
361         "fauto-sccs-on-exported-toplevs",
362         "fauto-sccs-on-individual-cafs",
363         "fscc-profiling",
364         "fdicts-strict",
365         "firrefutable-tuples",
366         "fparallel",
367         "fflatten",
368         "fgransim",
369         "fno-hi-version-check",
370         "dno-black-holing",
371         "fno-method-sharing",
372         "fno-state-hack",
373         "fruntime-types",
374         "fno-pre-inlining",
375         "fexcess-precision",
376         "funfolding-update-in-place",
377         "static",
378         "funregisterised",
379         "fext-core",
380         "fcpr-off",
381         "ferror-spans",
382         "fPIC"
383         ]
384   || any (flip prefixMatch f) [
385         "fliberate-case-threshold",
386         "fmax-worker-args",
387         "fhistory-size",
388         "funfolding-creation-threshold",
389         "funfolding-use-threshold",
390         "funfolding-fun-discount",
391         "funfolding-keeness-factor"
392      ]
393
394
395
396 -- Misc functions for command-line options
397
398 startsWith :: String -> String -> Maybe String
399 -- startsWith pfx (pfx++rest) = Just rest
400
401 startsWith []     str = Just str
402 startsWith (c:cs) (s:ss)
403   = if c /= s then Nothing else startsWith cs ss
404 startsWith  _     []  = Nothing
405
406
407 -----------------------------------------------------------------------------
408 -- convert sizes like "3.5M" into integers
409
410 decodeSize :: String -> Integer
411 decodeSize str
412   | c == ""              = truncate n
413   | c == "K" || c == "k" = truncate (n * 1000)
414   | c == "M" || c == "m" = truncate (n * 1000 * 1000)
415   | c == "G" || c == "g" = truncate (n * 1000 * 1000 * 1000)
416   | otherwise            = throwDyn (CmdLineError ("can't decode size: " ++ str))
417   where (m, c) = span pred str
418         n      = read m  :: Double
419         pred c = isDigit c || c == '.'
420
421
422 -----------------------------------------------------------------------------
423 -- RTS Hooks
424
425 foreign import ccall unsafe "setHeapSize"       setHeapSize       :: Int -> IO ()
426 foreign import ccall unsafe "enableTimingStats" enableTimingStats :: IO ()
427
428 -----------------------------------------------------------------------------
429 -- Ways
430
431 -- The central concept of a "way" is that all objects in a given
432 -- program must be compiled in the same "way".  Certain options change
433 -- parameters of the virtual machine, eg. profiling adds an extra word
434 -- to the object header, so profiling objects cannot be linked with
435 -- non-profiling objects.
436
437 -- After parsing the command-line options, we determine which "way" we
438 -- are building - this might be a combination way, eg. profiling+ticky-ticky.
439
440 -- We then find the "build-tag" associated with this way, and this
441 -- becomes the suffix used to find .hi files and libraries used in
442 -- this compilation.
443
444 GLOBAL_VAR(v_Build_tag, "", String)
445
446 -- The RTS has its own build tag, because there are some ways that
447 -- affect the RTS only.
448 GLOBAL_VAR(v_RTS_Build_tag, "", String)
449
450 data WayName
451   = WayThreaded
452   | WayDebug
453   | WayProf
454   | WayUnreg
455   | WayTicky
456   | WayPar
457   | WayGran
458   | WayNDP
459   | WayUser_a
460   | WayUser_b
461   | WayUser_c
462   | WayUser_d
463   | WayUser_e
464   | WayUser_f
465   | WayUser_g
466   | WayUser_h
467   | WayUser_i
468   | WayUser_j
469   | WayUser_k
470   | WayUser_l
471   | WayUser_m
472   | WayUser_n
473   | WayUser_o
474   | WayUser_A
475   | WayUser_B
476   deriving (Eq,Ord)
477
478 GLOBAL_VAR(v_Ways, [] ,[WayName])
479
480 allowed_combination way = and [ x `allowedWith` y 
481                               | x <- way, y <- way, x < y ]
482   where
483         -- Note ordering in these tests: the left argument is
484         -- <= the right argument, according to the Ord instance
485         -- on Way above.
486
487         -- debug is allowed with everything
488         _ `allowedWith` WayDebug                = True
489         WayDebug `allowedWith` _                = True
490
491         WayProf `allowedWith` WayUnreg          = True
492         WayProf `allowedWith` WayNDP            = True
493         _ `allowedWith` _                       = False
494
495
496 findBuildTag :: IO [String]  -- new options
497 findBuildTag = do
498   way_names <- readIORef v_Ways
499   let ws = sort (nub way_names)
500
501   if not (allowed_combination ws)
502       then throwDyn (CmdLineError $
503                     "combination not supported: "  ++
504                     foldr1 (\a b -> a ++ '/':b) 
505                     (map (wayName . lkupWay) ws))
506       else let ways    = map lkupWay ws
507                tag     = mkBuildTag (filter (not.wayRTSOnly) ways)
508                rts_tag = mkBuildTag ways
509                flags   = map wayOpts ways
510            in do
511            writeIORef v_Build_tag tag
512            writeIORef v_RTS_Build_tag rts_tag
513            return (concat flags)
514
515
516
517 mkBuildTag :: [Way] -> String
518 mkBuildTag ways = concat (intersperse "_" (map wayTag ways))
519
520 lkupWay w = 
521    case lookup w way_details of
522         Nothing -> error "findBuildTag"
523         Just details -> details
524
525 isRTSWay = wayRTSOnly . lkupWay 
526
527 data Way = Way {
528   wayTag     :: String,
529   wayRTSOnly :: Bool,
530   wayName    :: String,
531   wayOpts    :: [String]
532   }
533
534 way_details :: [ (WayName, Way) ]
535 way_details =
536   [ (WayThreaded, Way "thr" True "Threaded" [
537 #if defined(freebsd_TARGET_OS)
538 --        "-optc-pthread"
539 --      , "-optl-pthread"
540         -- FreeBSD's default threading library is the KSE-based M:N libpthread,
541         -- which GHC has some problems with.  It's currently not clear whether
542         -- the problems are our fault or theirs, but it seems that using the
543         -- alternative 1:1 threading library libthr works around it:
544           "-optl-lthr"
545 #elif defined(solaris2_TARGET_OS)
546           "-optl-lrt"
547 #endif
548         ] ),
549
550     (WayDebug, Way "debug" True "Debug" [] ),
551
552     (WayProf, Way  "p" False "Profiling"
553         [ "-fscc-profiling"
554         , "-DPROFILING"
555         , "-optc-DPROFILING" ]),
556
557     (WayTicky, Way  "t" True "Ticky-ticky Profiling"  
558         [ "-DTICKY_TICKY"
559         , "-optc-DTICKY_TICKY" ]),
560
561     (WayUnreg, Way  "u" False "Unregisterised" 
562         unregFlags ),
563
564     -- optl's below to tell linker where to find the PVM library -- HWL
565     (WayPar, Way  "mp" False "Parallel" 
566         [ "-fparallel"
567         , "-D__PARALLEL_HASKELL__"
568         , "-optc-DPAR"
569         , "-package concurrent"
570         , "-optc-w"
571         , "-optl-L${PVM_ROOT}/lib/${PVM_ARCH}"
572         , "-optl-lpvm3"
573         , "-optl-lgpvm3" ]),
574
575     -- at the moment we only change the RTS and could share compiler and libs!
576     (WayPar, Way  "mt" False "Parallel ticky profiling" 
577         [ "-fparallel"
578         , "-D__PARALLEL_HASKELL__"
579         , "-optc-DPAR"
580         , "-optc-DPAR_TICKY"
581         , "-package concurrent"
582         , "-optc-w"
583         , "-optl-L${PVM_ROOT}/lib/${PVM_ARCH}"
584         , "-optl-lpvm3"
585         , "-optl-lgpvm3" ]),
586
587     (WayPar, Way  "md" False "Distributed" 
588         [ "-fparallel"
589         , "-D__PARALLEL_HASKELL__"
590         , "-D__DISTRIBUTED_HASKELL__"
591         , "-optc-DPAR"
592         , "-optc-DDIST"
593         , "-package concurrent"
594         , "-optc-w"
595         , "-optl-L${PVM_ROOT}/lib/${PVM_ARCH}"
596         , "-optl-lpvm3"
597         , "-optl-lgpvm3" ]),
598
599     (WayGran, Way  "mg" False "GranSim"
600         [ "-fgransim"
601         , "-D__GRANSIM__"
602         , "-optc-DGRAN"
603         , "-package concurrent" ]),
604
605     (WayNDP, Way  "ndp" False "Nested data parallelism"
606         [ "-fparr"
607         , "-fflatten"]),
608
609     (WayUser_a,  Way  "a"  False "User way 'a'"  ["$WAY_a_REAL_OPTS"]), 
610     (WayUser_b,  Way  "b"  False "User way 'b'"  ["$WAY_b_REAL_OPTS"]), 
611     (WayUser_c,  Way  "c"  False "User way 'c'"  ["$WAY_c_REAL_OPTS"]), 
612     (WayUser_d,  Way  "d"  False "User way 'd'"  ["$WAY_d_REAL_OPTS"]), 
613     (WayUser_e,  Way  "e"  False "User way 'e'"  ["$WAY_e_REAL_OPTS"]), 
614     (WayUser_f,  Way  "f"  False "User way 'f'"  ["$WAY_f_REAL_OPTS"]), 
615     (WayUser_g,  Way  "g"  False "User way 'g'"  ["$WAY_g_REAL_OPTS"]), 
616     (WayUser_h,  Way  "h"  False "User way 'h'"  ["$WAY_h_REAL_OPTS"]), 
617     (WayUser_i,  Way  "i"  False "User way 'i'"  ["$WAY_i_REAL_OPTS"]), 
618     (WayUser_j,  Way  "j"  False "User way 'j'"  ["$WAY_j_REAL_OPTS"]), 
619     (WayUser_k,  Way  "k"  False "User way 'k'"  ["$WAY_k_REAL_OPTS"]), 
620     (WayUser_l,  Way  "l"  False "User way 'l'"  ["$WAY_l_REAL_OPTS"]), 
621     (WayUser_m,  Way  "m"  False "User way 'm'"  ["$WAY_m_REAL_OPTS"]), 
622     (WayUser_n,  Way  "n"  False "User way 'n'"  ["$WAY_n_REAL_OPTS"]), 
623     (WayUser_o,  Way  "o"  False "User way 'o'"  ["$WAY_o_REAL_OPTS"]), 
624     (WayUser_A,  Way  "A"  False "User way 'A'"  ["$WAY_A_REAL_OPTS"]), 
625     (WayUser_B,  Way  "B"  False "User way 'B'"  ["$WAY_B_REAL_OPTS"]) 
626   ]
627
628 unregFlags = 
629    [ "-optc-DNO_REGS"
630    , "-optc-DUSE_MINIINTERPRETER"
631    , "-fno-asm-mangling"
632    , "-funregisterised"
633    , "-fvia-C" ]