src/share/vm/runtime/globals.hpp

Mon, 30 Jun 2008 17:04:59 -0700

author
ysr
date
Mon, 30 Jun 2008 17:04:59 -0700
changeset 785
d28aa69f0959
parent 783
69fefd031e6c
child 786
fab5f738c515
permissions
-rw-r--r--

6618726: Introduce -XX:+UnlockExperimentalVMOptions flag
Summary: experimental() flags will protect features of an experimental nature that are not supported in the regular product build. Made UseG1GC an experimental flag.
Reviewed-by: jmasa, kamg, coleenp

     1 /*
     2  * Copyright 1997-2007 Sun Microsystems, Inc.  All Rights Reserved.
     3  * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER.
     4  *
     5  * This code is free software; you can redistribute it and/or modify it
     6  * under the terms of the GNU General Public License version 2 only, as
     7  * published by the Free Software Foundation.
     8  *
     9  * This code is distributed in the hope that it will be useful, but WITHOUT
    10  * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
    11  * FITNESS FOR A PARTICULAR PURPOSE.  See the GNU General Public License
    12  * version 2 for more details (a copy is included in the LICENSE file that
    13  * accompanied this code).
    14  *
    15  * You should have received a copy of the GNU General Public License version
    16  * 2 along with this work; if not, write to the Free Software Foundation,
    17  * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA.
    18  *
    19  * Please contact Sun Microsystems, Inc., 4150 Network Circle, Santa Clara,
    20  * CA 95054 USA or visit www.sun.com if you need additional information or
    21  * have any questions.
    22  *
    23  */
    25 #if !defined(COMPILER1) && !defined(COMPILER2)
    26 define_pd_global(bool, BackgroundCompilation,        false);
    27 define_pd_global(bool, UseTLAB,                      false);
    28 define_pd_global(bool, CICompileOSR,                 false);
    29 define_pd_global(bool, UseTypeProfile,               false);
    30 define_pd_global(bool, UseOnStackReplacement,        false);
    31 define_pd_global(bool, InlineIntrinsics,             false);
    32 define_pd_global(bool, PreferInterpreterNativeStubs, true);
    33 define_pd_global(bool, ProfileInterpreter,           false);
    34 define_pd_global(bool, ProfileTraps,                 false);
    35 define_pd_global(bool, TieredCompilation,            false);
    37 define_pd_global(intx, CompileThreshold,             0);
    38 define_pd_global(intx, Tier2CompileThreshold,        0);
    39 define_pd_global(intx, Tier3CompileThreshold,        0);
    40 define_pd_global(intx, Tier4CompileThreshold,        0);
    42 define_pd_global(intx, BackEdgeThreshold,            0);
    43 define_pd_global(intx, Tier2BackEdgeThreshold,       0);
    44 define_pd_global(intx, Tier3BackEdgeThreshold,       0);
    45 define_pd_global(intx, Tier4BackEdgeThreshold,       0);
    47 define_pd_global(intx, OnStackReplacePercentage,     0);
    48 define_pd_global(bool, ResizeTLAB,                   false);
    49 define_pd_global(intx, FreqInlineSize,               0);
    50 define_pd_global(intx, NewSizeThreadIncrease,        4*K);
    51 define_pd_global(intx, NewRatio,                     4);
    52 define_pd_global(intx, InlineClassNatives,           true);
    53 define_pd_global(intx, InlineUnsafeOps,              true);
    54 define_pd_global(intx, InitialCodeCacheSize,         160*K);
    55 define_pd_global(intx, ReservedCodeCacheSize,        32*M);
    56 define_pd_global(intx, CodeCacheExpansionSize,       32*K);
    57 define_pd_global(intx, CodeCacheMinBlockLength,      1);
    58 define_pd_global(uintx,PermSize,    ScaleForWordSize(4*M));
    59 define_pd_global(uintx,MaxPermSize, ScaleForWordSize(64*M));
    60 define_pd_global(bool, NeverActAsServerClassMachine, true);
    61 define_pd_global(uintx, DefaultMaxRAM,               1*G);
    62 #define CI_COMPILER_COUNT 0
    63 #else
    65 #ifdef COMPILER2
    66 #define CI_COMPILER_COUNT 2
    67 #else
    68 #define CI_COMPILER_COUNT 1
    69 #endif // COMPILER2
    71 #endif // no compilers
    74 // string type aliases used only in this file
    75 typedef const char* ccstr;
    76 typedef const char* ccstrlist;   // represents string arguments which accumulate
    78 enum FlagValueOrigin {
    79   DEFAULT          = 0,
    80   COMMAND_LINE     = 1,
    81   ENVIRON_VAR      = 2,
    82   CONFIG_FILE      = 3,
    83   MANAGEMENT       = 4,
    84   ERGONOMIC        = 5,
    85   ATTACH_ON_DEMAND = 6,
    86   INTERNAL         = 99
    87 };
    89 struct Flag {
    90   const char *type;
    91   const char *name;
    92   void*       addr;
    93   const char *kind;
    94   FlagValueOrigin origin;
    96   // points to all Flags static array
    97   static Flag *flags;
    99   // number of flags
   100   static size_t numFlags;
   102   static Flag* find_flag(char* name, size_t length);
   104   bool is_bool() const        { return strcmp(type, "bool") == 0; }
   105   bool get_bool() const       { return *((bool*) addr); }
   106   void set_bool(bool value)   { *((bool*) addr) = value; }
   108   bool is_intx()  const       { return strcmp(type, "intx")  == 0; }
   109   intx get_intx() const       { return *((intx*) addr); }
   110   void set_intx(intx value)   { *((intx*) addr) = value; }
   112   bool is_uintx() const       { return strcmp(type, "uintx") == 0; }
   113   uintx get_uintx() const     { return *((uintx*) addr); }
   114   void set_uintx(uintx value) { *((uintx*) addr) = value; }
   116   bool is_double() const        { return strcmp(type, "double") == 0; }
   117   double get_double() const     { return *((double*) addr); }
   118   void set_double(double value) { *((double*) addr) = value; }
   120   bool is_ccstr() const          { return strcmp(type, "ccstr") == 0 || strcmp(type, "ccstrlist") == 0; }
   121   bool ccstr_accumulates() const { return strcmp(type, "ccstrlist") == 0; }
   122   ccstr get_ccstr() const     { return *((ccstr*) addr); }
   123   void set_ccstr(ccstr value) { *((ccstr*) addr) = value; }
   125   bool is_unlocker() const;
   126   bool is_unlocked() const;
   127   bool is_writeable() const;
   128   bool is_external() const;
   130   void print_on(outputStream* st);
   131   void print_as_flag(outputStream* st);
   132 };
   134 // debug flags control various aspects of the VM and are global accessible
   136 // use FlagSetting to temporarily change some debug flag
   137 // e.g. FlagSetting fs(DebugThisAndThat, true);
   138 // restored to previous value upon leaving scope
   139 class FlagSetting {
   140   bool val;
   141   bool* flag;
   142  public:
   143   FlagSetting(bool& fl, bool newValue) { flag = &fl; val = fl; fl = newValue; }
   144   ~FlagSetting()                       { *flag = val; }
   145 };
   148 class CounterSetting {
   149   intx* counter;
   150  public:
   151   CounterSetting(intx* cnt) { counter = cnt; (*counter)++; }
   152   ~CounterSetting()         { (*counter)--; }
   153 };
   156 class IntFlagSetting {
   157   intx val;
   158   intx* flag;
   159  public:
   160   IntFlagSetting(intx& fl, intx newValue) { flag = &fl; val = fl; fl = newValue; }
   161   ~IntFlagSetting()                       { *flag = val; }
   162 };
   165 class DoubleFlagSetting {
   166   double val;
   167   double* flag;
   168  public:
   169   DoubleFlagSetting(double& fl, double newValue) { flag = &fl; val = fl; fl = newValue; }
   170   ~DoubleFlagSetting()                           { *flag = val; }
   171 };
   174 class CommandLineFlags {
   175  public:
   176   static bool boolAt(char* name, size_t len, bool* value);
   177   static bool boolAt(char* name, bool* value)      { return boolAt(name, strlen(name), value); }
   178   static bool boolAtPut(char* name, size_t len, bool* value, FlagValueOrigin origin);
   179   static bool boolAtPut(char* name, bool* value, FlagValueOrigin origin)   { return boolAtPut(name, strlen(name), value, origin); }
   181   static bool intxAt(char* name, size_t len, intx* value);
   182   static bool intxAt(char* name, intx* value)      { return intxAt(name, strlen(name), value); }
   183   static bool intxAtPut(char* name, size_t len, intx* value, FlagValueOrigin origin);
   184   static bool intxAtPut(char* name, intx* value, FlagValueOrigin origin)   { return intxAtPut(name, strlen(name), value, origin); }
   186   static bool uintxAt(char* name, size_t len, uintx* value);
   187   static bool uintxAt(char* name, uintx* value)    { return uintxAt(name, strlen(name), value); }
   188   static bool uintxAtPut(char* name, size_t len, uintx* value, FlagValueOrigin origin);
   189   static bool uintxAtPut(char* name, uintx* value, FlagValueOrigin origin) { return uintxAtPut(name, strlen(name), value, origin); }
   191   static bool doubleAt(char* name, size_t len, double* value);
   192   static bool doubleAt(char* name, double* value)    { return doubleAt(name, strlen(name), value); }
   193   static bool doubleAtPut(char* name, size_t len, double* value, FlagValueOrigin origin);
   194   static bool doubleAtPut(char* name, double* value, FlagValueOrigin origin) { return doubleAtPut(name, strlen(name), value, origin); }
   196   static bool ccstrAt(char* name, size_t len, ccstr* value);
   197   static bool ccstrAt(char* name, ccstr* value)    { return ccstrAt(name, strlen(name), value); }
   198   static bool ccstrAtPut(char* name, size_t len, ccstr* value, FlagValueOrigin origin);
   199   static bool ccstrAtPut(char* name, ccstr* value, FlagValueOrigin origin) { return ccstrAtPut(name, strlen(name), value, origin); }
   201   // Returns false if name is not a command line flag.
   202   static bool wasSetOnCmdline(const char* name, bool* value);
   203   static void printSetFlags();
   205   static void printFlags() PRODUCT_RETURN;
   207   static void verify() PRODUCT_RETURN;
   208 };
   210 // use this for flags that are true by default in the debug version but
   211 // false in the optimized version, and vice versa
   212 #ifdef ASSERT
   213 #define trueInDebug  true
   214 #define falseInDebug false
   215 #else
   216 #define trueInDebug  false
   217 #define falseInDebug true
   218 #endif
   220 // use this for flags that are true per default in the product build
   221 // but false in development builds, and vice versa
   222 #ifdef PRODUCT
   223 #define trueInProduct  true
   224 #define falseInProduct false
   225 #else
   226 #define trueInProduct  false
   227 #define falseInProduct true
   228 #endif
   230 // use this for flags that are true per default in the tiered build
   231 // but false in non-tiered builds, and vice versa
   232 #ifdef TIERED
   233 #define  trueInTiered true
   234 #define falseInTiered false
   235 #else
   236 #define  trueInTiered false
   237 #define falseInTiered true
   238 #endif
   240 // develop flags are settable / visible only during development and are constant in the PRODUCT version
   241 // product flags are always settable / visible
   242 // notproduct flags are settable / visible only during development and are not declared in the PRODUCT version
   244 // A flag must be declared with one of the following types:
   245 // bool, intx, uintx, ccstr.
   246 // The type "ccstr" is an alias for "const char*" and is used
   247 // only in this file, because the macrology requires single-token type names.
   249 // Note: Diagnostic options not meant for VM tuning or for product modes.
   250 // They are to be used for VM quality assurance or field diagnosis
   251 // of VM bugs.  They are hidden so that users will not be encouraged to
   252 // try them as if they were VM ordinary execution options.  However, they
   253 // are available in the product version of the VM.  Under instruction
   254 // from support engineers, VM customers can turn them on to collect
   255 // diagnostic information about VM problems.  To use a VM diagnostic
   256 // option, you must first specify +UnlockDiagnosticVMOptions.
   257 // (This master switch also affects the behavior of -Xprintflags.)
   258 //
   259 // experimental flags are in support of features that are not
   260 //    part of the officially supported product, but are available
   261 //    for experimenting with. They could, for example, be performance
   262 //    features that may not have undergone full or rigorous QA, but which may
   263 //    help performance in some cases and released for experimentation
   264 //    by the community of users and developers. This flag also allows one to
   265 //    be able to build a fully supported product that nonetheless also
   266 //    ships with some unsupported, lightly tested, experimental features.
   267 //    Like the UnlockDiagnosticVMOptions flag above, there is a corresponding
   268 //    UnlockExperimentalVMOptions flag, which allows the control and
   269 //    modification of the experimental flags.
   270 //
   271 // manageable flags are writeable external product flags.
   272 //    They are dynamically writeable through the JDK management interface
   273 //    (com.sun.management.HotSpotDiagnosticMXBean API) and also through JConsole.
   274 //    These flags are external exported interface (see CCC).  The list of
   275 //    manageable flags can be queried programmatically through the management
   276 //    interface.
   277 //
   278 //    A flag can be made as "manageable" only if
   279 //    - the flag is defined in a CCC as an external exported interface.
   280 //    - the VM implementation supports dynamic setting of the flag.
   281 //      This implies that the VM must *always* query the flag variable
   282 //      and not reuse state related to the flag state at any given time.
   283 //    - you want the flag to be queried programmatically by the customers.
   284 //
   285 // product_rw flags are writeable internal product flags.
   286 //    They are like "manageable" flags but for internal/private use.
   287 //    The list of product_rw flags are internal/private flags which
   288 //    may be changed/removed in a future release.  It can be set
   289 //    through the management interface to get/set value
   290 //    when the name of flag is supplied.
   291 //
   292 //    A flag can be made as "product_rw" only if
   293 //    - the VM implementation supports dynamic setting of the flag.
   294 //      This implies that the VM must *always* query the flag variable
   295 //      and not reuse state related to the flag state at any given time.
   296 //
   297 // Note that when there is a need to support develop flags to be writeable,
   298 // it can be done in the same way as product_rw.
   300 #define RUNTIME_FLAGS(develop, develop_pd, product, product_pd, diagnostic, experimental, notproduct, manageable, product_rw, lp64_product) \
   301                                                                             \
   302   lp64_product(bool, UseCompressedOops, false,                              \
   303             "Use 32-bit object references in 64-bit VM. "                   \
   304             "lp64_product means flag is always constant in 32 bit VM")      \
   305                                                                             \
   306   lp64_product(bool, CheckCompressedOops, trueInDebug,                      \
   307             "generate checks in encoding/decoding code")                    \
   308                                                                             \
   309   /* UseMembar is theoretically a temp flag used for memory barrier         \
   310    * removal testing.  It was supposed to be removed before FCS but has     \
   311    * been re-added (see 6401008) */                                         \
   312   product(bool, UseMembar, false,                                           \
   313           "(Unstable) Issues membars on thread state transitions")          \
   314                                                                             \
   315   product(bool, PrintCommandLineFlags, false,                               \
   316           "Prints flags that appeared on the command line")                 \
   317                                                                             \
   318   diagnostic(bool, UnlockDiagnosticVMOptions, trueInDebug,                  \
   319           "Enable normal processing of flags relating to field diagnostics")\
   320                                                                             \
   321   experimental(bool, UnlockExperimentalVMOptions, false,                    \
   322           "Enable normal processing of flags relating to experimental features")\
   323                                                                             \
   324   product(bool, JavaMonitorsInStackTrace, true,                             \
   325           "Print info. about Java monitor locks when the stacks are dumped")\
   326                                                                             \
   327   product_pd(bool, UseLargePages,                                           \
   328           "Use large page memory")                                          \
   329                                                                             \
   330   develop(bool, TracePageSizes, false,                                      \
   331           "Trace page size selection and usage.")                           \
   332                                                                             \
   333   product(bool, UseNUMA, false,                                             \
   334           "Use NUMA if available")                                          \
   335                                                                             \
   336   product(intx, NUMAChunkResizeWeight, 20,                                  \
   337           "Percentage (0-100) used to weight the current sample when "      \
   338           "computing exponentially decaying average for "                   \
   339           "AdaptiveNUMAChunkSizing")                                        \
   340                                                                             \
   341   product(intx, NUMASpaceResizeRate, 1*G,                                   \
   342           "Do not reallocate more that this amount per collection")         \
   343                                                                             \
   344   product(bool, UseAdaptiveNUMAChunkSizing, true,                           \
   345           "Enable adaptive chunk sizing for NUMA")                          \
   346                                                                             \
   347   product(bool, NUMAStats, false,                                           \
   348           "Print NUMA stats in detailed heap information")                  \
   349                                                                             \
   350   product(intx, NUMAPageScanRate, 256,                                      \
   351           "Maximum number of pages to include in the page scan procedure")  \
   352                                                                             \
   353   product_pd(bool, NeedsDeoptSuspend,                                       \
   354           "True for register window machines (sparc/ia64)")                 \
   355                                                                             \
   356   product(intx, UseSSE, 99,                                                 \
   357           "Highest supported SSE instructions set on x86/x64")              \
   358                                                                             \
   359   product(uintx, LargePageSizeInBytes, 0,                                   \
   360           "Large page size (0 to let VM choose the page size")              \
   361                                                                             \
   362   product(uintx, LargePageHeapSizeThreshold, 128*M,                         \
   363           "Use large pages if max heap is at least this big")               \
   364                                                                             \
   365   product(bool, ForceTimeHighResolution, false,                             \
   366           "Using high time resolution(For Win32 only)")                     \
   367                                                                             \
   368   develop(bool, TraceItables, false,                                        \
   369           "Trace initialization and use of itables")                        \
   370                                                                             \
   371   develop(bool, TracePcPatching, false,                                     \
   372           "Trace usage of frame::patch_pc")                                 \
   373                                                                             \
   374   develop(bool, TraceJumps, false,                                          \
   375           "Trace assembly jumps in thread ring buffer")                     \
   376                                                                             \
   377   develop(bool, TraceRelocator, false,                                      \
   378           "Trace the bytecode relocator")                                   \
   379                                                                             \
   380   develop(bool, TraceLongCompiles, false,                                   \
   381           "Print out every time compilation is longer than "                \
   382           "a given threashold")                                             \
   383                                                                             \
   384   develop(bool, SafepointALot, false,                                       \
   385           "Generates a lot of safepoints. Works with "                      \
   386           "GuaranteedSafepointInterval")                                    \
   387                                                                             \
   388   product_pd(bool, BackgroundCompilation,                                   \
   389           "A thread requesting compilation is not blocked during "          \
   390           "compilation")                                                    \
   391                                                                             \
   392   product(bool, PrintVMQWaitTime, false,                                    \
   393           "Prints out the waiting time in VM operation queue")              \
   394                                                                             \
   395   develop(bool, BailoutToInterpreterForThrows, false,                       \
   396           "Compiled methods which throws/catches exceptions will be "       \
   397           "deopt and intp.")                                                \
   398                                                                             \
   399   develop(bool, NoYieldsInMicrolock, false,                                 \
   400           "Disable yields in microlock")                                    \
   401                                                                             \
   402   develop(bool, TraceOopMapGeneration, false,                               \
   403           "Shows oopmap generation")                                        \
   404                                                                             \
   405   product(bool, MethodFlushing, true,                                       \
   406           "Reclamation of zombie and not-entrant methods")                  \
   407                                                                             \
   408   develop(bool, VerifyStack, false,                                         \
   409           "Verify stack of each thread when it is entering a runtime call") \
   410                                                                             \
   411   develop(bool, ForceUnreachable, false,                                    \
   412           "(amd64) Make all non code cache addresses to be unreachable with rip-rel forcing use of 64bit literal fixups") \
   413                                                                             \
   414   notproduct(bool, StressDerivedPointers, false,                            \
   415           "Force scavenge when a derived pointers is detected on stack "    \
   416           "after rtm call")                                                 \
   417                                                                             \
   418   develop(bool, TraceDerivedPointers, false,                                \
   419           "Trace traversal of derived pointers on stack")                   \
   420                                                                             \
   421   notproduct(bool, TraceCodeBlobStacks, false,                              \
   422           "Trace stack-walk of codeblobs")                                  \
   423                                                                             \
   424   product(bool, PrintJNIResolving, false,                                   \
   425           "Used to implement -v:jni")                                       \
   426                                                                             \
   427   notproduct(bool, PrintRewrites, false,                                    \
   428           "Print methods that are being rewritten")                         \
   429                                                                             \
   430   product(bool, UseInlineCaches, true,                                      \
   431           "Use Inline Caches for virtual calls ")                           \
   432                                                                             \
   433   develop(bool, InlineArrayCopy, true,                                      \
   434           "inline arraycopy native that is known to be part of "            \
   435           "base library DLL")                                               \
   436                                                                             \
   437   develop(bool, InlineObjectHash, true,                                     \
   438           "inline Object::hashCode() native that is known to be part "      \
   439           "of base library DLL")                                            \
   440                                                                             \
   441   develop(bool, InlineObjectCopy, true,                                     \
   442           "inline Object.clone and Arrays.copyOf[Range] intrinsics")        \
   443                                                                             \
   444   develop(bool, InlineNatives, true,                                        \
   445           "inline natives that are known to be part of base library DLL")   \
   446                                                                             \
   447   develop(bool, InlineMathNatives, true,                                    \
   448           "inline SinD, CosD, etc.")                                        \
   449                                                                             \
   450   develop(bool, InlineClassNatives, true,                                   \
   451           "inline Class.isInstance, etc")                                   \
   452                                                                             \
   453   develop(bool, InlineAtomicLong, true,                                     \
   454           "inline sun.misc.AtomicLong")                                     \
   455                                                                             \
   456   develop(bool, InlineThreadNatives, true,                                  \
   457           "inline Thread.currentThread, etc")                               \
   458                                                                             \
   459   develop(bool, InlineReflectionGetCallerClass, true,                       \
   460           "inline sun.reflect.Reflection.getCallerClass(), known to be part "\
   461           "of base library DLL")                                            \
   462                                                                             \
   463   develop(bool, InlineUnsafeOps, true,                                      \
   464           "inline memory ops (native methods) from sun.misc.Unsafe")        \
   465                                                                             \
   466   develop(bool, ConvertCmpD2CmpF, true,                                     \
   467           "Convert cmpD to cmpF when one input is constant in float range") \
   468                                                                             \
   469   develop(bool, ConvertFloat2IntClipping, true,                             \
   470           "Convert float2int clipping idiom to integer clipping")           \
   471                                                                             \
   472   develop(bool, SpecialStringCompareTo, true,                               \
   473           "special version of string compareTo")                            \
   474                                                                             \
   475   develop(bool, SpecialStringIndexOf, true,                                 \
   476           "special version of string indexOf")                              \
   477                                                                             \
   478   product(bool, SpecialArraysEquals, false,                                 \
   479           "special version of Arrays.equals(char[],char[])")                \
   480                                                                             \
   481   develop(bool, TraceCallFixup, false,                                      \
   482           "traces all call fixups")                                         \
   483                                                                             \
   484   develop(bool, DeoptimizeALot, false,                                      \
   485           "deoptimize at every exit from the runtime system")               \
   486                                                                             \
   487   develop(ccstrlist, DeoptimizeOnlyAt, "",                                  \
   488           "a comma separated list of bcis to deoptimize at")                \
   489                                                                             \
   490   product(bool, DeoptimizeRandom, false,                                    \
   491           "deoptimize random frames on random exit from the runtime system")\
   492                                                                             \
   493   notproduct(bool, ZombieALot, false,                                       \
   494           "creates zombies (non-entrant) at exit from the runt. system")    \
   495                                                                             \
   496   notproduct(bool, WalkStackALot, false,                                    \
   497           "trace stack (no print) at every exit from the runtime system")   \
   498                                                                             \
   499   develop(bool, Debugging, false,                                           \
   500           "set when executing debug methods in debug.ccp "                  \
   501           "(to prevent triggering assertions)")                             \
   502                                                                             \
   503   notproduct(bool, StrictSafepointChecks, trueInDebug,                      \
   504           "Enable strict checks that safepoints cannot happen for threads " \
   505           "that used No_Safepoint_Verifier")                                \
   506                                                                             \
   507   notproduct(bool, VerifyLastFrame, false,                                  \
   508           "Verify oops on last frame on entry to VM")                       \
   509                                                                             \
   510   develop(bool, TraceHandleAllocation, false,                               \
   511           "Prints out warnings when suspicious many handles are allocated") \
   512                                                                             \
   513   product(bool, UseCompilerSafepoints, true,                                \
   514           "Stop at safepoints in compiled code")                            \
   515                                                                             \
   516   product(bool, UseSplitVerifier, true,                                     \
   517           "use split verifier with StackMapTable attributes")               \
   518                                                                             \
   519   product(bool, FailOverToOldVerifier, true,                                \
   520           "fail over to old verifier when split verifier fails")            \
   521                                                                             \
   522   develop(bool, ShowSafepointMsgs, false,                                   \
   523           "Show msg. about safepoint synch.")                               \
   524                                                                             \
   525   product(bool, SafepointTimeout, false,                                    \
   526           "Time out and warn or fail after SafepointTimeoutDelay "          \
   527           "milliseconds if failed to reach safepoint")                      \
   528                                                                             \
   529   develop(bool, DieOnSafepointTimeout, false,                               \
   530           "Die upon failure to reach safepoint (see SafepointTimeout)")     \
   531                                                                             \
   532   /* 50 retries * (5 * current_retry_count) millis = ~6.375 seconds */      \
   533   /* typically, at most a few retries are needed */                         \
   534   product(intx, SuspendRetryCount, 50,                                      \
   535           "Maximum retry count for an external suspend request")            \
   536                                                                             \
   537   product(intx, SuspendRetryDelay, 5,                                       \
   538           "Milliseconds to delay per retry (* current_retry_count)")        \
   539                                                                             \
   540   product(bool, AssertOnSuspendWaitFailure, false,                          \
   541           "Assert/Guarantee on external suspend wait failure")              \
   542                                                                             \
   543   product(bool, TraceSuspendWaitFailures, false,                            \
   544           "Trace external suspend wait failures")                           \
   545                                                                             \
   546   product(bool, MaxFDLimit, true,                                           \
   547           "Bump the number of file descriptors to max in solaris.")         \
   548                                                                             \
   549   notproduct(bool, LogEvents, trueInDebug,                                  \
   550           "Enable Event log")                                               \
   551                                                                             \
   552   product(bool, BytecodeVerificationRemote, true,                           \
   553           "Enables the Java bytecode verifier for remote classes")          \
   554                                                                             \
   555   product(bool, BytecodeVerificationLocal, false,                           \
   556           "Enables the Java bytecode verifier for local classes")           \
   557                                                                             \
   558   develop(bool, ForceFloatExceptions, trueInDebug,                          \
   559           "Force exceptions on FP stack under/overflow")                    \
   560                                                                             \
   561   develop(bool, SoftMatchFailure, trueInProduct,                            \
   562           "If the DFA fails to match a node, print a message and bail out") \
   563                                                                             \
   564   develop(bool, VerifyStackAtCalls, false,                                  \
   565           "Verify that the stack pointer is unchanged after calls")         \
   566                                                                             \
   567   develop(bool, TraceJavaAssertions, false,                                 \
   568           "Trace java language assertions")                                 \
   569                                                                             \
   570   notproduct(bool, CheckAssertionStatusDirectives, false,                   \
   571           "temporary - see javaClasses.cpp")                                \
   572                                                                             \
   573   notproduct(bool, PrintMallocFree, false,                                  \
   574           "Trace calls to C heap malloc/free allocation")                   \
   575                                                                             \
   576   notproduct(bool, PrintOopAddress, false,                                  \
   577           "Always print the location of the oop")                           \
   578                                                                             \
   579   notproduct(bool, VerifyCodeCacheOften, false,                             \
   580           "Verify compiled-code cache often")                               \
   581                                                                             \
   582   develop(bool, ZapDeadCompiledLocals, false,                               \
   583           "Zap dead locals in compiler frames")                             \
   584                                                                             \
   585   notproduct(bool, ZapDeadLocalsOld, false,                                 \
   586           "Zap dead locals (old version, zaps all frames when "             \
   587           "entering the VM")                                                \
   588                                                                             \
   589   notproduct(bool, CheckOopishValues, false,                                \
   590           "Warn if value contains oop ( requires ZapDeadLocals)")           \
   591                                                                             \
   592   develop(bool, UseMallocOnly, false,                                       \
   593           "use only malloc/free for allocation (no resource area/arena)")   \
   594                                                                             \
   595   develop(bool, PrintMalloc, false,                                         \
   596           "print all malloc/free calls")                                    \
   597                                                                             \
   598   develop(bool, ZapResourceArea, trueInDebug,                               \
   599           "Zap freed resource/arena space with 0xABABABAB")                 \
   600                                                                             \
   601   notproduct(bool, ZapVMHandleArea, trueInDebug,                            \
   602           "Zap freed VM handle space with 0xBCBCBCBC")                      \
   603                                                                             \
   604   develop(bool, ZapJNIHandleArea, trueInDebug,                              \
   605           "Zap freed JNI handle space with 0xFEFEFEFE")                     \
   606                                                                             \
   607   develop(bool, ZapUnusedHeapArea, false,                                   \
   608           "Zap unused heap space with 0xBAADBABE")                          \
   609                                                                             \
   610   develop(bool, PrintVMMessages, true,                                      \
   611           "Print vm messages on console")                                   \
   612                                                                             \
   613   product(bool, PrintGCApplicationConcurrentTime, false,                    \
   614           "Print the time the application has been running")                \
   615                                                                             \
   616   product(bool, PrintGCApplicationStoppedTime, false,                       \
   617           "Print the time the application has been stopped")                \
   618                                                                             \
   619   develop(bool, Verbose, false,                                             \
   620           "Prints additional debugging information from other modes")       \
   621                                                                             \
   622   develop(bool, PrintMiscellaneous, false,                                  \
   623           "Prints uncategorized debugging information (requires +Verbose)") \
   624                                                                             \
   625   develop(bool, WizardMode, false,                                          \
   626           "Prints much more debugging information")                         \
   627                                                                             \
   628   product(bool, ShowMessageBoxOnError, false,                               \
   629           "Keep process alive on VM fatal error")                           \
   630                                                                             \
   631   product_pd(bool, UseOSErrorReporting,                                     \
   632           "Let VM fatal error propagate to the OS (ie. WER on Windows)")    \
   633                                                                             \
   634   product(bool, SuppressFatalErrorMessage, false,                           \
   635           "Do NO Fatal Error report [Avoid deadlock]")                      \
   636                                                                             \
   637   product(ccstrlist, OnError, "",                                           \
   638           "Run user-defined commands on fatal error; see VMError.cpp "      \
   639           "for examples")                                                   \
   640                                                                             \
   641   product(ccstrlist, OnOutOfMemoryError, "",                                \
   642           "Run user-defined commands on first java.lang.OutOfMemoryError")  \
   643                                                                             \
   644   manageable(bool, HeapDumpOnOutOfMemoryError, false,                       \
   645           "Dump heap to file when java.lang.OutOfMemoryError is thrown")    \
   646                                                                             \
   647   manageable(ccstr, HeapDumpPath, NULL,                                     \
   648           "When HeapDumpOnOutOfMemoryError is on, the path (filename or"    \
   649           "directory) of the dump file (defaults to java_pid<pid>.hprof"    \
   650           "in the working directory)")                                      \
   651                                                                             \
   652   develop(uintx, SegmentedHeapDumpThreshold, 2*G,                           \
   653           "Generate a segmented heap dump (JAVA PROFILE 1.0.2 format) "     \
   654           "when the heap usage is larger than this")                        \
   655                                                                             \
   656   develop(uintx, HeapDumpSegmentSize, 1*G,                                  \
   657           "Approximate segment size when generating a segmented heap dump") \
   658                                                                             \
   659   develop(bool, BreakAtWarning, false,                                      \
   660           "Execute breakpoint upon encountering VM warning")                \
   661                                                                             \
   662   product_pd(bool, UseVectoredExceptions,                                   \
   663           "Temp Flag - Use Vectored Exceptions rather than SEH (Windows Only)") \
   664                                                                             \
   665   develop(bool, TraceVMOperation, false,                                    \
   666           "Trace vm operations")                                            \
   667                                                                             \
   668   develop(bool, UseFakeTimers, false,                                       \
   669           "Tells whether the VM should use system time or a fake timer")    \
   670                                                                             \
   671   diagnostic(bool, LogCompilation, false,                                   \
   672           "Log compilation activity in detail to hotspot.log or LogFile")   \
   673                                                                             \
   674   product(bool, PrintCompilation, false,                                    \
   675           "Print compilations")                                             \
   676                                                                             \
   677   diagnostic(bool, TraceNMethodInstalls, false,                             \
   678              "Trace nmethod intallation")                                   \
   679                                                                             \
   680   diagnostic(bool, TraceOSRBreakpoint, false,                               \
   681              "Trace OSR Breakpoint ")                                       \
   682                                                                             \
   683   diagnostic(bool, TraceCompileTriggered, false,                            \
   684              "Trace compile triggered")                                     \
   685                                                                             \
   686   diagnostic(bool, TraceTriggers, false,                                    \
   687              "Trace triggers")                                              \
   688                                                                             \
   689   product(bool, AlwaysRestoreFPU, false,                                    \
   690           "Restore the FPU control word after every JNI call (expensive)")  \
   691                                                                             \
   692   notproduct(bool, PrintCompilation2, false,                                \
   693           "Print additional statistics per compilation")                    \
   694                                                                             \
   695   diagnostic(bool, PrintAdapterHandlers, false,                             \
   696           "Print code generated for i2c/c2i adapters")                      \
   697                                                                             \
   698   diagnostic(bool, PrintAssembly, false,                                    \
   699           "Print assembly code (using external disassembler.so)")           \
   700                                                                             \
   701   diagnostic(ccstr, PrintAssemblyOptions, false,                            \
   702           "Options string passed to disassembler.so")                       \
   703                                                                             \
   704   diagnostic(bool, PrintNMethods, false,                                    \
   705           "Print assembly code for nmethods when generated")                \
   706                                                                             \
   707   diagnostic(bool, PrintNativeNMethods, false,                              \
   708           "Print assembly code for native nmethods when generated")         \
   709                                                                             \
   710   develop(bool, PrintDebugInfo, false,                                      \
   711           "Print debug information for all nmethods when generated")        \
   712                                                                             \
   713   develop(bool, PrintRelocations, false,                                    \
   714           "Print relocation information for all nmethods when generated")   \
   715                                                                             \
   716   develop(bool, PrintDependencies, false,                                   \
   717           "Print dependency information for all nmethods when generated")   \
   718                                                                             \
   719   develop(bool, PrintExceptionHandlers, false,                              \
   720           "Print exception handler tables for all nmethods when generated") \
   721                                                                             \
   722   develop(bool, InterceptOSException, false,                                \
   723           "Starts debugger when an implicit OS (e.g., NULL) "               \
   724           "exception happens")                                              \
   725                                                                             \
   726   notproduct(bool, PrintCodeCache, false,                                   \
   727           "Print the compiled_code cache when exiting")                     \
   728                                                                             \
   729   develop(bool, PrintCodeCache2, false,                                     \
   730           "Print detailed info on the compiled_code cache when exiting")    \
   731                                                                             \
   732   diagnostic(bool, PrintStubCode, false,                                    \
   733           "Print generated stub code")                                      \
   734                                                                             \
   735   product(bool, StackTraceInThrowable, true,                                \
   736           "Collect backtrace in throwable when exception happens")          \
   737                                                                             \
   738   product(bool, OmitStackTraceInFastThrow, true,                            \
   739           "Omit backtraces for some 'hot' exceptions in optimized code")    \
   740                                                                             \
   741   product(bool, ProfilerPrintByteCodeStatistics, false,                     \
   742           "Prints byte code statictics when dumping profiler output")       \
   743                                                                             \
   744   product(bool, ProfilerRecordPC, false,                                    \
   745           "Collects tick for each 16 byte interval of compiled code")       \
   746                                                                             \
   747   product(bool, ProfileVM,  false,                                          \
   748           "Profiles ticks that fall within VM (either in the VM Thread "    \
   749           "or VM code called through stubs)")                               \
   750                                                                             \
   751   product(bool, ProfileIntervals, false,                                    \
   752           "Prints profiles for each interval (see ProfileIntervalsTicks)")  \
   753                                                                             \
   754   notproduct(bool, ProfilerCheckIntervals, false,                           \
   755           "Collect and print info on spacing of profiler ticks")            \
   756                                                                             \
   757   develop(bool, PrintJVMWarnings, false,                                    \
   758           "Prints warnings for unimplemented JVM functions")                \
   759                                                                             \
   760   notproduct(uintx, WarnOnStalledSpinLock, 0,                               \
   761           "Prints warnings for stalled SpinLocks")                          \
   762                                                                             \
   763   develop(bool, InitializeJavaLangSystem, true,                             \
   764           "Initialize java.lang.System - turn off for individual "          \
   765           "method debugging")                                               \
   766                                                                             \
   767   develop(bool, InitializeJavaLangString, true,                             \
   768           "Initialize java.lang.String - turn off for individual "          \
   769           "method debugging")                                               \
   770                                                                             \
   771   develop(bool, InitializeJavaLangExceptionsErrors, true,                   \
   772           "Initialize various error and exception classes - turn off for "  \
   773           "individual method debugging")                                    \
   774                                                                             \
   775   product(bool, RegisterFinalizersAtInit, true,                             \
   776           "Register finalizable objects at end of Object.<init> or "        \
   777           "after allocation.")                                              \
   778                                                                             \
   779   develop(bool, RegisterReferences, true,                                   \
   780           "Tells whether the VM should register soft/weak/final/phantom "   \
   781           "references")                                                     \
   782                                                                             \
   783   develop(bool, IgnoreRewrites, false,                                      \
   784           "Supress rewrites of bytecodes in the oopmap generator. "         \
   785           "This is unsafe!")                                                \
   786                                                                             \
   787   develop(bool, PrintCodeCacheExtension, false,                             \
   788           "Print extension of code cache")                                  \
   789                                                                             \
   790   develop(bool, UsePrivilegedStack, true,                                   \
   791           "Enable the security JVM functions")                              \
   792                                                                             \
   793   develop(bool, IEEEPrecision, true,                                        \
   794           "Enables IEEE precision (for INTEL only)")                        \
   795                                                                             \
   796   develop(bool, ProtectionDomainVerification, true,                         \
   797           "Verifies protection domain before resolution in system "         \
   798           "dictionary")                                                     \
   799                                                                             \
   800   product(bool, ClassUnloading, true,                                       \
   801           "Do unloading of classes")                                        \
   802                                                                             \
   803   diagnostic(bool, LinkWellKnownClasses, true,                              \
   804           "Resolve a well known class as soon as its name is seen")         \
   805                                                                             \
   806   develop(bool, DisableStartThread, false,                                  \
   807           "Disable starting of additional Java threads "                    \
   808           "(for debugging only)")                                           \
   809                                                                             \
   810   develop(bool, MemProfiling, false,                                        \
   811           "Write memory usage profiling to log file")                       \
   812                                                                             \
   813   notproduct(bool, PrintSystemDictionaryAtExit, false,                      \
   814           "Prints the system dictionary at exit")                           \
   815                                                                             \
   816   diagnostic(bool, UnsyncloadClass, false,                                  \
   817           "Unstable: VM calls loadClass unsynchronized. Custom classloader "\
   818           "must call VM synchronized for findClass & defineClass")          \
   819                                                                             \
   820   product_pd(bool, DontYieldALot,                                           \
   821           "Throw away obvious excess yield calls (for SOLARIS only)")       \
   822                                                                             \
   823   product_pd(bool, ConvertSleepToYield,                                     \
   824           "Converts sleep(0) to thread yield "                              \
   825           "(may be off for SOLARIS to improve GUI)")                        \
   826                                                                             \
   827   product(bool, ConvertYieldToSleep, false,                                 \
   828           "Converts yield to a sleep of MinSleepInterval to simulate Win32 "\
   829           "behavior (SOLARIS only)")                                        \
   830                                                                             \
   831   product(bool, UseBoundThreads, true,                                      \
   832           "Bind user level threads to kernel threads (for SOLARIS only)")   \
   833                                                                             \
   834   develop(bool, UseDetachedThreads, true,                                   \
   835           "Use detached threads that are recycled upon termination "        \
   836           "(for SOLARIS only)")                                             \
   837                                                                             \
   838   product(bool, UseLWPSynchronization, true,                                \
   839           "Use LWP-based instead of libthread-based synchronization "       \
   840           "(SPARC only)")                                                   \
   841                                                                             \
   842   product(ccstr, SyncKnobs, "",                                             \
   843           "(Unstable) Various monitor synchronization tunables")            \
   844                                                                             \
   845   product(intx, EmitSync, 0,                                                \
   846           "(Unsafe,Unstable) "                                              \
   847           " Controls emission of inline sync fast-path code")               \
   848                                                                             \
   849   product(intx, AlwaysInflate, 0, "(Unstable) Force inflation")             \
   850                                                                             \
   851   product(intx, Atomics, 0,                                                 \
   852           "(Unsafe,Unstable) Diagnostic - Controls emission of atomics")    \
   853                                                                             \
   854   product(intx, FenceInstruction, 0,                                        \
   855           "(Unsafe,Unstable) Experimental")                                 \
   856                                                                             \
   857   product(intx, SyncFlags, 0, "(Unsafe,Unstable) Experimental Sync flags" ) \
   858                                                                             \
   859   product(intx, SyncVerbose, 0, "(Unstable)" )                              \
   860                                                                             \
   861   product(intx, ClearFPUAtPark, 0, "(Unsafe,Unstable)" )                    \
   862                                                                             \
   863   product(intx, hashCode, 0,                                                \
   864          "(Unstable) select hashCode generation algorithm" )                \
   865                                                                             \
   866   product(intx, WorkAroundNPTLTimedWaitHang, 1,                             \
   867          "(Unstable, Linux-specific)"                                       \
   868          " avoid NPTL-FUTEX hang pthread_cond_timedwait" )                  \
   869                                                                             \
   870   product(bool, FilterSpuriousWakeups , true,                               \
   871           "Prevent spurious or premature wakeups from object.wait"              \
   872           "(Solaris only)")                                                     \
   873                                                                             \
   874   product(intx, NativeMonitorTimeout, -1, "(Unstable)" )                    \
   875   product(intx, NativeMonitorFlags, 0, "(Unstable)" )                       \
   876   product(intx, NativeMonitorSpinLimit, 20, "(Unstable)" )                  \
   877                                                                             \
   878   develop(bool, UsePthreads, false,                                         \
   879           "Use pthread-based instead of libthread-based synchronization "   \
   880           "(SPARC only)")                                                   \
   881                                                                             \
   882   product(bool, AdjustConcurrency, false,                                   \
   883           "call thr_setconcurrency at thread create time to avoid "         \
   884           "LWP starvation on MP systems (For Solaris Only)")                \
   885                                                                             \
   886   develop(bool, UpdateHotSpotCompilerFileOnError, true,                     \
   887           "Should the system attempt to update the compiler file when "     \
   888           "an error occurs?")                                               \
   889                                                                             \
   890   product(bool, ReduceSignalUsage, false,                                   \
   891           "Reduce the use of OS signals in Java and/or the VM")             \
   892                                                                             \
   893   notproduct(bool, ValidateMarkSweep, false,                                \
   894           "Do extra validation during MarkSweep collection")                \
   895                                                                             \
   896   notproduct(bool, RecordMarkSweepCompaction, false,                        \
   897           "Enable GC-to-GC recording and querying of compaction during "    \
   898           "MarkSweep")                                                      \
   899                                                                             \
   900   develop_pd(bool, ShareVtableStubs,                                        \
   901           "Share vtable stubs (smaller code but worse branch prediction")   \
   902                                                                             \
   903   develop(bool, LoadLineNumberTables, true,                                 \
   904           "Tells whether the class file parser loads line number tables")   \
   905                                                                             \
   906   develop(bool, LoadLocalVariableTables, true,                              \
   907           "Tells whether the class file parser loads local variable tables")\
   908                                                                             \
   909   develop(bool, LoadLocalVariableTypeTables, true,                          \
   910           "Tells whether the class file parser loads local variable type tables")\
   911                                                                             \
   912   product(bool, AllowUserSignalHandlers, false,                             \
   913           "Do not complain if the application installs signal handlers "    \
   914           "(Solaris & Linux only)")                                         \
   915                                                                             \
   916   product(bool, UseSignalChaining, true,                                    \
   917           "Use signal-chaining to invoke signal handlers installed "        \
   918           "by the application (Solaris & Linux only)")                      \
   919                                                                             \
   920   product(bool, UseAltSigs, false,                                          \
   921           "Use alternate signals instead of SIGUSR1 & SIGUSR2 for VM "      \
   922           "internal signals. (Solaris only)")                               \
   923                                                                             \
   924   product(bool, UseSpinning, false,                                         \
   925           "Use spinning in monitor inflation and before entry")             \
   926                                                                             \
   927   product(bool, PreSpinYield, false,                                        \
   928           "Yield before inner spinning loop")                               \
   929                                                                             \
   930   product(bool, PostSpinYield, true,                                        \
   931           "Yield after inner spinning loop")                                \
   932                                                                             \
   933   product(bool, AllowJNIEnvProxy, false,                                    \
   934           "Allow JNIEnv proxies for jdbx")                                  \
   935                                                                             \
   936   product(bool, JNIDetachReleasesMonitors, true,                            \
   937           "JNI DetachCurrentThread releases monitors owned by thread")      \
   938                                                                             \
   939   product(bool, RestoreMXCSROnJNICalls, false,                              \
   940           "Restore MXCSR when returning from JNI calls")                    \
   941                                                                             \
   942   product(bool, CheckJNICalls, false,                                       \
   943           "Verify all arguments to JNI calls")                              \
   944                                                                             \
   945   product(bool, UseFastJNIAccessors, true,                                  \
   946           "Use optimized versions of Get<Primitive>Field")                  \
   947                                                                             \
   948   product(bool, EagerXrunInit, false,                                       \
   949           "Eagerly initialize -Xrun libraries; allows startup profiling, "  \
   950           " but not all -Xrun libraries may support the state of the VM at this time") \
   951                                                                             \
   952   product(bool, PreserveAllAnnotations, false,                              \
   953           "Preserve RuntimeInvisibleAnnotations as well as RuntimeVisibleAnnotations") \
   954                                                                             \
   955   develop(uintx, PreallocatedOutOfMemoryErrorCount, 4,                      \
   956           "Number of OutOfMemoryErrors preallocated with backtrace")        \
   957                                                                             \
   958   product(bool, LazyBootClassLoader, true,                                  \
   959           "Enable/disable lazy opening of boot class path entries")         \
   960                                                                             \
   961   diagnostic(bool, UseIncDec, true,                                         \
   962           "Use INC, DEC instructions on x86")                               \
   963                                                                             \
   964   product(bool, UseStoreImmI16, true,                                       \
   965           "Use store immediate 16-bits value instruction on x86")           \
   966                                                                             \
   967   product(bool, UseAddressNop, false,                                       \
   968           "Use '0F 1F [addr]' NOP instructions on x86 cpus")                \
   969                                                                             \
   970   product(bool, UseXmmLoadAndClearUpper, true,                              \
   971           "Load low part of XMM register and clear upper part")             \
   972                                                                             \
   973   product(bool, UseXmmRegToRegMoveAll, false,                               \
   974           "Copy all XMM register bits when moving value between registers") \
   975                                                                             \
   976   product(bool, UseXmmI2D, false,                                           \
   977           "Use SSE2 CVTDQ2PD instruction to convert Integer to Double")     \
   978                                                                             \
   979   product(bool, UseXmmI2F, false,                                           \
   980           "Use SSE2 CVTDQ2PS instruction to convert Integer to Float")      \
   981                                                                             \
   982   product(intx, FieldsAllocationStyle, 1,                                   \
   983           "0 - type based with oops first, 1 - with oops last")             \
   984                                                                             \
   985   product(bool, CompactFields, true,                                        \
   986           "Allocate nonstatic fields in gaps between previous fields")      \
   987                                                                             \
   988   notproduct(bool, PrintCompactFieldsSavings, false,                        \
   989           "Print how many words were saved with CompactFields")             \
   990                                                                             \
   991   product(bool, UseBiasedLocking, true,                                     \
   992           "Enable biased locking in JVM")                                   \
   993                                                                             \
   994   product(intx, BiasedLockingStartupDelay, 4000,                            \
   995           "Number of milliseconds to wait before enabling biased locking")  \
   996                                                                             \
   997   diagnostic(bool, PrintBiasedLockingStatistics, false,                     \
   998           "Print statistics of biased locking in JVM")                      \
   999                                                                             \
  1000   product(intx, BiasedLockingBulkRebiasThreshold, 20,                       \
  1001           "Threshold of number of revocations per type to try to "          \
  1002           "rebias all objects in the heap of that type")                    \
  1004   product(intx, BiasedLockingBulkRevokeThreshold, 40,                       \
  1005           "Threshold of number of revocations per type to permanently "     \
  1006           "revoke biases of all objects in the heap of that type")          \
  1008   product(intx, BiasedLockingDecayTime, 25000,                              \
  1009           "Decay time (in milliseconds) to re-enable bulk rebiasing of a "  \
  1010           "type after previous bulk rebias")                                \
  1012   /* tracing */                                                             \
  1014   notproduct(bool, TraceRuntimeCalls, false,                                \
  1015           "Trace run-time calls")                                           \
  1017   develop(bool, TraceJNICalls, false,                                       \
  1018           "Trace JNI calls")                                                \
  1020   notproduct(bool, TraceJVMCalls, false,                                    \
  1021           "Trace JVM calls")                                                \
  1023   product(ccstr, TraceJVMTI, "",                                            \
  1024           "Trace flags for JVMTI functions and events")                     \
  1026   /* This option can change an EMCP method into an obsolete method. */      \
  1027   /* This can affect tests that except specific methods to be EMCP. */      \
  1028   /* This option should be used with caution. */                            \
  1029   product(bool, StressLdcRewrite, false,                                    \
  1030           "Force ldc -> ldc_w rewrite during RedefineClasses")              \
  1032   product(intx, TraceRedefineClasses, 0,                                    \
  1033           "Trace level for JVMTI RedefineClasses")                          \
  1035   /* change to false by default sometime after Mustang */                   \
  1036   product(bool, VerifyMergedCPBytecodes, true,                              \
  1037           "Verify bytecodes after RedefineClasses constant pool merging")   \
  1039   develop(bool, TraceJNIHandleAllocation, false,                            \
  1040           "Trace allocation/deallocation of JNI handle blocks")             \
  1042   develop(bool, TraceThreadEvents, false,                                   \
  1043           "Trace all thread events")                                        \
  1045   develop(bool, TraceBytecodes, false,                                      \
  1046           "Trace bytecode execution")                                       \
  1048   develop(bool, TraceClassInitialization, false,                            \
  1049           "Trace class initialization")                                     \
  1051   develop(bool, TraceExceptions, false,                                     \
  1052           "Trace exceptions")                                               \
  1054   develop(bool, TraceICs, false,                                            \
  1055           "Trace inline cache changes")                                     \
  1057   notproduct(bool, TraceInvocationCounterOverflow, false,                   \
  1058           "Trace method invocation counter overflow")                       \
  1060   develop(bool, TraceInlineCacheClearing, false,                            \
  1061           "Trace clearing of inline caches in nmethods")                    \
  1063   develop(bool, TraceDependencies, false,                                   \
  1064           "Trace dependencies")                                             \
  1066   develop(bool, VerifyDependencies, trueInDebug,                            \
  1067          "Exercise and verify the compilation dependency mechanism")        \
  1069   develop(bool, TraceNewOopMapGeneration, false,                            \
  1070           "Trace OopMapGeneration")                                         \
  1072   develop(bool, TraceNewOopMapGenerationDetailed, false,                    \
  1073           "Trace OopMapGeneration: print detailed cell states")             \
  1075   develop(bool, TimeOopMap, false,                                          \
  1076           "Time calls to GenerateOopMap::compute_map() in sum")             \
  1078   develop(bool, TimeOopMap2, false,                                         \
  1079           "Time calls to GenerateOopMap::compute_map() individually")       \
  1081   develop(bool, TraceMonitorMismatch, false,                                \
  1082           "Trace monitor matching failures during OopMapGeneration")        \
  1084   develop(bool, TraceOopMapRewrites, false,                                 \
  1085           "Trace rewritting of method oops during oop map generation")      \
  1087   develop(bool, TraceSafepoint, false,                                      \
  1088           "Trace safepoint operations")                                     \
  1090   develop(bool, TraceICBuffer, false,                                       \
  1091           "Trace usage of IC buffer")                                       \
  1093   develop(bool, TraceCompiledIC, false,                                     \
  1094           "Trace changes of compiled IC")                                   \
  1096   notproduct(bool, TraceZapDeadLocals, false,                               \
  1097           "Trace zapping dead locals")                                      \
  1099   develop(bool, TraceStartupTime, false,                                    \
  1100           "Trace setup time")                                               \
  1102   develop(bool, TraceHPI, false,                                            \
  1103           "Trace Host Porting Interface (HPI)")                             \
  1105   product(ccstr, HPILibPath, NULL,                                          \
  1106           "Specify alternate path to HPI library")                          \
  1108   develop(bool, TraceProtectionDomainVerification, false,                   \
  1109           "Trace protection domain verifcation")                            \
  1111   develop(bool, TraceClearedExceptions, false,                              \
  1112           "Prints when an exception is forcibly cleared")                   \
  1114   product(bool, TraceClassResolution, false,                                \
  1115           "Trace all constant pool resolutions (for debugging)")            \
  1117   product(bool, TraceBiasedLocking, false,                                  \
  1118           "Trace biased locking in JVM")                                    \
  1120   product(bool, TraceMonitorInflation, false,                               \
  1121           "Trace monitor inflation in JVM")                                 \
  1123   /* assembler */                                                           \
  1124   product(bool, Use486InstrsOnly, false,                                    \
  1125           "Use 80486 Compliant instruction subset")                         \
  1127   /* gc */                                                                  \
  1129   product(bool, UseSerialGC, false,                                         \
  1130           "Use the serial garbage collector")                               \
  1132   experimental(bool, UseG1GC, false,                                        \
  1133           "Use the Garbage-First garbage collector")                        \
  1135   product(bool, UseParallelGC, false,                                       \
  1136           "Use the Parallel Scavenge garbage collector")                    \
  1138   product(bool, UseParallelOldGC, false,                                    \
  1139           "Use the Parallel Old garbage collector")                         \
  1141   product(bool, UseParallelOldGCCompacting, true,                           \
  1142           "In the Parallel Old garbage collector use parallel compaction")  \
  1144   product(bool, UseParallelDensePrefixUpdate, true,                         \
  1145           "In the Parallel Old garbage collector use parallel dense"        \
  1146           " prefix update")                                                 \
  1148   develop(bool, UseParallelOldGCChunkPointerCalc, true,                     \
  1149           "In the Parallel Old garbage collector use chucks to calculate"   \
  1150           " new object locations")                                          \
  1152   product(uintx, HeapMaximumCompactionInterval, 20,                         \
  1153           "How often should we maximally compact the heap (not allowing "   \
  1154           "any dead space)")                                                \
  1156   product(uintx, HeapFirstMaximumCompactionCount, 3,                        \
  1157           "The collection count for the first maximum compaction")          \
  1159   product(bool, UseMaximumCompactionOnSystemGC, true,                       \
  1160           "In the Parallel Old garbage collector maximum compaction for "   \
  1161           "a system GC")                                                    \
  1163   product(uintx, ParallelOldDeadWoodLimiterMean, 50,                        \
  1164           "The mean used by the par compact dead wood"                      \
  1165           "limiter (a number between 0-100).")                              \
  1167   product(uintx, ParallelOldDeadWoodLimiterStdDev, 80,                      \
  1168           "The standard deviation used by the par compact dead wood"        \
  1169           "limiter (a number between 0-100).")                              \
  1171   product(bool, UseParallelOldGCDensePrefix, true,                          \
  1172           "Use a dense prefix with the Parallel Old garbage collector")     \
  1174   product(uintx, ParallelGCThreads, 0,                                      \
  1175           "Number of parallel threads parallel gc will use")                \
  1177   product(uintx, ParallelCMSThreads, 0,                                     \
  1178           "Max number of threads CMS will use for concurrent work")         \
  1180   develop(bool, VerifyParallelOldWithMarkSweep, false,                      \
  1181           "Use the MarkSweep code to verify phases of Parallel Old")        \
  1183   develop(uintx, VerifyParallelOldWithMarkSweepInterval, 1,                 \
  1184           "Interval at which the MarkSweep code is used to verify "         \
  1185           "phases of Parallel Old")                                         \
  1187   develop(bool, ParallelOldMTUnsafeMarkBitMap, false,                       \
  1188           "Use the Parallel Old MT unsafe in marking the bitmap")           \
  1190   develop(bool, ParallelOldMTUnsafeUpdateLiveData, false,                   \
  1191           "Use the Parallel Old MT unsafe in update of live size")          \
  1193   develop(bool, TraceChunkTasksQueuing, false,                              \
  1194           "Trace the queuing of the chunk tasks")                           \
  1196   product(uintx, ParallelMarkingThreads, 0,                                 \
  1197           "Number of marking threads concurrent gc will use")               \
  1199   product(uintx, YoungPLABSize, 4096,                                       \
  1200           "Size of young gen promotion labs (in HeapWords)")                \
  1202   product(uintx, OldPLABSize, 1024,                                         \
  1203           "Size of old gen promotion labs (in HeapWords)")                  \
  1205   product(uintx, GCTaskTimeStampEntries, 200,                               \
  1206           "Number of time stamp entries per gc worker thread")              \
  1208   product(bool, AlwaysTenure, false,                                        \
  1209           "Always tenure objects in eden. (ParallelGC only)")               \
  1211   product(bool, NeverTenure, false,                                         \
  1212           "Never tenure objects in eden, May tenure on overflow"            \
  1213           " (ParallelGC only)")                                             \
  1215   product(bool, ScavengeBeforeFullGC, true,                                 \
  1216           "Scavenge youngest generation before each full GC,"               \
  1217           " used with UseParallelGC")                                       \
  1219   develop(bool, ScavengeWithObjectsInToSpace, false,                        \
  1220           "Allow scavenges to occur when to_space contains objects.")       \
  1222   product(bool, UseConcMarkSweepGC, false,                                  \
  1223           "Use Concurrent Mark-Sweep GC in the old generation")             \
  1225   product(bool, ExplicitGCInvokesConcurrent, false,                         \
  1226           "A System.gc() request invokes a concurrent collection;"          \
  1227           " (effective only when UseConcMarkSweepGC)")                      \
  1229   product(bool, ExplicitGCInvokesConcurrentAndUnloadsClasses, false,        \
  1230           "A System.gc() request invokes a concurrent collection and"       \
  1231           " also unloads classes during such a concurrent gc cycle  "       \
  1232           " (effective only when UseConcMarkSweepGC)")                      \
  1234   develop(bool, UseCMSAdaptiveFreeLists, true,                              \
  1235           "Use Adaptive Free Lists in the CMS generation")                  \
  1237   develop(bool, UseAsyncConcMarkSweepGC, true,                              \
  1238           "Use Asynchronous Concurrent Mark-Sweep GC in the old generation")\
  1240   develop(bool, RotateCMSCollectionTypes, false,                            \
  1241           "Rotate the CMS collections among concurrent and STW")            \
  1243   product(bool, UseCMSBestFit, true,                                        \
  1244           "Use CMS best fit allocation strategy")                           \
  1246   product(bool, UseCMSCollectionPassing, true,                              \
  1247           "Use passing of collection from background to foreground")        \
  1249   product(bool, UseParNewGC, false,                                         \
  1250           "Use parallel threads in the new generation.")                    \
  1252   product(bool, ParallelGCVerbose, false,                                   \
  1253           "Verbose output for parallel GC.")                                \
  1255   product(intx, ParallelGCBufferWastePct, 10,                               \
  1256           "wasted fraction of parallel allocation buffer.")                 \
  1258   product(bool, ParallelGCRetainPLAB, true,                                 \
  1259           "Retain parallel allocation buffers across scavenges.")           \
  1261   product(intx, TargetPLABWastePct, 10,                                     \
  1262           "target wasted space in last buffer as pct of overall allocation")\
  1264   product(uintx, PLABWeight, 75,                                            \
  1265           "Percentage (0-100) used to weight the current sample when"       \
  1266           "computing exponentially decaying average for ResizePLAB.")       \
  1268   product(bool, ResizePLAB, true,                                           \
  1269           "Dynamically resize (survivor space) promotion labs")             \
  1271   product(bool, PrintPLAB, false,                                           \
  1272           "Print (survivor space) promotion labs sizing decisions")         \
  1274   product(intx, ParGCArrayScanChunk, 50,                                    \
  1275           "Scan a subset and push remainder, if array is bigger than this") \
  1277   product(intx, ParGCDesiredObjsFromOverflowList, 20,                       \
  1278           "The desired number of objects to claim from the overflow list")  \
  1280   product(uintx, CMSParPromoteBlocksToClaim, 50,                            \
  1281           "Number of blocks to attempt to claim when refilling CMS LAB for "\
  1282           "parallel GC.")                                                   \
  1284   product(bool, AlwaysPreTouch, false,                                      \
  1285           "It forces all freshly committed pages to be pre-touched.")       \
  1287   product(bool, CMSUseOldDefaults, false,                                   \
  1288           "A flag temporarily  introduced to allow reverting to some older" \
  1289           "default settings; older as of 6.0 ")                             \
  1291   product(intx, CMSYoungGenPerWorker, 16*M,                                 \
  1292           "The amount of young gen chosen by default per GC worker "        \
  1293           "thread available ")                                              \
  1295   product(bool, GCOverheadReporting, false,                                 \
  1296          "Enables the GC overhead reporting facility")                      \
  1298   product(intx, GCOverheadReportingPeriodMS, 100,                           \
  1299           "Reporting period for conc GC overhead reporting, in ms ")        \
  1301   product(bool, CMSIncrementalMode, false,                                  \
  1302           "Whether CMS GC should operate in \"incremental\" mode")          \
  1304   product(uintx, CMSIncrementalDutyCycle, 10,                               \
  1305           "CMS incremental mode duty cycle (a percentage, 0-100).  If"      \
  1306           "CMSIncrementalPacing is enabled, then this is just the initial"  \
  1307           "value")                                                          \
  1309   product(bool, CMSIncrementalPacing, true,                                 \
  1310           "Whether the CMS incremental mode duty cycle should be "          \
  1311           "automatically adjusted")                                         \
  1313   product(uintx, CMSIncrementalDutyCycleMin, 0,                             \
  1314           "Lower bound on the duty cycle when CMSIncrementalPacing is"      \
  1315           "enabled (a percentage, 0-100).")                                 \
  1317   product(uintx, CMSIncrementalSafetyFactor, 10,                            \
  1318           "Percentage (0-100) used to add conservatism when computing the"  \
  1319           "duty cycle.")                                                    \
  1321   product(uintx, CMSIncrementalOffset, 0,                                   \
  1322           "Percentage (0-100) by which the CMS incremental mode duty cycle" \
  1323           "is shifted to the right within the period between young GCs")    \
  1325   product(uintx, CMSExpAvgFactor, 25,                                       \
  1326           "Percentage (0-100) used to weight the current sample when"       \
  1327           "computing exponential averages for CMS statistics.")             \
  1329   product(uintx, CMS_FLSWeight, 50,                                         \
  1330           "Percentage (0-100) used to weight the current sample when"       \
  1331           "computing exponentially decating averages for CMS FLS statistics.") \
  1333   product(uintx, CMS_FLSPadding, 2,                                         \
  1334           "The multiple of deviation from mean to use for buffering"        \
  1335           "against volatility in free list demand.")                        \
  1337   product(uintx, FLSCoalescePolicy, 2,                                      \
  1338           "CMS: Aggression level for coalescing, increasing from 0 to 4")   \
  1340   product(uintx, CMS_SweepWeight, 50,                                       \
  1341           "Percentage (0-100) used to weight the current sample when"       \
  1342           "computing exponentially decaying average for inter-sweep duration.") \
  1344   product(uintx, CMS_SweepPadding, 2,                                       \
  1345           "The multiple of deviation from mean to use for buffering"        \
  1346           "against volatility in inter-sweep duration.")                    \
  1348   product(uintx, CMS_SweepTimerThresholdMillis, 10,                         \
  1349           "Skip block flux-rate sampling for an epoch unless inter-sweep "  \
  1350           " duration exceeds this threhold in milliseconds")                \
  1352   develop(bool, CMSTraceIncrementalMode, false,                             \
  1353           "Trace CMS incremental mode")                                     \
  1355   develop(bool, CMSTraceIncrementalPacing, false,                           \
  1356           "Trace CMS incremental mode pacing computation")                  \
  1358   develop(bool, CMSTraceThreadState, false,                                 \
  1359           "Trace the CMS thread state (enable the trace_state() method)")   \
  1361   product(bool, CMSClassUnloadingEnabled, false,                            \
  1362           "Whether class unloading enabled when using CMS GC")              \
  1364   product(uintx, CMSClassUnloadingMaxInterval, 0,                           \
  1365           "When CMS class unloading is enabled, the maximum CMS cycle count"\
  1366           " for which classes may not be unloaded")                         \
  1368   product(bool, CMSCompactWhenClearAllSoftRefs, true,                       \
  1369           "Compact when asked to collect CMS gen with clear_all_soft_refs") \
  1371   product(bool, UseCMSCompactAtFullCollection, true,                        \
  1372           "Use mark sweep compact at full collections")                     \
  1374   product(uintx, CMSFullGCsBeforeCompaction, 0,                             \
  1375           "Number of CMS full collection done before compaction if > 0")    \
  1377   develop(intx, CMSDictionaryChoice, 0,                                     \
  1378           "Use BinaryTreeDictionary as default in the CMS generation")      \
  1380   product(uintx, CMSIndexedFreeListReplenish, 4,                            \
  1381           "Replenish and indexed free list with this number of chunks")     \
  1383   product(bool, CMSLoopWarn, false,                                         \
  1384           "Warn in case of excessive CMS looping")                          \
  1386   develop(bool, CMSOverflowEarlyRestoration, false,                         \
  1387           "Whether preserved marks should be restored early")               \
  1389   product(uintx, CMSMarkStackSize, 32*K,                                    \
  1390           "Size of CMS marking stack")                                      \
  1392   product(uintx, CMSMarkStackSizeMax, 4*M,                                  \
  1393           "Max size of CMS marking stack")                                  \
  1395   notproduct(bool, CMSMarkStackOverflowALot, false,                         \
  1396           "Whether we should simulate frequent marking stack / work queue"  \
  1397           " overflow")                                                      \
  1399   notproduct(intx, CMSMarkStackOverflowInterval, 1000,                      \
  1400           "A per-thread `interval' counter that determines how frequently"  \
  1401           " we simulate overflow; a smaller number increases frequency")    \
  1403   product(uintx, CMSMaxAbortablePrecleanLoops, 0,                           \
  1404           "(Temporary, subject to experimentation)"                         \
  1405           "Maximum number of abortable preclean iterations, if > 0")        \
  1407   product(intx, CMSMaxAbortablePrecleanTime, 5000,                          \
  1408           "(Temporary, subject to experimentation)"                         \
  1409           "Maximum time in abortable preclean in ms")                       \
  1411   product(uintx, CMSAbortablePrecleanMinWorkPerIteration, 100,              \
  1412           "(Temporary, subject to experimentation)"                         \
  1413           "Nominal minimum work per abortable preclean iteration")          \
  1415   product(intx, CMSAbortablePrecleanWaitMillis, 100,                        \
  1416           "(Temporary, subject to experimentation)"                         \
  1417           " Time that we sleep between iterations when not given"           \
  1418           " enough work per iteration")                                     \
  1420   product(uintx, CMSRescanMultiple, 32,                                     \
  1421           "Size (in cards) of CMS parallel rescan task")                    \
  1423   product(uintx, CMSConcMarkMultiple, 32,                                   \
  1424           "Size (in cards) of CMS concurrent MT marking task")              \
  1426   product(uintx, CMSRevisitStackSize, 1*M,                                  \
  1427           "Size of CMS KlassKlass revisit stack")                           \
  1429   product(bool, CMSAbortSemantics, false,                                   \
  1430           "Whether abort-on-overflow semantics is implemented")             \
  1432   product(bool, CMSParallelRemarkEnabled, true,                             \
  1433           "Whether parallel remark enabled (only if ParNewGC)")             \
  1435   product(bool, CMSParallelSurvivorRemarkEnabled, true,                     \
  1436           "Whether parallel remark of survivor space"                       \
  1437           " enabled (effective only if CMSParallelRemarkEnabled)")          \
  1439   product(bool, CMSPLABRecordAlways, true,                                  \
  1440           "Whether to always record survivor space PLAB bdries"             \
  1441           " (effective only if CMSParallelSurvivorRemarkEnabled)")          \
  1443   product(bool, CMSConcurrentMTEnabled, true,                               \
  1444           "Whether multi-threaded concurrent work enabled (if ParNewGC)")   \
  1446   product(bool, CMSPermGenPrecleaningEnabled, true,                         \
  1447           "Whether concurrent precleaning enabled in perm gen"              \
  1448           " (effective only when CMSPrecleaningEnabled is true)")           \
  1450   product(bool, CMSPrecleaningEnabled, true,                                \
  1451           "Whether concurrent precleaning enabled")                         \
  1453   product(uintx, CMSPrecleanIter, 3,                                        \
  1454           "Maximum number of precleaning iteration passes")                 \
  1456   product(uintx, CMSPrecleanNumerator, 2,                                   \
  1457           "CMSPrecleanNumerator:CMSPrecleanDenominator yields convergence"  \
  1458           " ratio")                                                         \
  1460   product(uintx, CMSPrecleanDenominator, 3,                                 \
  1461           "CMSPrecleanNumerator:CMSPrecleanDenominator yields convergence"  \
  1462           " ratio")                                                         \
  1464   product(bool, CMSPrecleanRefLists1, true,                                 \
  1465           "Preclean ref lists during (initial) preclean phase")             \
  1467   product(bool, CMSPrecleanRefLists2, false,                                \
  1468           "Preclean ref lists during abortable preclean phase")             \
  1470   product(bool, CMSPrecleanSurvivors1, false,                               \
  1471           "Preclean survivors during (initial) preclean phase")             \
  1473   product(bool, CMSPrecleanSurvivors2, true,                                \
  1474           "Preclean survivors during abortable preclean phase")             \
  1476   product(uintx, CMSPrecleanThreshold, 1000,                                \
  1477           "Don't re-iterate if #dirty cards less than this")                \
  1479   product(bool, CMSCleanOnEnter, true,                                      \
  1480           "Clean-on-enter optimization for reducing number of dirty cards") \
  1482   product(uintx, CMSRemarkVerifyVariant, 1,                                 \
  1483           "Choose variant (1,2) of verification following remark")          \
  1485   product(uintx, CMSScheduleRemarkEdenSizeThreshold, 2*M,                   \
  1486           "If Eden used is below this value, don't try to schedule remark") \
  1488   product(uintx, CMSScheduleRemarkEdenPenetration, 50,                      \
  1489           "The Eden occupancy % at which to try and schedule remark pause") \
  1491   product(uintx, CMSScheduleRemarkSamplingRatio, 5,                         \
  1492           "Start sampling Eden top at least before yg occupancy reaches"    \
  1493           " 1/<ratio> of the size at which we plan to schedule remark")     \
  1495   product(uintx, CMSSamplingGrain, 16*K,                                    \
  1496           "The minimum distance between eden samples for CMS (see above)")  \
  1498   product(bool, CMSScavengeBeforeRemark, false,                             \
  1499           "Attempt scavenge before the CMS remark step")                    \
  1501   develop(bool, CMSTraceSweeper, false,                                     \
  1502           "Trace some actions of the CMS sweeper")                          \
  1504   product(uintx, CMSWorkQueueDrainThreshold, 10,                            \
  1505           "Don't drain below this size per parallel worker/thief")          \
  1507   product(intx, CMSWaitDuration, 2000,                                      \
  1508           "Time in milliseconds that CMS thread waits for young GC")        \
  1510   product(bool, CMSYield, true,                                             \
  1511           "Yield between steps of concurrent mark & sweep")                 \
  1513   product(uintx, CMSBitMapYieldQuantum, 10*M,                               \
  1514           "Bitmap operations should process at most this many bits"         \
  1515           "between yields")                                                 \
  1517   diagnostic(bool, FLSVerifyAllHeapReferences, false,                       \
  1518           "Verify that all refs across the FLS boundary "                   \
  1519           " are to valid objects")                                          \
  1521   diagnostic(bool, FLSVerifyLists, false,                                   \
  1522           "Do lots of (expensive) FreeListSpace verification")              \
  1524   diagnostic(bool, FLSVerifyIndexTable, false,                              \
  1525           "Do lots of (expensive) FLS index table verification")            \
  1527   develop(bool, FLSVerifyDictionary, false,                                 \
  1528           "Do lots of (expensive) FLS dictionary verification")             \
  1530   develop(bool, VerifyBlockOffsetArray, false,                              \
  1531           "Do (expensive!) block offset array verification")                \
  1533   product(bool, BlockOffsetArrayUseUnallocatedBlock, trueInDebug,           \
  1534           "Maintain _unallocated_block in BlockOffsetArray"                 \
  1535           " (currently applicable only to CMS collector)")                  \
  1537   develop(bool, TraceCMSState, false,                                       \
  1538           "Trace the state of the CMS collection")                          \
  1540   product(intx, RefDiscoveryPolicy, 0,                                      \
  1541           "Whether reference-based(0) or referent-based(1)")                \
  1543   product(bool, ParallelRefProcEnabled, false,                              \
  1544           "Enable parallel reference processing whenever possible")         \
  1546   product(bool, ParallelRefProcBalancingEnabled, true,                      \
  1547           "Enable balancing of reference processing queues")                \
  1549   product(intx, CMSTriggerRatio, 80,                                        \
  1550           "Percentage of MinHeapFreeRatio in CMS generation that is "       \
  1551           "  allocated before a CMS collection cycle commences")            \
  1553   product(intx, CMSTriggerPermRatio, 80,                                    \
  1554           "Percentage of MinHeapFreeRatio in the CMS perm generation that"  \
  1555           "  is allocated before a CMS collection cycle commences, that  "  \
  1556           "  also collects the perm generation")                            \
  1558   product(uintx, CMSBootstrapOccupancy, 50,                                 \
  1559           "Percentage CMS generation occupancy at which to "                \
  1560           " initiate CMS collection for bootstrapping collection stats")    \
  1562   product(intx, CMSInitiatingOccupancyFraction, -1,                         \
  1563           "Percentage CMS generation occupancy to start a CMS collection "  \
  1564           " cycle (A negative value means that CMSTriggerRatio is used)")   \
  1566   product(intx, CMSInitiatingPermOccupancyFraction, -1,                     \
  1567           "Percentage CMS perm generation occupancy to start a CMScollection"\
  1568           " cycle (A negative value means that CMSTriggerPermRatio is used)")\
  1570   product(bool, UseCMSInitiatingOccupancyOnly, false,                       \
  1571           "Only use occupancy as a crierion for starting a CMS collection") \
  1573   product(intx, CMSIsTooFullPercentage, 98,                                 \
  1574           "An absolute ceiling above which CMS will always consider the"    \
  1575           " perm gen ripe for collection")                                  \
  1577   develop(bool, CMSTestInFreeList, false,                                   \
  1578           "Check if the coalesced range is already in the "                 \
  1579           "free lists as claimed.")                                         \
  1581   notproduct(bool, CMSVerifyReturnedBytes, false,                           \
  1582           "Check that all the garbage collected was returned to the "       \
  1583           "free lists.")                                                    \
  1585   notproduct(bool, ScavengeALot, false,                                     \
  1586           "Force scavenge at every Nth exit from the runtime system "       \
  1587           "(N=ScavengeALotInterval)")                                       \
  1589   develop(bool, FullGCALot, false,                                          \
  1590           "Force full gc at every Nth exit from the runtime system "        \
  1591           "(N=FullGCALotInterval)")                                         \
  1593   notproduct(bool, GCALotAtAllSafepoints, false,                            \
  1594           "Enforce ScavengeALot/GCALot at all potential safepoints")        \
  1596   product(bool, HandlePromotionFailure, true,                               \
  1597           "The youngest generation collection does not require"             \
  1598           " a guarantee of full promotion of all live objects.")            \
  1600   notproduct(bool, PromotionFailureALot, false,                             \
  1601           "Use promotion failure handling on every youngest generation "    \
  1602           "collection")                                                     \
  1604   develop(uintx, PromotionFailureALotCount, 1000,                           \
  1605           "Number of promotion failures occurring at ParGCAllocBuffer"      \
  1606           "refill attempts (ParNew) or promotion attempts "                 \
  1607           "(other young collectors) ")                                      \
  1609   develop(uintx, PromotionFailureALotInterval, 5,                           \
  1610           "Total collections between promotion failures alot")              \
  1612   develop(intx, WorkStealingSleepMillis, 1,                                 \
  1613           "Sleep time when sleep is used for yields")                       \
  1615   develop(uintx, WorkStealingYieldsBeforeSleep, 1000,                       \
  1616           "Number of yields before a sleep is done during workstealing")    \
  1618   product(uintx, PreserveMarkStackSize, 40,                                 \
  1619            "Size for stack used in promotion failure handling")             \
  1621   product_pd(bool, UseTLAB, "Use thread-local object allocation")           \
  1623   product_pd(bool, ResizeTLAB,                                              \
  1624           "Dynamically resize tlab size for threads")                       \
  1626   product(bool, ZeroTLAB, false,                                            \
  1627           "Zero out the newly created TLAB")                                \
  1629   product(bool, FastTLABRefill, true,                                       \
  1630           "Use fast TLAB refill code")                                      \
  1632   product(bool, PrintTLAB, false,                                           \
  1633           "Print various TLAB related information")                         \
  1635   product(bool, TLABStats, true,                                            \
  1636           "Print various TLAB related information")                         \
  1638   product_pd(bool, NeverActAsServerClassMachine,                            \
  1639           "Never act like a server-class machine")                          \
  1641   product(bool, AlwaysActAsServerClassMachine, false,                       \
  1642           "Always act like a server-class machine")                         \
  1644   product_pd(uintx, DefaultMaxRAM,                                          \
  1645           "Maximum real memory size for setting server class heap size")    \
  1647   product(uintx, DefaultMaxRAMFraction, 4,                                  \
  1648           "Fraction (1/n) of real memory used for server class max heap")   \
  1650   product(uintx, DefaultInitialRAMFraction, 64,                             \
  1651           "Fraction (1/n) of real memory used for server class initial heap")  \
  1653   product(bool, UseAutoGCSelectPolicy, false,                               \
  1654           "Use automatic collection selection policy")                      \
  1656   product(uintx, AutoGCSelectPauseMillis, 5000,                             \
  1657           "Automatic GC selection pause threshhold in ms")                  \
  1659   product(bool, UseAdaptiveSizePolicy, true,                                \
  1660           "Use adaptive generation sizing policies")                        \
  1662   product(bool, UsePSAdaptiveSurvivorSizePolicy, true,                      \
  1663           "Use adaptive survivor sizing policies")                          \
  1665   product(bool, UseAdaptiveGenerationSizePolicyAtMinorCollection, true,     \
  1666           "Use adaptive young-old sizing policies at minor collections")    \
  1668   product(bool, UseAdaptiveGenerationSizePolicyAtMajorCollection, true,     \
  1669           "Use adaptive young-old sizing policies at major collections")    \
  1671   product(bool, UseAdaptiveSizePolicyWithSystemGC, false,                   \
  1672           "Use statistics from System.GC for adaptive size policy")         \
  1674   product(bool, UseAdaptiveGCBoundary, false,                               \
  1675           "Allow young-old boundary to move")                               \
  1677   develop(bool, TraceAdaptiveGCBoundary, false,                             \
  1678           "Trace young-old boundary moves")                                 \
  1680   develop(intx, PSAdaptiveSizePolicyResizeVirtualSpaceAlot, -1,             \
  1681           "Resize the virtual spaces of the young or old generations")      \
  1683   product(uintx, AdaptiveSizeThroughPutPolicy, 0,                           \
  1684           "Policy for changeing generation size for throughput goals")      \
  1686   product(uintx, AdaptiveSizePausePolicy, 0,                                \
  1687           "Policy for changing generation size for pause goals")            \
  1689   develop(bool, PSAdjustTenuredGenForMinorPause, false,                     \
  1690           "Adjust tenured generation to achive a minor pause goal")         \
  1692   develop(bool, PSAdjustYoungGenForMajorPause, false,                       \
  1693           "Adjust young generation to achive a major pause goal")           \
  1695   product(uintx, AdaptiveSizePolicyInitializingSteps, 20,                   \
  1696           "Number of steps where heuristics is used before data is used")   \
  1698   develop(uintx, AdaptiveSizePolicyReadyThreshold, 5,                       \
  1699           "Number of collections before the adaptive sizing is started")    \
  1701   product(uintx, AdaptiveSizePolicyOutputInterval, 0,                       \
  1702           "Collecton interval for printing information, zero => never")     \
  1704   product(bool, UseAdaptiveSizePolicyFootprintGoal, true,                   \
  1705           "Use adaptive minimum footprint as a goal")                       \
  1707   product(uintx, AdaptiveSizePolicyWeight, 10,                              \
  1708           "Weight given to exponential resizing, between 0 and 100")        \
  1710   product(uintx, AdaptiveTimeWeight,       25,                              \
  1711           "Weight given to time in adaptive policy, between 0 and 100")     \
  1713   product(uintx, PausePadding, 1,                                           \
  1714           "How much buffer to keep for pause time")                         \
  1716   product(uintx, PromotedPadding, 3,                                        \
  1717           "How much buffer to keep for promotion failure")                  \
  1719   product(uintx, SurvivorPadding, 3,                                        \
  1720           "How much buffer to keep for survivor overflow")                  \
  1722   product(uintx, AdaptivePermSizeWeight, 20,                                \
  1723           "Weight for perm gen exponential resizing, between 0 and 100")    \
  1725   product(uintx, PermGenPadding, 3,                                         \
  1726           "How much buffer to keep for perm gen sizing")                    \
  1728   product(uintx, ThresholdTolerance, 10,                                    \
  1729           "Allowed collection cost difference between generations")         \
  1731   product(uintx, AdaptiveSizePolicyCollectionCostMargin, 50,                \
  1732           "If collection costs are within margin, reduce both by full delta") \
  1734   product(uintx, YoungGenerationSizeIncrement, 20,                          \
  1735           "Adaptive size percentage change in young generation")            \
  1737   product(uintx, YoungGenerationSizeSupplement, 80,                         \
  1738           "Supplement to YoungedGenerationSizeIncrement used at startup")   \
  1740   product(uintx, YoungGenerationSizeSupplementDecay, 8,                     \
  1741           "Decay factor to YoungedGenerationSizeSupplement")                \
  1743   product(uintx, TenuredGenerationSizeIncrement, 20,                        \
  1744           "Adaptive size percentage change in tenured generation")          \
  1746   product(uintx, TenuredGenerationSizeSupplement, 80,                       \
  1747           "Supplement to TenuredGenerationSizeIncrement used at startup")   \
  1749   product(uintx, TenuredGenerationSizeSupplementDecay, 2,                   \
  1750           "Decay factor to TenuredGenerationSizeIncrement")                 \
  1752   product(uintx, MaxGCPauseMillis, max_uintx,                               \
  1753           "Adaptive size policy maximum GC pause time goal in msec")        \
  1755   product(uintx, MaxGCMinorPauseMillis, max_uintx,                          \
  1756           "Adaptive size policy maximum GC minor pause time goal in msec")  \
  1758   product(uintx, GCTimeRatio, 99,                                           \
  1759           "Adaptive size policy application time to GC time ratio")         \
  1761   product(uintx, AdaptiveSizeDecrementScaleFactor, 4,                       \
  1762           "Adaptive size scale down factor for shrinking")                  \
  1764   product(bool, UseAdaptiveSizeDecayMajorGCCost, true,                      \
  1765           "Adaptive size decays the major cost for long major intervals")   \
  1767   product(uintx, AdaptiveSizeMajorGCDecayTimeScale, 10,                     \
  1768           "Time scale over which major costs decay")                        \
  1770   product(uintx, MinSurvivorRatio, 3,                                       \
  1771           "Minimum ratio of young generation/survivor space size")          \
  1773   product(uintx, InitialSurvivorRatio, 8,                                   \
  1774           "Initial ratio of eden/survivor space size")                      \
  1776   product(uintx, BaseFootPrintEstimate, 256*M,                              \
  1777           "Estimate of footprint other than Java Heap")                     \
  1779   product(bool, UseGCOverheadLimit, true,                                   \
  1780           "Use policy to limit of proportion of time spent in GC "          \
  1781           "before an OutOfMemory error is thrown")                          \
  1783   product(uintx, GCTimeLimit, 98,                                           \
  1784           "Limit of proportion of time spent in GC before an OutOfMemory"   \
  1785           "error is thrown (used with GCHeapFreeLimit)")                    \
  1787   product(uintx, GCHeapFreeLimit, 2,                                        \
  1788           "Minimum percentage of free space after a full GC before an "     \
  1789           "OutOfMemoryError is thrown (used with GCTimeLimit)")             \
  1791   develop(uintx, AdaptiveSizePolicyGCTimeLimitThreshold, 5,                 \
  1792           "Number of consecutive collections before gc time limit fires")   \
  1794   product(bool, PrintAdaptiveSizePolicy, false,                             \
  1795           "Print information about AdaptiveSizePolicy")                     \
  1797   product(intx, PrefetchCopyIntervalInBytes, -1,                            \
  1798           "How far ahead to prefetch destination area (<= 0 means off)")    \
  1800   product(intx, PrefetchScanIntervalInBytes, -1,                            \
  1801           "How far ahead to prefetch scan area (<= 0 means off)")           \
  1803   product(intx, PrefetchFieldsAhead, -1,                                    \
  1804           "How many fields ahead to prefetch in oop scan (<= 0 means off)") \
  1806   develop(bool, UsePrefetchQueue, true,                                     \
  1807           "Use the prefetch queue during PS promotion")                     \
  1809   diagnostic(bool, VerifyBeforeExit, trueInDebug,                           \
  1810           "Verify system before exiting")                                   \
  1812   diagnostic(bool, VerifyBeforeGC, false,                                   \
  1813           "Verify memory system before GC")                                 \
  1815   diagnostic(bool, VerifyAfterGC, false,                                    \
  1816           "Verify memory system after GC")                                  \
  1818   diagnostic(bool, VerifyDuringGC, false,                                   \
  1819           "Verify memory system during GC (between phases)")                \
  1821   diagnostic(bool, VerifyRememberedSets, false,                             \
  1822           "Verify GC remembered sets")                                      \
  1824   diagnostic(bool, VerifyObjectStartArray, true,                            \
  1825           "Verify GC object start array if verify before/after")            \
  1827   product(bool, DisableExplicitGC, false,                                   \
  1828           "Tells whether calling System.gc() does a full GC")               \
  1830   notproduct(bool, CheckMemoryInitialization, false,                        \
  1831           "Checks memory initialization")                                   \
  1833   product(bool, CollectGen0First, false,                                    \
  1834           "Collect youngest generation before each full GC")                \
  1836   diagnostic(bool, BindCMSThreadToCPU, false,                               \
  1837           "Bind CMS Thread to CPU if possible")                             \
  1839   diagnostic(uintx, CPUForCMSThread, 0,                                     \
  1840           "When BindCMSThreadToCPU is true, the CPU to bind CMS thread to") \
  1842   product(bool, BindGCTaskThreadsToCPUs, false,                             \
  1843           "Bind GCTaskThreads to CPUs if possible")                         \
  1845   product(bool, UseGCTaskAffinity, false,                                   \
  1846           "Use worker affinity when asking for GCTasks")                    \
  1848   product(uintx, ProcessDistributionStride, 4,                              \
  1849           "Stride through processors when distributing processes")          \
  1851   product(uintx, CMSCoordinatorYieldSleepCount, 10,                         \
  1852           "number of times the coordinator GC thread will sleep while "     \
  1853           "yielding before giving up and resuming GC")                      \
  1855   product(uintx, CMSYieldSleepCount, 0,                                     \
  1856           "number of times a GC thread (minus the coordinator) "            \
  1857           "will sleep while yielding before giving up and resuming GC")     \
  1859   notproduct(bool, PrintFlagsFinal, false,                                  \
  1860           "Print all command line flags after argument processing")         \
  1862   /* gc tracing */                                                          \
  1863   manageable(bool, PrintGC, false,                                          \
  1864           "Print message at garbage collect")                               \
  1866   manageable(bool, PrintGCDetails, false,                                   \
  1867           "Print more details at garbage collect")                          \
  1869   manageable(bool, PrintGCDateStamps, false,                                \
  1870           "Print date stamps at garbage collect")                           \
  1872   manageable(bool, PrintGCTimeStamps, false,                                \
  1873           "Print timestamps at garbage collect")                            \
  1875   product(bool, PrintGCTaskTimeStamps, false,                               \
  1876           "Print timestamps for individual gc worker thread tasks")         \
  1878   develop(intx, ConcGCYieldTimeout, 0,                                      \
  1879           "If non-zero, assert that GC threads yield within this # of ms.") \
  1881   notproduct(bool, TraceMarkSweep, false,                                   \
  1882           "Trace mark sweep")                                               \
  1884   product(bool, PrintReferenceGC, false,                                    \
  1885           "Print times spent handling reference objects during GC "         \
  1886           " (enabled only when PrintGCDetails)")                            \
  1888   develop(bool, TraceReferenceGC, false,                                    \
  1889           "Trace handling of soft/weak/final/phantom references")           \
  1891   develop(bool, TraceFinalizerRegistration, false,                          \
  1892          "Trace registration of final references")                          \
  1894   notproduct(bool, TraceScavenge, false,                                    \
  1895           "Trace scavenge")                                                 \
  1897   product_rw(bool, TraceClassLoading, false,                                \
  1898           "Trace all classes loaded")                                       \
  1900   product(bool, TraceClassLoadingPreorder, false,                           \
  1901           "Trace all classes loaded in order referenced (not loaded)")      \
  1903   product_rw(bool, TraceClassUnloading, false,                              \
  1904           "Trace unloading of classes")                                     \
  1906   product_rw(bool, TraceLoaderConstraints, false,                           \
  1907           "Trace loader constraints")                                       \
  1909   product(bool, TraceGen0Time, false,                                       \
  1910           "Trace accumulated time for Gen 0 collection")                    \
  1912   product(bool, TraceGen1Time, false,                                       \
  1913           "Trace accumulated time for Gen 1 collection")                    \
  1915   product(bool, PrintTenuringDistribution, false,                           \
  1916           "Print tenuring age information")                                 \
  1918   product_rw(bool, PrintHeapAtGC, false,                                    \
  1919           "Print heap layout before and after each GC")                     \
  1921   product(bool, PrintHeapAtSIGBREAK, true,                                  \
  1922           "Print heap layout in response to SIGBREAK")                      \
  1924   manageable(bool, PrintClassHistogram, false,                              \
  1925           "Print a histogram of class instances")                           \
  1927   develop(bool, TraceWorkGang, false,                                       \
  1928           "Trace activities of work gangs")                                 \
  1930   product(bool, TraceParallelOldGCTasks, false,                             \
  1931           "Trace multithreaded GC activity")                                \
  1933   develop(bool, TraceBlockOffsetTable, false,                               \
  1934           "Print BlockOffsetTable maps")                                    \
  1936   develop(bool, TraceCardTableModRefBS, false,                              \
  1937           "Print CardTableModRefBS maps")                                   \
  1939   develop(bool, TraceGCTaskManager, false,                                  \
  1940           "Trace actions of the GC task manager")                           \
  1942   develop(bool, TraceGCTaskQueue, false,                                    \
  1943           "Trace actions of the GC task queues")                            \
  1945   develop(bool, TraceGCTaskThread, false,                                   \
  1946           "Trace actions of the GC task threads")                           \
  1948   product(bool, PrintParallelOldGCPhaseTimes, false,                        \
  1949           "Print the time taken by each parallel old gc phase."             \
  1950           "PrintGCDetails must also be enabled.")                           \
  1952   develop(bool, TraceParallelOldGCMarkingPhase, false,                      \
  1953           "Trace parallel old gc marking phase")                            \
  1955   develop(bool, TraceParallelOldGCSummaryPhase, false,                      \
  1956           "Trace parallel old gc summary phase")                            \
  1958   develop(bool, TraceParallelOldGCCompactionPhase, false,                   \
  1959           "Trace parallel old gc compaction phase")                         \
  1961   develop(bool, TraceParallelOldGCDensePrefix, false,                       \
  1962           "Trace parallel old gc dense prefix computation")                 \
  1964   develop(bool, IgnoreLibthreadGPFault, false,                              \
  1965           "Suppress workaround for libthread GP fault")                     \
  1967   product(bool, PrintJNIGCStalls, false,                                    \
  1968           "Print diagnostic message when GC is stalled"                     \
  1969           "by JNI critical section")                                        \
  1971   /* JVMTI heap profiling */                                                \
  1973   diagnostic(bool, TraceJVMTIObjectTagging, false,                          \
  1974           "Trace JVMTI object tagging calls")                               \
  1976   diagnostic(bool, VerifyBeforeIteration, false,                            \
  1977           "Verify memory system before JVMTI iteration")                    \
  1979   /* compiler interface */                                                  \
  1981   develop(bool, CIPrintCompilerName, false,                                 \
  1982           "when CIPrint is active, print the name of the active compiler")  \
  1984   develop(bool, CIPrintCompileQueue, false,                                 \
  1985           "display the contents of the compile queue whenever a "           \
  1986           "compilation is enqueued")                                        \
  1988   develop(bool, CIPrintRequests, false,                                     \
  1989           "display every request for compilation")                          \
  1991   product(bool, CITime, false,                                              \
  1992           "collect timing information for compilation")                     \
  1994   develop(bool, CITimeEach, false,                                          \
  1995           "display timing information after each successful compilation")   \
  1997   develop(bool, CICountOSR, true,                                           \
  1998           "use a separate counter when assigning ids to osr compilations")  \
  2000   develop(bool, CICompileNatives, true,                                     \
  2001           "compile native methods if supported by the compiler")            \
  2003   develop_pd(bool, CICompileOSR,                                            \
  2004           "compile on stack replacement methods if supported by the "       \
  2005           "compiler")                                                       \
  2007   develop(bool, CIPrintMethodCodes, false,                                  \
  2008           "print method bytecodes of the compiled code")                    \
  2010   develop(bool, CIPrintTypeFlow, false,                                     \
  2011           "print the results of ciTypeFlow analysis")                       \
  2013   develop(bool, CITraceTypeFlow, false,                                     \
  2014           "detailed per-bytecode tracing of ciTypeFlow analysis")           \
  2016   develop(intx, CICloneLoopTestLimit, 100,                                  \
  2017           "size limit for blocks heuristically cloned in ciTypeFlow")       \
  2019   /* temp diagnostics */                                                    \
  2021   diagnostic(bool, TraceRedundantCompiles, false,                           \
  2022           "Have compile broker print when a request already in the queue is"\
  2023           " requested again")                                               \
  2025   diagnostic(bool, InitialCompileFast, false,                               \
  2026           "Initial compile at CompLevel_fast_compile")                      \
  2028   diagnostic(bool, InitialCompileReallyFast, false,                         \
  2029           "Initial compile at CompLevel_really_fast_compile (no profile)")  \
  2031   diagnostic(bool, FullProfileOnReInterpret, true,                          \
  2032           "On re-interpret unc-trap compile next at CompLevel_fast_compile")\
  2034   /* compiler */                                                            \
  2036   product(intx, CICompilerCount, CI_COMPILER_COUNT,                         \
  2037           "Number of compiler threads to run")                              \
  2039   product(intx, CompilationPolicyChoice, 0,                                 \
  2040           "which compilation policy (0/1)")                                 \
  2042   develop(bool, UseStackBanging, true,                                      \
  2043           "use stack banging for stack overflow checks (required for "      \
  2044           "proper StackOverflow handling; disable only to measure cost "    \
  2045           "of stackbanging)")                                               \
  2047   develop(bool, Use24BitFPMode, true,                                       \
  2048           "Set 24-bit FPU mode on a per-compile basis ")                    \
  2050   develop(bool, Use24BitFP, true,                                           \
  2051           "use FP instructions that produce 24-bit precise results")        \
  2053   develop(bool, UseStrictFP, true,                                          \
  2054           "use strict fp if modifier strictfp is set")                      \
  2056   develop(bool, GenerateSynchronizationCode, true,                          \
  2057           "generate locking/unlocking code for synchronized methods and "   \
  2058           "monitors")                                                       \
  2060   develop(bool, GenerateCompilerNullChecks, true,                           \
  2061           "Generate explicit null checks for loads/stores/calls")           \
  2063   develop(bool, GenerateRangeChecks, true,                                  \
  2064           "Generate range checks for array accesses")                       \
  2066   develop_pd(bool, ImplicitNullChecks,                                      \
  2067           "generate code for implicit null checks")                         \
  2069   product(bool, PrintSafepointStatistics, false,                            \
  2070           "print statistics about safepoint synchronization")               \
  2072   product(intx, PrintSafepointStatisticsCount, 300,                         \
  2073           "total number of safepoint statistics collected "                 \
  2074           "before printing them out")                                       \
  2076   product(intx, PrintSafepointStatisticsTimeout,  -1,                       \
  2077           "print safepoint statistics only when safepoint takes"            \
  2078           " more than PrintSafepointSatisticsTimeout in millis")            \
  2080   develop(bool, InlineAccessors, true,                                      \
  2081           "inline accessor methods (get/set)")                              \
  2083   product(bool, Inline, true,                                               \
  2084           "enable inlining")                                                \
  2086   product(bool, ClipInlining, true,                                         \
  2087           "clip inlining if aggregate method exceeds DesiredMethodLimit")   \
  2089   develop(bool, UseCHA, true,                                               \
  2090           "enable CHA")                                                     \
  2092   product(bool, UseTypeProfile, true,                                       \
  2093           "Check interpreter profile for historically monomorphic calls")   \
  2095   product(intx, TypeProfileMajorReceiverPercent, 90,                        \
  2096           "% of major receiver type to all profiled receivers")             \
  2098   notproduct(bool, TimeCompiler, false,                                     \
  2099           "time the compiler")                                              \
  2101   notproduct(bool, TimeCompiler2, false,                                    \
  2102           "detailed time the compiler (requires +TimeCompiler)")            \
  2104   diagnostic(bool, PrintInlining, false,                                    \
  2105           "prints inlining optimizations")                                  \
  2107   diagnostic(bool, PrintIntrinsics, false,                                  \
  2108           "prints attempted and successful inlining of intrinsics")         \
  2110   diagnostic(ccstrlist, DisableIntrinsic, "",                               \
  2111           "do not expand intrinsics whose (internal) names appear here")    \
  2113   develop(bool, StressReflectiveCode, false,                                \
  2114           "Use inexact types at allocations, etc., to test reflection")     \
  2116   develop(bool, EagerInitialization, false,                                 \
  2117           "Eagerly initialize classes if possible")                         \
  2119   product(bool, Tier1UpdateMethodData, trueInTiered,                        \
  2120           "Update methodDataOops in Tier1-generated code")                  \
  2122   develop(bool, TraceMethodReplacement, false,                              \
  2123           "Print when methods are replaced do to recompilation")            \
  2125   develop(bool, PrintMethodFlushing, false,                                 \
  2126           "print the nmethods being flushed")                               \
  2128   notproduct(bool, LogMultipleMutexLocking, false,                          \
  2129           "log locking and unlocking of mutexes (only if multiple locks "   \
  2130           "are held)")                                                      \
  2132   develop(bool, UseRelocIndex, false,                                       \
  2133          "use an index to speed random access to relocations")              \
  2135   develop(bool, StressCodeBuffers, false,                                   \
  2136          "Exercise code buffer expansion and other rare state changes")     \
  2138   diagnostic(bool, DebugNonSafepoints, trueInDebug,                         \
  2139          "Generate extra debugging info for non-safepoints in nmethods")    \
  2141   diagnostic(bool, DebugInlinedCalls, true,                                 \
  2142          "If false, restricts profiled locations to the root method only")  \
  2144   product(bool, PrintVMOptions, trueInDebug,                                \
  2145          "print VM flag settings")                                          \
  2147   diagnostic(bool, SerializeVMOutput, true,                                 \
  2148          "Use a mutex to serialize output to tty and hotspot.log")          \
  2150   diagnostic(bool, DisplayVMOutput, true,                                   \
  2151          "Display all VM output on the tty, independently of LogVMOutput")  \
  2153   diagnostic(bool, LogVMOutput, trueInDebug,                                \
  2154          "Save VM output to hotspot.log, or to LogFile")                    \
  2156   diagnostic(ccstr, LogFile, NULL,                                          \
  2157          "If LogVMOutput is on, save VM output to this file [hotspot.log]") \
  2159   product(ccstr, ErrorFile, NULL,                                           \
  2160          "If an error occurs, save the error data to this file "            \
  2161          "[default: ./hs_err_pid%p.log] (%p replaced with pid)")            \
  2163   product(bool, DisplayVMOutputToStderr, false,                             \
  2164          "If DisplayVMOutput is true, display all VM output to stderr")     \
  2166   product(bool, DisplayVMOutputToStdout, false,                             \
  2167          "If DisplayVMOutput is true, display all VM output to stdout")     \
  2169   product(bool, UseHeavyMonitors, false,                                    \
  2170           "use heavyweight instead of lightweight Java monitors")           \
  2172   notproduct(bool, PrintSymbolTableSizeHistogram, false,                    \
  2173           "print histogram of the symbol table")                            \
  2175   notproduct(bool, ExitVMOnVerifyError, false,                              \
  2176           "standard exit from VM if bytecode verify error "                 \
  2177           "(only in debug mode)")                                           \
  2179   notproduct(ccstr, AbortVMOnException, NULL,                               \
  2180           "Call fatal if this exception is thrown.  Example: "              \
  2181           "java -XX:AbortVMOnException=java.lang.NullPointerException Foo") \
  2183   develop(bool, DebugVtables, false,                                        \
  2184           "add debugging code to vtable dispatch")                          \
  2186   develop(bool, PrintVtables, false,                                        \
  2187           "print vtables when printing klass")                              \
  2189   notproduct(bool, PrintVtableStats, false,                                 \
  2190           "print vtables stats at end of run")                              \
  2192   develop(bool, TraceCreateZombies, false,                                  \
  2193           "trace creation of zombie nmethods")                              \
  2195   notproduct(bool, IgnoreLockingAssertions, false,                          \
  2196           "disable locking assertions (for speed)")                         \
  2198   notproduct(bool, VerifyLoopOptimizations, false,                          \
  2199           "verify major loop optimizations")                                \
  2201   product(bool, RangeCheckElimination, true,                                \
  2202           "Split loop iterations to eliminate range checks")                \
  2204   develop_pd(bool, UncommonNullCast,                                        \
  2205           "track occurrences of null in casts; adjust compiler tactics")    \
  2207   develop(bool, TypeProfileCasts,  true,                                    \
  2208           "treat casts like calls for purposes of type profiling")          \
  2210   develop(bool, MonomorphicArrayCheck, true,                                \
  2211           "Uncommon-trap array store checks that require full type check")  \
  2213   develop(bool, DelayCompilationDuringStartup, true,                        \
  2214           "Delay invoking the compiler until main application class is "    \
  2215           "loaded")                                                         \
  2217   develop(bool, CompileTheWorld, false,                                     \
  2218           "Compile all methods in all classes in bootstrap class path "     \
  2219           "(stress test)")                                                  \
  2221   develop(bool, CompileTheWorldPreloadClasses, true,                        \
  2222           "Preload all classes used by a class before start loading")       \
  2224   notproduct(bool, CompileTheWorldIgnoreInitErrors, false,                  \
  2225           "Compile all methods although class initializer failed")          \
  2227   develop(bool, TraceIterativeGVN, false,                                   \
  2228           "Print progress during Iterative Global Value Numbering")         \
  2230   develop(bool, FillDelaySlots, true,                                       \
  2231           "Fill delay slots (on SPARC only)")                               \
  2233   develop(bool, VerifyIterativeGVN, false,                                  \
  2234           "Verify Def-Use modifications during sparse Iterative Global "    \
  2235           "Value Numbering")                                                \
  2237   notproduct(bool, TracePhaseCCP, false,                                    \
  2238           "Print progress during Conditional Constant Propagation")         \
  2240   develop(bool, TimeLivenessAnalysis, false,                                \
  2241           "Time computation of bytecode liveness analysis")                 \
  2243   develop(bool, TraceLivenessGen, false,                                    \
  2244           "Trace the generation of liveness analysis information")          \
  2246   notproduct(bool, TraceLivenessQuery, false,                               \
  2247           "Trace queries of liveness analysis information")                 \
  2249   notproduct(bool, CollectIndexSetStatistics, false,                        \
  2250           "Collect information about IndexSets")                            \
  2252   develop(bool, PrintDominators, false,                                     \
  2253           "Print out dominator trees for GVN")                              \
  2255   develop(bool, UseLoopSafepoints, true,                                    \
  2256           "Generate Safepoint nodes in every loop")                         \
  2258   notproduct(bool, TraceCISCSpill, false,                                   \
  2259           "Trace allocators use of cisc spillable instructions")            \
  2261   notproduct(bool, TraceSpilling, false,                                    \
  2262           "Trace spilling")                                                 \
  2264   develop(bool, DeutschShiffmanExceptions, true,                            \
  2265           "Fast check to find exception handler for precisely typed "       \
  2266           "exceptions")                                                     \
  2268   product(bool, SplitIfBlocks, true,                                        \
  2269           "Clone compares and control flow through merge points to fold "   \
  2270           "some branches")                                                  \
  2272   develop(intx, FastAllocateSizeLimit, 128*K,                               \
  2273           /* Note:  This value is zero mod 1<<13 for a cheap sparc set. */  \
  2274           "Inline allocations larger than this in doublewords must go slow")\
  2276   product(bool, AggressiveOpts, false,                                      \
  2277           "Enable aggressive optimizations - see arguments.cpp")            \
  2279   product(bool, UseStringCache, false,                                      \
  2280           "Enable String cache capabilities on String.java")                \
  2282   /* statistics */                                                          \
  2283   develop(bool, UseVTune, false,                                            \
  2284           "enable support for Intel's VTune profiler")                      \
  2286   develop(bool, CountCompiledCalls, false,                                  \
  2287           "counts method invocations")                                      \
  2289   notproduct(bool, CountRuntimeCalls, false,                                \
  2290           "counts VM runtime calls")                                        \
  2292   develop(bool, CountJNICalls, false,                                       \
  2293           "counts jni method invocations")                                  \
  2295   notproduct(bool, CountJVMCalls, false,                                    \
  2296           "counts jvm method invocations")                                  \
  2298   notproduct(bool, CountRemovableExceptions, false,                         \
  2299           "count exceptions that could be replaced by branches due to "     \
  2300           "inlining")                                                       \
  2302   notproduct(bool, ICMissHistogram, false,                                  \
  2303           "produce histogram of IC misses")                                 \
  2305   notproduct(bool, PrintClassStatistics, false,                             \
  2306           "prints class statistics at end of run")                          \
  2308   notproduct(bool, PrintMethodStatistics, false,                            \
  2309           "prints method statistics at end of run")                         \
  2311   /* interpreter */                                                         \
  2312   develop(bool, ClearInterpreterLocals, false,                              \
  2313           "Always clear local variables of interpreter activations upon "   \
  2314           "entry")                                                          \
  2316   product_pd(bool, RewriteBytecodes,                                        \
  2317           "Allow rewriting of bytecodes (bytecodes are not immutable)")     \
  2319   product_pd(bool, RewriteFrequentPairs,                                    \
  2320           "Rewrite frequently used bytecode pairs into a single bytecode")  \
  2322   diagnostic(bool, PrintInterpreter, false,                                 \
  2323           "Prints the generated interpreter code")                          \
  2325   product(bool, UseInterpreter, true,                                       \
  2326           "Use interpreter for non-compiled methods")                       \
  2328   develop(bool, UseFastSignatureHandlers, true,                             \
  2329           "Use fast signature handlers for native calls")                   \
  2331   develop(bool, UseV8InstrsOnly, false,                                     \
  2332           "Use SPARC-V8 Compliant instruction subset")                      \
  2334   product(bool, UseNiagaraInstrs, false,                                    \
  2335           "Use Niagara-efficient instruction subset")                       \
  2337   develop(bool, UseCASForSwap, false,                                       \
  2338           "Do not use swap instructions, but only CAS (in a loop) on SPARC")\
  2340   product(bool, UseLoopCounter, true,                                       \
  2341           "Increment invocation counter on backward branch")                \
  2343   product(bool, UseFastEmptyMethods, true,                                  \
  2344           "Use fast method entry code for empty methods")                   \
  2346   product(bool, UseFastAccessorMethods, true,                               \
  2347           "Use fast method entry code for accessor methods")                \
  2349   product_pd(bool, UseOnStackReplacement,                                   \
  2350            "Use on stack replacement, calls runtime if invoc. counter "     \
  2351            "overflows in loop")                                             \
  2353   notproduct(bool, TraceOnStackReplacement, false,                          \
  2354           "Trace on stack replacement")                                     \
  2356   develop(bool, PoisonOSREntry, true,                                       \
  2357            "Detect abnormal calls to OSR code")                             \
  2359   product_pd(bool, PreferInterpreterNativeStubs,                            \
  2360           "Use always interpreter stubs for native methods invoked via "    \
  2361           "interpreter")                                                    \
  2363   develop(bool, CountBytecodes, false,                                      \
  2364           "Count number of bytecodes executed")                             \
  2366   develop(bool, PrintBytecodeHistogram, false,                              \
  2367           "Print histogram of the executed bytecodes")                      \
  2369   develop(bool, PrintBytecodePairHistogram, false,                          \
  2370           "Print histogram of the executed bytecode pairs")                 \
  2372   diagnostic(bool, PrintSignatureHandlers, false,                           \
  2373           "Print code generated for native method signature handlers")      \
  2375   develop(bool, VerifyOops, false,                                          \
  2376           "Do plausibility checks for oops")                                \
  2378   develop(bool, CheckUnhandledOops, false,                                  \
  2379           "Check for unhandled oops in VM code")                            \
  2381   develop(bool, VerifyJNIFields, trueInDebug,                               \
  2382           "Verify jfieldIDs for instance fields")                           \
  2384   notproduct(bool, VerifyJNIEnvThread, false,                               \
  2385           "Verify JNIEnv.thread == Thread::current() when entering VM "     \
  2386           "from JNI")                                                       \
  2388   develop(bool, VerifyFPU, false,                                           \
  2389           "Verify FPU state (check for NaN's, etc.)")                       \
  2391   develop(bool, VerifyThread, false,                                        \
  2392           "Watch the thread register for corruption (SPARC only)")          \
  2394   develop(bool, VerifyActivationFrameSize, false,                           \
  2395           "Verify that activation frame didn't become smaller than its "    \
  2396           "minimal size")                                                   \
  2398   develop(bool, TraceFrequencyInlining, false,                              \
  2399           "Trace frequency based inlining")                                 \
  2401   notproduct(bool, TraceTypeProfile, false,                                 \
  2402           "Trace type profile")                                             \
  2404   develop_pd(bool, InlineIntrinsics,                                        \
  2405            "Inline intrinsics that can be statically resolved")             \
  2407   product_pd(bool, ProfileInterpreter,                                      \
  2408            "Profile at the bytecode level during interpretation")           \
  2410   develop_pd(bool, ProfileTraps,                                            \
  2411           "Profile deoptimization traps at the bytecode level")             \
  2413   product(intx, ProfileMaturityPercentage, 20,                              \
  2414           "number of method invocations/branches (expressed as % of "       \
  2415           "CompileThreshold) before using the method's profile")            \
  2417   develop(bool, PrintMethodData, false,                                     \
  2418            "Print the results of +ProfileInterpreter at end of run")        \
  2420   develop(bool, VerifyDataPointer, trueInDebug,                             \
  2421           "Verify the method data pointer during interpreter profiling")    \
  2423   develop(bool, VerifyCompiledCode, false,                                  \
  2424           "Include miscellaneous runtime verifications in nmethod code; "   \
  2425           "off by default because it disturbs nmethod size heuristics.")    \
  2428   /* compilation */                                                         \
  2429   product(bool, UseCompiler, true,                                          \
  2430           "use compilation")                                                \
  2432   develop(bool, TraceCompilationPolicy, false,                              \
  2433           "Trace compilation policy")                                       \
  2435   develop(bool, TimeCompilationPolicy, false,                               \
  2436           "Time the compilation policy")                                    \
  2438   product(bool, UseCounterDecay, true,                                      \
  2439            "adjust recompilation counters")                                 \
  2441   develop(intx, CounterHalfLifeTime,    30,                                 \
  2442           "half-life time of invocation counters (in secs)")                \
  2444   develop(intx, CounterDecayMinIntervalLength,   500,                       \
  2445           "Min. ms. between invocation of CounterDecay")                    \
  2447   product(bool, AlwaysCompileLoopMethods, false,                            \
  2448           "when using recompilation, never interpret methods "              \
  2449           "containing loops")                                               \
  2451   product(bool, DontCompileHugeMethods, true,                               \
  2452           "don't compile methods > HugeMethodLimit")                        \
  2454   /* Bytecode escape analysis estimation. */                                \
  2455   product(bool, EstimateArgEscape, true,                                    \
  2456           "Analyze bytecodes to estimate escape state of arguments")        \
  2458   product(intx, BCEATraceLevel, 0,                                          \
  2459           "How much tracing to do of bytecode escape analysis estimates")   \
  2461   product(intx, MaxBCEAEstimateLevel, 5,                                    \
  2462           "Maximum number of nested calls that are analyzed by BC EA.")     \
  2464   product(intx, MaxBCEAEstimateSize, 150,                                   \
  2465           "Maximum bytecode size of a method to be analyzed by BC EA.")     \
  2467   product(intx,  AllocatePrefetchStyle, 1,                                  \
  2468           "0 = no prefetch, "                                               \
  2469           "1 = prefetch instructions for each allocation, "                 \
  2470           "2 = use TLAB watermark to gate allocation prefetch")             \
  2472   product(intx,  AllocatePrefetchDistance, -1,                              \
  2473           "Distance to prefetch ahead of allocation pointer")               \
  2475   product(intx,  AllocatePrefetchLines, 1,                                  \
  2476           "Number of lines to prefetch ahead of allocation pointer")        \
  2478   product(intx,  AllocatePrefetchStepSize, 16,                              \
  2479           "Step size in bytes of sequential prefetch instructions")         \
  2481   product(intx,  AllocatePrefetchInstr, 0,                                  \
  2482           "Prefetch instruction to prefetch ahead of allocation pointer")   \
  2484   product(intx,  ReadPrefetchInstr, 0,                                      \
  2485           "Prefetch instruction to prefetch ahead")                         \
  2487   /* deoptimization */                                                      \
  2488   develop(bool, TraceDeoptimization, false,                                 \
  2489           "Trace deoptimization")                                           \
  2491   develop(bool, DebugDeoptimization, false,                                 \
  2492           "Tracing various information while debugging deoptimization")     \
  2494   product(intx, SelfDestructTimer, 0,                                       \
  2495           "Will cause VM to terminate after a given time (in minutes) "     \
  2496           "(0 means off)")                                                  \
  2498   product(intx, MaxJavaStackTraceDepth, 1024,                               \
  2499           "Max. no. of lines in the stack trace for Java exceptions "       \
  2500           "(0 means all)")                                                  \
  2502   develop(intx, GuaranteedSafepointInterval, 1000,                          \
  2503           "Guarantee a safepoint (at least) every so many milliseconds "    \
  2504           "(0 means none)")                                                 \
  2506   product(intx, SafepointTimeoutDelay, 10000,                               \
  2507           "Delay in milliseconds for option SafepointTimeout")              \
  2509   product(intx, NmethodSweepFraction, 4,                                    \
  2510           "Number of invocations of sweeper to cover all nmethods")         \
  2512   notproduct(intx, MemProfilingInterval, 500,                               \
  2513           "Time between each invocation of the MemProfiler")                \
  2515   develop(intx, MallocCatchPtr, -1,                                         \
  2516           "Hit breakpoint when mallocing/freeing this pointer")             \
  2518   notproduct(intx, AssertRepeat, 1,                                         \
  2519           "number of times to evaluate expression in assert "               \
  2520           "(to estimate overhead); only works with -DUSE_REPEATED_ASSERTS") \
  2522   notproduct(ccstrlist, SuppressErrorAt, "",                                \
  2523           "List of assertions (file:line) to muzzle")                       \
  2525   notproduct(uintx, HandleAllocationLimit, 1024,                            \
  2526           "Threshold for HandleMark allocation when +TraceHandleAllocation "\
  2527           "is used")                                                        \
  2529   develop(uintx, TotalHandleAllocationLimit, 1024,                          \
  2530           "Threshold for total handle allocation when "                     \
  2531           "+TraceHandleAllocation is used")                                 \
  2533   develop(intx, StackPrintLimit, 100,                                       \
  2534           "number of stack frames to print in VM-level stack dump")         \
  2536   notproduct(intx, MaxElementPrintSize, 256,                                \
  2537           "maximum number of elements to print")                            \
  2539   notproduct(intx, MaxSubklassPrintSize, 4,                                 \
  2540           "maximum number of subklasses to print when printing klass")      \
  2542   develop(intx, MaxInlineLevel, 9,                                          \
  2543           "maximum number of nested calls that are inlined")                \
  2545   develop(intx, MaxRecursiveInlineLevel, 1,                                 \
  2546           "maximum number of nested recursive calls that are inlined")      \
  2548   develop(intx, InlineSmallCode, 1000,                                      \
  2549           "Only inline already compiled methods if their code size is "     \
  2550           "less than this")                                                 \
  2552   product(intx, MaxInlineSize, 35,                                          \
  2553           "maximum bytecode size of a method to be inlined")                \
  2555   product_pd(intx, FreqInlineSize,                                          \
  2556           "maximum bytecode size of a frequent method to be inlined")       \
  2558   develop(intx, MaxTrivialSize, 6,                                          \
  2559           "maximum bytecode size of a trivial method to be inlined")        \
  2561   develop(intx, MinInliningThreshold, 250,                                  \
  2562           "min. invocation count a method needs to have to be inlined")     \
  2564   develop(intx, AlignEntryCode, 4,                                          \
  2565           "aligns entry code to specified value (in bytes)")                \
  2567   develop(intx, MethodHistogramCutoff, 100,                                 \
  2568           "cutoff value for method invoc. histogram (+CountCalls)")         \
  2570   develop(intx, ProfilerNumberOfInterpretedMethods, 25,                     \
  2571           "# of interpreted methods to show in profile")                    \
  2573   develop(intx, ProfilerNumberOfCompiledMethods, 25,                        \
  2574           "# of compiled methods to show in profile")                       \
  2576   develop(intx, ProfilerNumberOfStubMethods, 25,                            \
  2577           "# of stub methods to show in profile")                           \
  2579   develop(intx, ProfilerNumberOfRuntimeStubNodes, 25,                       \
  2580           "# of runtime stub nodes to show in profile")                     \
  2582   product(intx, ProfileIntervalsTicks, 100,                                 \
  2583           "# of ticks between printing of interval profile "                \
  2584           "(+ProfileIntervals)")                                            \
  2586   notproduct(intx, ScavengeALotInterval,     1,                             \
  2587           "Interval between which scavenge will occur with +ScavengeALot")  \
  2589   notproduct(intx, FullGCALotInterval,     1,                               \
  2590           "Interval between which full gc will occur with +FullGCALot")     \
  2592   notproduct(intx, FullGCALotStart,     0,                                  \
  2593           "For which invocation to start FullGCAlot")                       \
  2595   notproduct(intx, FullGCALotDummies,  32*K,                                \
  2596           "Dummy object allocated with +FullGCALot, forcing all objects "   \
  2597           "to move")                                                        \
  2599   develop(intx, DontYieldALotInterval,    10,                               \
  2600           "Interval between which yields will be dropped (milliseconds)")   \
  2602   develop(intx, MinSleepInterval,     1,                                    \
  2603           "Minimum sleep() interval (milliseconds) when "                   \
  2604           "ConvertSleepToYield is off (used for SOLARIS)")                  \
  2606   product(intx, EventLogLength,  2000,                                      \
  2607           "maximum nof events in event log")                                \
  2609   develop(intx, ProfilerPCTickThreshold,    15,                             \
  2610           "Number of ticks in a PC buckets to be a hotspot")                \
  2612   notproduct(intx, DeoptimizeALotInterval,     5,                           \
  2613           "Number of exits until DeoptimizeALot kicks in")                  \
  2615   notproduct(intx, ZombieALotInterval,     5,                               \
  2616           "Number of exits until ZombieALot kicks in")                      \
  2618   develop(bool, StressNonEntrant, false,                                    \
  2619           "Mark nmethods non-entrant at registration")                      \
  2621   diagnostic(intx, MallocVerifyInterval,     0,                             \
  2622           "if non-zero, verify C heap after every N calls to "              \
  2623           "malloc/realloc/free")                                            \
  2625   diagnostic(intx, MallocVerifyStart,     0,                                \
  2626           "if non-zero, start verifying C heap after Nth call to "          \
  2627           "malloc/realloc/free")                                            \
  2629   product(intx, TypeProfileWidth,      2,                                   \
  2630           "number of receiver types to record in call/cast profile")        \
  2632   develop(intx, BciProfileWidth,      2,                                    \
  2633           "number of return bci's to record in ret profile")                \
  2635   product(intx, PerMethodRecompilationCutoff, 400,                          \
  2636           "After recompiling N times, stay in the interpreter (-1=>'Inf')") \
  2638   product(intx, PerBytecodeRecompilationCutoff, 100,                        \
  2639           "Per-BCI limit on repeated recompilation (-1=>'Inf')")            \
  2641   product(intx, PerMethodTrapLimit,  100,                                   \
  2642           "Limit on traps (of one kind) in a method (includes inlines)")    \
  2644   product(intx, PerBytecodeTrapLimit,  4,                                   \
  2645           "Limit on traps (of one kind) at a particular BCI")               \
  2647   develop(intx, FreqCountInvocations,  1,                                   \
  2648           "Scaling factor for branch frequencies (deprecated)")             \
  2650   develop(intx, InlineFrequencyRatio,    20,                                \
  2651           "Ratio of call site execution to caller method invocation")       \
  2653   develop_pd(intx, InlineFrequencyCount,                                    \
  2654           "Count of call site execution necessary to trigger frequent "     \
  2655           "inlining")                                                       \
  2657   develop(intx, InlineThrowCount,    50,                                    \
  2658           "Force inlining of interpreted methods that throw this often")    \
  2660   develop(intx, InlineThrowMaxSize,   200,                                  \
  2661           "Force inlining of throwing methods smaller than this")           \
  2663   product(intx, AliasLevel,     3,                                          \
  2664           "0 for no aliasing, 1 for oop/field/static/array split, "         \
  2665           "2 for class split, 3 for unique instances")                      \
  2667   develop(bool, VerifyAliases, false,                                       \
  2668           "perform extra checks on the results of alias analysis")          \
  2670   develop(intx, ProfilerNodeSize,  1024,                                    \
  2671           "Size in K to allocate for the Profile Nodes of each thread")     \
  2673   develop(intx, V8AtomicOperationUnderLockSpinCount,    50,                 \
  2674           "Number of times to spin wait on a v8 atomic operation lock")     \
  2676   product(intx, ReadSpinIterations,   100,                                  \
  2677           "Number of read attempts before a yield (spin inner loop)")       \
  2679   product_pd(intx, PreInflateSpin,                                          \
  2680           "Number of times to spin wait before inflation")                  \
  2682   product(intx, PreBlockSpin,    10,                                        \
  2683           "Number of times to spin in an inflated lock before going to "    \
  2684           "an OS lock")                                                     \
  2686   /* gc parameters */                                                       \
  2687   product(uintx, MaxHeapSize, ScaleForWordSize(64*M),                       \
  2688           "Default maximum size for object heap (in bytes)")                \
  2690   product_pd(uintx, NewSize,                                                \
  2691           "Default size of new generation (in bytes)")                      \
  2693   product(uintx, MaxNewSize, max_uintx,                                     \
  2694           "Maximum size of new generation (in bytes)")                      \
  2696   product(uintx, PretenureSizeThreshold, 0,                                 \
  2697           "Max size in bytes of objects allocated in DefNew generation")    \
  2699   product_pd(uintx, TLABSize,                                               \
  2700           "Default (or starting) size of TLAB (in bytes)")                  \
  2702   product(uintx, MinTLABSize, 2*K,                                          \
  2703           "Minimum allowed TLAB size (in bytes)")                           \
  2705   product(uintx, TLABAllocationWeight, 35,                                  \
  2706           "Allocation averaging weight")                                    \
  2708   product(uintx, TLABWasteTargetPercent, 1,                                 \
  2709           "Percentage of Eden that can be wasted")                          \
  2711   product(uintx, TLABRefillWasteFraction,    64,                            \
  2712           "Max TLAB waste at a refill (internal fragmentation)")            \
  2714   product(uintx, TLABWasteIncrement,    4,                                  \
  2715           "Increment allowed waste at slow allocation")                     \
  2717   product_pd(intx, SurvivorRatio,                                           \
  2718           "Ratio of eden/survivor space size")                              \
  2720   product_pd(intx, NewRatio,                                                \
  2721           "Ratio of new/old generation sizes")                              \
  2723   product(uintx, MaxLiveObjectEvacuationRatio, 100,                         \
  2724           "Max percent of eden objects that will be live at scavenge")      \
  2726   product_pd(uintx, NewSizeThreadIncrease,                                  \
  2727           "Additional size added to desired new generation size per "       \
  2728           "non-daemon thread (in bytes)")                                   \
  2730   product(uintx, OldSize, ScaleForWordSize(4096*K),                         \
  2731           "Default size of tenured generation (in bytes)")                  \
  2733   product_pd(uintx, PermSize,                                               \
  2734           "Default size of permanent generation (in bytes)")                \
  2736   product_pd(uintx, MaxPermSize,                                            \
  2737           "Maximum size of permanent generation (in bytes)")                \
  2739   product(uintx, MinHeapFreeRatio,    40,                                   \
  2740           "Min percentage of heap free after GC to avoid expansion")        \
  2742   product(uintx, MaxHeapFreeRatio,    70,                                   \
  2743           "Max percentage of heap free after GC to avoid shrinking")        \
  2745   product(intx, SoftRefLRUPolicyMSPerMB, 1000,                              \
  2746           "Number of milliseconds per MB of free space in the heap")        \
  2748   product(uintx, MinHeapDeltaBytes, ScaleForWordSize(128*K),                \
  2749           "Min change in heap space due to GC (in bytes)")                  \
  2751   product(uintx, MinPermHeapExpansion, ScaleForWordSize(256*K),             \
  2752           "Min expansion of permanent heap (in bytes)")                     \
  2754   product(uintx, MaxPermHeapExpansion, ScaleForWordSize(4*M),               \
  2755           "Max expansion of permanent heap without full GC (in bytes)")     \
  2757   product(intx, QueuedAllocationWarningCount, 0,                            \
  2758           "Number of times an allocation that queues behind a GC "          \
  2759           "will retry before printing a warning")                           \
  2761   diagnostic(uintx, VerifyGCStartAt,   0,                                   \
  2762           "GC invoke count where +VerifyBefore/AfterGC kicks in")           \
  2764   diagnostic(intx, VerifyGCLevel,     0,                                    \
  2765           "Generation level at which to start +VerifyBefore/AfterGC")       \
  2767   develop(uintx, ExitAfterGCNum,   0,                                       \
  2768           "If non-zero, exit after this GC.")                               \
  2770   product(intx, MaxTenuringThreshold,    15,                                \
  2771           "Maximum value for tenuring threshold")                           \
  2773   product(intx, InitialTenuringThreshold,     7,                            \
  2774           "Initial value for tenuring threshold")                           \
  2776   product(intx, TargetSurvivorRatio,    50,                                 \
  2777           "Desired percentage of survivor space used after scavenge")       \
  2779   product(intx, MarkSweepDeadRatio,     5,                                  \
  2780           "Percentage (0-100) of the old gen allowed as dead wood."         \
  2781           "Serial mark sweep treats this as both the min and max value."    \
  2782           "CMS uses this value only if it falls back to mark sweep."        \
  2783           "Par compact uses a variable scale based on the density of the"   \
  2784           "generation and treats this as the max value when the heap is"    \
  2785           "either completely full or completely empty.  Par compact also"   \
  2786           "has a smaller default value; see arguments.cpp.")                \
  2788   product(intx, PermMarkSweepDeadRatio,    20,                              \
  2789           "Percentage (0-100) of the perm gen allowed as dead wood."        \
  2790           "See MarkSweepDeadRatio for collector-specific comments.")        \
  2792   product(intx, MarkSweepAlwaysCompactCount,     4,                         \
  2793           "How often should we fully compact the heap (ignoring the dead "  \
  2794           "space parameters)")                                              \
  2796   product(intx, PrintCMSStatistics, 0,                                      \
  2797           "Statistics for CMS")                                             \
  2799   product(bool, PrintCMSInitiationStatistics, false,                        \
  2800           "Statistics for initiating a CMS collection")                     \
  2802   product(intx, PrintFLSStatistics, 0,                                      \
  2803           "Statistics for CMS' FreeListSpace")                              \
  2805   product(intx, PrintFLSCensus, 0,                                          \
  2806           "Census for CMS' FreeListSpace")                                  \
  2808   develop(uintx, GCExpandToAllocateDelayMillis, 0,                          \
  2809           "Delay in ms between expansion and allocation")                   \
  2811   product(intx, DeferThrSuspendLoopCount,     4000,                         \
  2812           "(Unstable) Number of times to iterate in safepoint loop "        \
  2813           " before blocking VM threads ")                                   \
  2815   product(intx, DeferPollingPageLoopCount,     -1,                          \
  2816           "(Unsafe,Unstable) Number of iterations in safepoint loop "       \
  2817           "before changing safepoint polling page to RO ")                  \
  2819   product(intx, SafepointSpinBeforeYield, 2000,  "(Unstable)")              \
  2821   product(bool, UseDepthFirstScavengeOrder, true,                           \
  2822           "true: the scavenge order will be depth-first, "                  \
  2823           "false: the scavenge order will be breadth-first")                \
  2825   product(bool, PSChunkLargeArrays, true,                                   \
  2826           "true: process large arrays in chunks")                           \
  2828   product(uintx, GCDrainStackTargetSize, 64,                                \
  2829           "how many entries we'll try to leave on the stack during "        \
  2830           "parallel GC")                                                    \
  2832   product(intx, DCQBarrierQueueBufferSize, 256,                             \
  2833           "Number of elements in a dirty card queue buffer")                \
  2835   product(intx, DCQBarrierProcessCompletedThreshold, 5,                     \
  2836           "Number of completed dirty card buffers to trigger processing.")  \
  2838   /* stack parameters */                                                    \
  2839   product_pd(intx, StackYellowPages,                                        \
  2840           "Number of yellow zone (recoverable overflows) pages")            \
  2842   product_pd(intx, StackRedPages,                                           \
  2843           "Number of red zone (unrecoverable overflows) pages")             \
  2845   product_pd(intx, StackShadowPages,                                        \
  2846           "Number of shadow zone (for overflow checking) pages"             \
  2847           " this should exceed the depth of the VM and native call stack")  \
  2849   product_pd(intx, ThreadStackSize,                                         \
  2850           "Thread Stack Size (in Kbytes)")                                  \
  2852   product_pd(intx, VMThreadStackSize,                                       \
  2853           "Non-Java Thread Stack Size (in Kbytes)")                         \
  2855   product_pd(intx, CompilerThreadStackSize,                                 \
  2856           "Compiler Thread Stack Size (in Kbytes)")                         \
  2858   develop_pd(uintx, JVMInvokeMethodSlack,                                   \
  2859           "Stack space (bytes) required for JVM_InvokeMethod to complete")  \
  2861   product(uintx, ThreadSafetyMargin, 50*M,                                  \
  2862           "Thread safety margin is used on fixed-stack LinuxThreads (on "   \
  2863           "Linux/x86 only) to prevent heap-stack collision. Set to 0 to "   \
  2864           "disable this feature")                                           \
  2866   /* code cache parameters */                                               \
  2867   develop(uintx, CodeCacheSegmentSize, 64,                                  \
  2868           "Code cache segment size (in bytes) - smallest unit of "          \
  2869           "allocation")                                                     \
  2871   develop_pd(intx, CodeEntryAlignment,                                      \
  2872           "Code entry alignment for generated code (in bytes)")             \
  2874   product_pd(uintx, InitialCodeCacheSize,                                   \
  2875           "Initial code cache size (in bytes)")                             \
  2877   product_pd(uintx, ReservedCodeCacheSize,                                  \
  2878           "Reserved code cache size (in bytes) - maximum code cache size")  \
  2880   product(uintx, CodeCacheMinimumFreeSpace, 500*K,                          \
  2881           "When less than X space left, we stop compiling.")                \
  2883   product_pd(uintx, CodeCacheExpansionSize,                                 \
  2884           "Code cache expansion size (in bytes)")                           \
  2886   develop_pd(uintx, CodeCacheMinBlockLength,                                \
  2887           "Minimum number of segments in a code cache block.")              \
  2889   notproduct(bool, ExitOnFullCodeCache, false,                              \
  2890           "Exit the VM if we fill the code cache.")                         \
  2892   /* interpreter debugging */                                               \
  2893   develop(intx, BinarySwitchThreshold, 5,                                   \
  2894           "Minimal number of lookupswitch entries for rewriting to binary " \
  2895           "switch")                                                         \
  2897   develop(intx, StopInterpreterAt, 0,                                       \
  2898           "Stops interpreter execution at specified bytecode number")       \
  2900   develop(intx, TraceBytecodesAt, 0,                                        \
  2901           "Traces bytecodes starting with specified bytecode number")       \
  2903   /* compiler interface */                                                  \
  2904   develop(intx, CIStart, 0,                                                 \
  2905           "the id of the first compilation to permit")                      \
  2907   develop(intx, CIStop,    -1,                                              \
  2908           "the id of the last compilation to permit")                       \
  2910   develop(intx, CIStartOSR,     0,                                          \
  2911           "the id of the first osr compilation to permit "                  \
  2912           "(CICountOSR must be on)")                                        \
  2914   develop(intx, CIStopOSR,    -1,                                           \
  2915           "the id of the last osr compilation to permit "                   \
  2916           "(CICountOSR must be on)")                                        \
  2918   develop(intx, CIBreakAtOSR,    -1,                                        \
  2919           "id of osr compilation to break at")                              \
  2921   develop(intx, CIBreakAt,    -1,                                           \
  2922           "id of compilation to break at")                                  \
  2924   product(ccstrlist, CompileOnly, "",                                       \
  2925           "List of methods (pkg/class.name) to restrict compilation to")    \
  2927   product(ccstr, CompileCommandFile, NULL,                                  \
  2928           "Read compiler commands from this file [.hotspot_compiler]")      \
  2930   product(ccstrlist, CompileCommand, "",                                    \
  2931           "Prepend to .hotspot_compiler; e.g. log,java/lang/String.<init>") \
  2933   product(bool, CICompilerCountPerCPU, false,                               \
  2934           "1 compiler thread for log(N CPUs)")                              \
  2936   develop(intx, CIFireOOMAt,    -1,                                         \
  2937           "Fire OutOfMemoryErrors throughout CI for testing the compiler "  \
  2938           "(non-negative value throws OOM after this many CI accesses "     \
  2939           "in each compile)")                                               \
  2941   develop(intx, CIFireOOMAtDelay, -1,                                       \
  2942           "Wait for this many CI accesses to occur in all compiles before " \
  2943           "beginning to throw OutOfMemoryErrors in each compile")           \
  2945   /* Priorities */                                                          \
  2946   product_pd(bool, UseThreadPriorities,  "Use native thread priorities")    \
  2948   product(intx, ThreadPriorityPolicy, 0,                                    \
  2949           "0 : Normal.                                                     "\
  2950           "    VM chooses priorities that are appropriate for normal       "\
  2951           "    applications. On Solaris NORM_PRIORITY and above are mapped "\
  2952           "    to normal native priority. Java priorities below NORM_PRIORITY"\
  2953           "    map to lower native priority values. On Windows applications"\
  2954           "    are allowed to use higher native priorities. However, with  "\
  2955           "    ThreadPriorityPolicy=0, VM will not use the highest possible"\
  2956           "    native priority, THREAD_PRIORITY_TIME_CRITICAL, as it may   "\
  2957           "    interfere with system threads. On Linux thread priorities   "\
  2958           "    are ignored because the OS does not support static priority "\
  2959           "    in SCHED_OTHER scheduling class which is the only choice for"\
  2960           "    non-root, non-realtime applications.                        "\
  2961           "1 : Aggressive.                                                 "\
  2962           "    Java thread priorities map over to the entire range of      "\
  2963           "    native thread priorities. Higher Java thread priorities map "\
  2964           "    to higher native thread priorities. This policy should be   "\
  2965           "    used with care, as sometimes it can cause performance       "\
  2966           "    degradation in the application and/or the entire system. On "\
  2967           "    Linux this policy requires root privilege.")                 \
  2969   product(bool, ThreadPriorityVerbose, false,                               \
  2970           "print priority changes")                                         \
  2972   product(intx, DefaultThreadPriority, -1,                                  \
  2973           "what native priority threads run at if not specified elsewhere (-1 means no change)") \
  2975   product(intx, CompilerThreadPriority, -1,                                 \
  2976           "what priority should compiler threads run at (-1 means no change)") \
  2978   product(intx, VMThreadPriority, -1,                                       \
  2979           "what priority should VM threads run at (-1 means no change)")    \
  2981   product(bool, CompilerThreadHintNoPreempt, true,                          \
  2982           "(Solaris only) Give compiler threads an extra quanta")           \
  2984   product(bool, VMThreadHintNoPreempt, false,                               \
  2985           "(Solaris only) Give VM thread an extra quanta")                  \
  2987   product(intx, JavaPriority1_To_OSPriority, -1, "Map Java priorities to OS priorities") \
  2988   product(intx, JavaPriority2_To_OSPriority, -1, "Map Java priorities to OS priorities") \
  2989   product(intx, JavaPriority3_To_OSPriority, -1, "Map Java priorities to OS priorities") \
  2990   product(intx, JavaPriority4_To_OSPriority, -1, "Map Java priorities to OS priorities") \
  2991   product(intx, JavaPriority5_To_OSPriority, -1, "Map Java priorities to OS priorities") \
  2992   product(intx, JavaPriority6_To_OSPriority, -1, "Map Java priorities to OS priorities") \
  2993   product(intx, JavaPriority7_To_OSPriority, -1, "Map Java priorities to OS priorities") \
  2994   product(intx, JavaPriority8_To_OSPriority, -1, "Map Java priorities to OS priorities") \
  2995   product(intx, JavaPriority9_To_OSPriority, -1, "Map Java priorities to OS priorities") \
  2996   product(intx, JavaPriority10_To_OSPriority,-1, "Map Java priorities to OS priorities") \
  2998   /* compiler debugging */                                                  \
  2999   notproduct(intx, CompileTheWorldStartAt,     1,                           \
  3000           "First class to consider when using +CompileTheWorld")            \
  3002   notproduct(intx, CompileTheWorldStopAt, max_jint,                         \
  3003           "Last class to consider when using +CompileTheWorld")             \
  3005   develop(intx, NewCodeParameter,      0,                                   \
  3006           "Testing Only: Create a dedicated integer parameter before "      \
  3007           "putback")                                                        \
  3009   /* new oopmap storage allocation */                                       \
  3010   develop(intx, MinOopMapAllocation,     8,                                 \
  3011           "Minimum number of OopMap entries in an OopMapSet")               \
  3013   /* Background Compilation */                                              \
  3014   develop(intx, LongCompileThreshold,     50,                               \
  3015           "Used with +TraceLongCompiles")                                   \
  3017   product(intx, StarvationMonitorInterval,    200,                          \
  3018           "Pause between each check in ms")                                 \
  3020   /* recompilation */                                                       \
  3021   product_pd(intx, CompileThreshold,                                        \
  3022           "number of interpreted method invocations before (re-)compiling") \
  3024   product_pd(intx, BackEdgeThreshold,                                       \
  3025           "Interpreter Back edge threshold at which an OSR compilation is invoked")\
  3027   product(intx, Tier1BytecodeLimit,      10,                                \
  3028           "Must have at least this many bytecodes before tier1"             \
  3029           "invocation counters are used")                                   \
  3031   product_pd(intx, Tier2CompileThreshold,                                   \
  3032           "threshold at which a tier 2 compilation is invoked")             \
  3034   product_pd(intx, Tier2BackEdgeThreshold,                                  \
  3035           "Back edge threshold at which a tier 2 compilation is invoked")   \
  3037   product_pd(intx, Tier3CompileThreshold,                                   \
  3038           "threshold at which a tier 3 compilation is invoked")             \
  3040   product_pd(intx, Tier3BackEdgeThreshold,                                  \
  3041           "Back edge threshold at which a tier 3 compilation is invoked")   \
  3043   product_pd(intx, Tier4CompileThreshold,                                   \
  3044           "threshold at which a tier 4 compilation is invoked")             \
  3046   product_pd(intx, Tier4BackEdgeThreshold,                                  \
  3047           "Back edge threshold at which a tier 4 compilation is invoked")   \
  3049   product_pd(bool, TieredCompilation,                                       \
  3050           "Enable two-tier compilation")                                    \
  3052   product(bool, StressTieredRuntime, false,                                 \
  3053           "Alternate client and server compiler on compile requests")       \
  3055   product_pd(intx, OnStackReplacePercentage,                                \
  3056           "NON_TIERED number of method invocations/branches (expressed as %"\
  3057           "of CompileThreshold) before (re-)compiling OSR code")            \
  3059   product(intx, InterpreterProfilePercentage, 33,                           \
  3060           "NON_TIERED number of method invocations/branches (expressed as %"\
  3061           "of CompileThreshold) before profiling in the interpreter")       \
  3063   develop(intx, MaxRecompilationSearchLength,    10,                        \
  3064           "max. # frames to inspect searching for recompilee")              \
  3066   develop(intx, MaxInterpretedSearchLength,     3,                          \
  3067           "max. # interp. frames to skip when searching for recompilee")    \
  3069   develop(intx, DesiredMethodLimit,  8000,                                  \
  3070           "desired max. method size (in bytecodes) after inlining")         \
  3072   develop(intx, HugeMethodLimit,  8000,                                     \
  3073           "don't compile methods larger than this if "                      \
  3074           "+DontCompileHugeMethods")                                        \
  3076   /* New JDK 1.4 reflection implementation */                               \
  3078   develop(bool, UseNewReflection, true,                                     \
  3079           "Temporary flag for transition to reflection based on dynamic "   \
  3080           "bytecode generation in 1.4; can no longer be turned off in 1.4 " \
  3081           "JDK, and is unneeded in 1.3 JDK, but marks most places VM "      \
  3082           "changes were needed")                                            \
  3084   develop(bool, VerifyReflectionBytecodes, false,                           \
  3085           "Force verification of 1.4 reflection bytecodes. Does not work "  \
  3086           "in situations like that described in 4486457 or for "            \
  3087           "constructors generated for serialization, so can not be enabled "\
  3088           "in product.")                                                    \
  3090   product(bool, ReflectionWrapResolutionErrors, true,                       \
  3091           "Temporary flag for transition to AbstractMethodError wrapped "   \
  3092           "in InvocationTargetException. See 6531596")                      \
  3095   develop(intx, FastSuperclassLimit, 8,                                     \
  3096           "Depth of hardwired instanceof accelerator array")                \
  3098   /* Properties for Java libraries  */                                      \
  3100   product(intx, MaxDirectMemorySize, -1,                                    \
  3101           "Maximum total size of NIO direct-buffer allocations")            \
  3103   /* temporary developer defined flags  */                                  \
  3105   diagnostic(bool, UseNewCode, false,                                       \
  3106           "Testing Only: Use the new version while testing")                \
  3108   diagnostic(bool, UseNewCode2, false,                                      \
  3109           "Testing Only: Use the new version while testing")                \
  3111   diagnostic(bool, UseNewCode3, false,                                      \
  3112           "Testing Only: Use the new version while testing")                \
  3114   /* flags for performance data collection */                               \
  3116   product(bool, UsePerfData, true,                                          \
  3117           "Flag to disable jvmstat instrumentation for performance testing" \
  3118           "and problem isolation purposes.")                                \
  3120   product(bool, PerfDataSaveToFile, false,                                  \
  3121           "Save PerfData memory to hsperfdata_<pid> file on exit")          \
  3123   product(ccstr, PerfDataSaveFile, NULL,                                    \
  3124           "Save PerfData memory to the specified absolute pathname,"        \
  3125            "%p in the file name if present will be replaced by pid")        \
  3127   product(intx, PerfDataSamplingInterval, 50 /*ms*/,                        \
  3128           "Data sampling interval in milliseconds")                         \
  3130   develop(bool, PerfTraceDataCreation, false,                               \
  3131           "Trace creation of Performance Data Entries")                     \
  3133   develop(bool, PerfTraceMemOps, false,                                     \
  3134           "Trace PerfMemory create/attach/detach calls")                    \
  3136   product(bool, PerfDisableSharedMem, false,                                \
  3137           "Store performance data in standard memory")                      \
  3139   product(intx, PerfDataMemorySize, 32*K,                                   \
  3140           "Size of performance data memory region. Will be rounded "        \
  3141           "up to a multiple of the native os page size.")                   \
  3143   product(intx, PerfMaxStringConstLength, 1024,                             \
  3144           "Maximum PerfStringConstant string length before truncation")     \
  3146   product(bool, PerfAllowAtExitRegistration, false,                         \
  3147           "Allow registration of atexit() methods")                         \
  3149   product(bool, PerfBypassFileSystemCheck, false,                           \
  3150           "Bypass Win32 file system criteria checks (Windows Only)")        \
  3152   product(intx, UnguardOnExecutionViolation, 0,                             \
  3153           "Unguard page and retry on no-execute fault (Win32 only)"         \
  3154           "0=off, 1=conservative, 2=aggressive")                            \
  3156   /* Serviceability Support */                                              \
  3158   product(bool, ManagementServer, false,                                    \
  3159           "Create JMX Management Server")                                   \
  3161   product(bool, DisableAttachMechanism, false,                              \
  3162          "Disable mechanism that allows tools to attach to this VM")        \
  3164   product(bool, StartAttachListener, false,                                 \
  3165           "Always start Attach Listener at VM startup")                     \
  3167   manageable(bool, PrintConcurrentLocks, false,                             \
  3168           "Print java.util.concurrent locks in thread dump")                \
  3170   /* Shared spaces */                                                       \
  3172   product(bool, UseSharedSpaces, true,                                      \
  3173           "Use shared spaces in the permanent generation")                  \
  3175   product(bool, RequireSharedSpaces, false,                                 \
  3176           "Require shared spaces in the permanent generation")              \
  3178   product(bool, ForceSharedSpaces, false,                                   \
  3179           "Require shared spaces in the permanent generation")              \
  3181   product(bool, DumpSharedSpaces, false,                                    \
  3182            "Special mode: JVM reads a class list, loads classes, builds "   \
  3183             "shared spaces, and dumps the shared spaces to a file to be "   \
  3184             "used in future JVM runs.")                                     \
  3186   product(bool, PrintSharedSpaces, false,                                   \
  3187           "Print usage of shared spaces")                                   \
  3189   product(uintx, SharedDummyBlockSize, 512*M,                               \
  3190           "Size of dummy block used to shift heap addresses (in bytes)")    \
  3192   product(uintx, SharedReadWriteSize,  12*M,                                \
  3193           "Size of read-write space in permanent generation (in bytes)")    \
  3195   product(uintx, SharedReadOnlySize,    8*M,                                \
  3196           "Size of read-only space in permanent generation (in bytes)")     \
  3198   product(uintx, SharedMiscDataSize,    4*M,                                \
  3199           "Size of the shared data area adjacent to the heap (in bytes)")   \
  3201   product(uintx, SharedMiscCodeSize,    4*M,                                \
  3202           "Size of the shared code area adjacent to the heap (in bytes)")   \
  3204   diagnostic(bool, SharedOptimizeColdStart, true,                           \
  3205           "At dump time, order shared objects to achieve better "           \
  3206           "cold startup time.")                                             \
  3208   develop(intx, SharedOptimizeColdStartPolicy, 2,                           \
  3209           "Reordering policy for SharedOptimizeColdStart "                  \
  3210           "0=favor classload-time locality, 1=balanced, "                   \
  3211           "2=favor runtime locality")                                       \
  3213   diagnostic(bool, SharedSkipVerify, false,                                 \
  3214           "Skip assert() and verify() which page-in unwanted shared "       \
  3215           "objects. ")                                                      \
  3217   product(bool, TaggedStackInterpreter, false,                              \
  3218           "Insert tags in interpreter execution stack for oopmap generaion")\
  3220   diagnostic(bool, PauseAtStartup,      false,                              \
  3221           "Causes the VM to pause at startup time and wait for the pause "  \
  3222           "file to be removed (default: ./vm.paused.<pid>)")                \
  3224   diagnostic(ccstr, PauseAtStartupFile, NULL,                               \
  3225           "The file to create and for whose removal to await when pausing " \
  3226           "at startup. (default: ./vm.paused.<pid>)")                       \
  3228   product(bool, ExtendedDTraceProbes,    false,                             \
  3229           "Enable performance-impacting dtrace probes")                     \
  3231   product(bool, DTraceMethodProbes, false,                                  \
  3232           "Enable dtrace probes for method-entry and method-exit")          \
  3234   product(bool, DTraceAllocProbes, false,                                   \
  3235           "Enable dtrace probes for object allocation")                     \
  3237   product(bool, DTraceMonitorProbes, false,                                 \
  3238           "Enable dtrace probes for monitor events")                        \
  3240   product(bool, RelaxAccessControlCheck, false,                             \
  3241           "Relax the access control checks in the verifier")                \
  3243   diagnostic(bool, PrintDTraceDOF, false,                                   \
  3244              "Print the DTrace DOF passed to the system for JSDT probes")   \
  3246   product(bool, UseVMInterruptibleIO, true,                                 \
  3247           "(Unstable, Solaris-specific) Thread interrupt before or with "   \
  3248           "EINTR for I/O operations results in OS_INTRPT")
  3251 /*
  3252  *  Macros for factoring of globals
  3253  */
  3255 // Interface macros
  3256 #define DECLARE_PRODUCT_FLAG(type, name, value, doc)    extern "C" type name;
  3257 #define DECLARE_PD_PRODUCT_FLAG(type, name, doc)        extern "C" type name;
  3258 #define DECLARE_DIAGNOSTIC_FLAG(type, name, value, doc) extern "C" type name;
  3259 #define DECLARE_EXPERIMENTAL_FLAG(type, name, value, doc) extern "C" type name;
  3260 #define DECLARE_MANAGEABLE_FLAG(type, name, value, doc) extern "C" type name;
  3261 #define DECLARE_PRODUCT_RW_FLAG(type, name, value, doc) extern "C" type name;
  3262 #ifdef PRODUCT
  3263 #define DECLARE_DEVELOPER_FLAG(type, name, value, doc)  const type name = value;
  3264 #define DECLARE_PD_DEVELOPER_FLAG(type, name, doc)      const type name = pd_##name;
  3265 #define DECLARE_NOTPRODUCT_FLAG(type, name, value, doc)
  3266 #else
  3267 #define DECLARE_DEVELOPER_FLAG(type, name, value, doc)  extern "C" type name;
  3268 #define DECLARE_PD_DEVELOPER_FLAG(type, name, doc)      extern "C" type name;
  3269 #define DECLARE_NOTPRODUCT_FLAG(type, name, value, doc)  extern "C" type name;
  3270 #endif
  3271 // Special LP64 flags, product only needed for now.
  3272 #ifdef _LP64
  3273 #define DECLARE_LP64_PRODUCT_FLAG(type, name, value, doc) extern "C" type name;
  3274 #else
  3275 #define DECLARE_LP64_PRODUCT_FLAG(type, name, value, doc) const type name = value;
  3276 #endif // _LP64
  3278 // Implementation macros
  3279 #define MATERIALIZE_PRODUCT_FLAG(type, name, value, doc)   type name = value;
  3280 #define MATERIALIZE_PD_PRODUCT_FLAG(type, name, doc)       type name = pd_##name;
  3281 #define MATERIALIZE_DIAGNOSTIC_FLAG(type, name, value, doc) type name = value;
  3282 #define MATERIALIZE_EXPERIMENTAL_FLAG(type, name, value, doc) type name = value;
  3283 #define MATERIALIZE_MANAGEABLE_FLAG(type, name, value, doc) type name = value;
  3284 #define MATERIALIZE_PRODUCT_RW_FLAG(type, name, value, doc) type name = value;
  3285 #ifdef PRODUCT
  3286 #define MATERIALIZE_DEVELOPER_FLAG(type, name, value, doc) /* flag name is constant */
  3287 #define MATERIALIZE_PD_DEVELOPER_FLAG(type, name, doc)     /* flag name is constant */
  3288 #define MATERIALIZE_NOTPRODUCT_FLAG(type, name, value, doc)
  3289 #else
  3290 #define MATERIALIZE_DEVELOPER_FLAG(type, name, value, doc) type name = value;
  3291 #define MATERIALIZE_PD_DEVELOPER_FLAG(type, name, doc)     type name = pd_##name;
  3292 #define MATERIALIZE_NOTPRODUCT_FLAG(type, name, value, doc) type name = value;
  3293 #endif
  3294 #ifdef _LP64
  3295 #define MATERIALIZE_LP64_PRODUCT_FLAG(type, name, value, doc)   type name = value;
  3296 #else
  3297 #define MATERIALIZE_LP64_PRODUCT_FLAG(type, name, value, doc) /* flag is constant */
  3298 #endif // _LP64
  3300 RUNTIME_FLAGS(DECLARE_DEVELOPER_FLAG, DECLARE_PD_DEVELOPER_FLAG, DECLARE_PRODUCT_FLAG, DECLARE_PD_PRODUCT_FLAG, DECLARE_DIAGNOSTIC_FLAG, DECLARE_EXPERIMENTAL_FLAG, DECLARE_NOTPRODUCT_FLAG, DECLARE_MANAGEABLE_FLAG, DECLARE_PRODUCT_RW_FLAG, DECLARE_LP64_PRODUCT_FLAG)
  3302 RUNTIME_OS_FLAGS(DECLARE_DEVELOPER_FLAG, DECLARE_PD_DEVELOPER_FLAG, DECLARE_PRODUCT_FLAG, DECLARE_PD_PRODUCT_FLAG, DECLARE_DIAGNOSTIC_FLAG, DECLARE_NOTPRODUCT_FLAG)

mercurial