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