# -*- sh -*- (Bash only)
#
# Copyright 2018 The Bazel Authors. All rights reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
#    http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.

# Bash completion of Bazel commands.
#
# Provides command-completion for:
# - bazel prefix options (e.g. --host_jvm_args)
# - blaze command-set (e.g. build, test)
# - blaze command-specific options (e.g. --copts)
# - values for enum-valued options
# - package-names, exploring all package-path roots.
# - targets within packages.

# Environment variables for customizing behavior:
#
# BAZEL_COMPLETION_USE_QUERY - if "true", `bazel query` will be used for
# autocompletion; otherwise, a heuristic grep is used. This is more accurate
# than the heuristic grep, especially for strangely-formatted BUILD files. But
# it can be slower, especially if the Bazel server is busy, and more brittle, if
# the BUILD file contains serious errors. This is an experimental feature.
#
# BAZEL_COMPLETION_ALLOW_TESTS_FOR_RUN - if "true", autocompletion results for
# `bazel run` includes test targets. This is convenient for users who run a lot
# of tests/benchmarks locally with 'bazel run'.

_bazel_completion_use_query() {
  _bazel__is_true "${BAZEL_COMPLETION_USE_QUERY-}"
}

_bazel_completion_allow_tests_for_run() {
  _bazel__is_true "${BAZEL_COMPLETION_ALLOW_TESTS_FOR_RUN-}"
}
# -*- sh -*- (Bash only)
#
# Copyright 2015 The Bazel Authors. All rights reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
#    http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.

# The template is expanded at build time using tables of commands/options
# derived from the bazel executable built in the same client; the expansion is
# written to bazel-complete.bash.
#
# Don't use this script directly. Generate the final script with
# bazel build //scripts:bash_completion instead.

# This script expects a header to be prepended to it that defines the following
# nullary functions:
#
# _bazel_completion_use_query - Has a successful exit code if
# BAZEL_COMPLETION_USE_QUERY is "true".
#
# _bazel_completion_allow_tests_for_run - Has a successful exit code if
# BAZEL_COMPLETION_ALLOW_TESTS_FOR_RUN is "true".

# The package path used by the completion routines.  Unfortunately
# this isn't necessarily the same as the actual package path used by
# Bazel, but that's ok.  (It's impossible for us to reliably know what
# the relevant package-path, so this is just a good guess.  Users can
# override it if they want.)
: ${BAZEL_COMPLETION_PACKAGE_PATH:=%workspace%}

# Some commands might interfer with the important one, so don't complete them
: ${BAZEL_IGNORED_COMMAND_REGEX:="__none__"}

# bazel & ibazel commands
: ${BAZEL:=bazel}
: ${IBAZEL:=ibazel}

# Pattern to match for looking for a target
#  BAZEL_BUILD_MATCH_PATTERN__* give the pattern for label-*
#  when looking in the build file.
#  BAZEL_QUERY_MATCH_PATTERN__* give the pattern for label-*
#  when using 'bazel query'.
# _RUNTEST is a special case for _bazel_completion_allow_tests_for_run.
: ${BAZEL_BUILD_MATCH_PATTERN__test:='(.*_test|test_suite)'}
: ${BAZEL_QUERY_MATCH_PATTERN__test:='(test|test_suite)'}
: ${BAZEL_BUILD_MATCH_PATTERN__bin:='.*_binary'}
: ${BAZEL_QUERY_MATCH_PATTERN__bin:='(binary)'}
: ${BAZEL_BUILD_MATCH_PATTERN_RUNTEST__bin:='(.*_(binary|test)|test_suite)'}
: ${BAZEL_QUERY_MATCH_PATTERN_RUNTEST__bin:='(binary|test)'}
: ${BAZEL_BUILD_MATCH_PATTERN__:='.*'}
: ${BAZEL_QUERY_MATCH_PATTERN__:=''}

# Usage: _bazel__get_rule_match_pattern <command>
# Determine what kind of rules to match, based on command.
_bazel__get_rule_match_pattern() {
  local var_name pattern
  if _bazel_completion_use_query; then
    var_name="BAZEL_QUERY_MATCH_PATTERN"
  else
    var_name="BAZEL_BUILD_MATCH_PATTERN"
  fi
  if [[ "$1" =~ ^label-?([a-z]*)$ ]]; then
    pattern=${BASH_REMATCH[1]:-}
    if _bazel_completion_allow_tests_for_run; then
      eval "echo \"\${${var_name}_RUNTEST__${pattern}:-\$${var_name}__${pattern}}\""
    else
      eval "echo \"\$${var_name}__${pattern}\""
    fi
  fi
}

# Compute workspace directory. Search for the innermost
# enclosing directory with a boundary file (see
# src/main/cpp/workspace_layout.cc).
_bazel__get_workspace_path() {
  local workspace=$PWD
  while true; do
    if [ -f "${workspace}/WORKSPACE" ] || \
       [ -f "${workspace}/WORKSPACE.bazel" ] || \
       [ -f "${workspace}/MODULE.bazel" ] || \
       [ -f "${workspace}/REPO.bazel" ]; then
      break
    elif [ -z "$workspace" ] || [ "$workspace" = "/" ]; then
      workspace=$PWD
      break;
    fi
    workspace=${workspace%/*}
  done
  echo $workspace
}

# Find the current piece of the line to complete, but only do word breaks at
# certain characters. In particular, ignore these: "':=@
# This method also takes into account the current cursor position.
#
# Works with both bash 3 and 4! Bash 3 and 4 perform different word breaks when
# computing the COMP_WORDS array. We need this here because Bazel options are of
# the form --a=b, and labels of the form //some/label:target.
_bazel__get_cword() {
  local cur=${COMP_LINE:0:$COMP_POINT}
  # This expression finds the last word break character, as defined in the
  # COMP_WORDBREAKS variable, but without '@', '=' or ':', which is not
  # preceded by a slash. Quote characters are also excluded.
  local wordbreaks="$COMP_WORDBREAKS"
  wordbreaks="${wordbreaks//\'/}"
  wordbreaks="${wordbreaks//\"/}"
  wordbreaks="${wordbreaks//:/}"
  wordbreaks="${wordbreaks//=/}"
  wordbreaks="${wordbreaks//@/}"
  local word_start=$(expr "$cur" : '.*[^\]['"${wordbreaks}"']')
  echo "${cur:$word_start}"
}


# Usage: _bazel__package_path <workspace> <displacement>
#
# Prints a list of package-path root directories, displaced using the
# current displacement from the workspace.  All elements have a
# trailing slash.
_bazel__package_path() {
  local workspace=$1 displacement=$2 root
  IFS=:
  for root in ${BAZEL_COMPLETION_PACKAGE_PATH//\%workspace\%/$workspace}; do
    unset IFS
    echo "$root/$displacement"
  done
}

# Usage: _bazel__options_for <command>
#
# Prints the set of options for a given Bazel command, e.g. "build".
_bazel__options_for() {
  local options
  if [[ "${BAZEL_COMMAND_LIST}" =~ ^(.* )?$1( .*)?$ ]]; then
      # assumes option names only use ASCII characters
      local option_name=$(echo $1 | tr a-z A-Z | tr "-" "_")
      eval "echo \${BAZEL_COMMAND_${option_name}_FLAGS}" | tr " " "\n"
  fi
}
# Usage: _bazel__expansion_for <command>
#
# Prints the completion pattern for a given Bazel command, e.g. "build".
_bazel__expansion_for() {
  local options
  if [[ "${BAZEL_COMMAND_LIST}" =~ ^(.* )?$1( .*)?$ ]]; then
      # assumes option names only use ASCII characters
      local option_name=$(echo $1 | tr a-z A-Z | tr "-" "_")
      eval "echo \${BAZEL_COMMAND_${option_name}_ARGUMENT}"
  fi
}

# Usage: _bazel__matching_targets <kind> <prefix>
#
# Prints target names of kind <kind> and starting with <prefix> in the BUILD
# file given as standard input.  <kind> is a basic regex (BRE) used to match the
# bazel rule kind and <prefix> is the prefix of the target name.
_bazel__matching_targets() {
  local kind_pattern="$1"
  local target_prefix="$2"
  # The following commands do respectively:
  #   Remove BUILD file comments
  #   Replace \n by spaces to have the BUILD file in a single line
  #   Extract all rule types and target names
  #   Grep the kind pattern and the target prefix
  #   Returns the target name
  sed 's/#.*$//' \
      | tr "\n" " " \
      | sed 's/\([a-zA-Z0-9_]*\) *(\([^)]* \)\{0,1\}name *= *['\''"]\([a-zA-Z0-9_/.+=,@~-]*\)['\''"][^)]*)/\
type:\1 name:\3\
/g' \
      | "grep" -E "^type:$kind_pattern name:$target_prefix" \
      | cut -d ':' -f 3
}


# Usage: _bazel__is_true <string>
#
# Returns true or false based on the input string. The following are
# valid true values (the rest are false): "1", "true".
_bazel__is_true() {
  local str="$1"
  [[ "$str" == "1" || "$str" == "true" ]]
}

# Usage: _bazel__expand_rules_in_package <workspace> <displacement>
#                                        <current> <label-type>
#
# Expands rules in specified packages, exploring all roots of
# $BAZEL_COMPLETION_PACKAGE_PATH, not just $(pwd).  Only rules
# appropriate to the command are printed.  Sets $COMPREPLY array to
# result.
#
# If _bazel_completion_use_query has a successful exit code, 'bazel query' is
# used instead, with the actual Bazel package path;
# $BAZEL_COMPLETION_PACKAGE_PATH is ignored in this case, since the actual Bazel
# value is likely to be more accurate.
_bazel__expand_rules_in_package() {
  local workspace=$1 displacement=$2 current=$3 label_type=$4
  local package_name=$(echo "$current" | cut -f1 -d:)
  local rule_prefix=$(echo "$current" | cut -f2 -d:)
  local root buildfile rule_pattern r result

  result=
  pattern=$(_bazel__get_rule_match_pattern "$label_type")
  if _bazel_completion_use_query; then
    package_name=$(echo "$package_name" | tr -d "'\"") # remove quotes
    result=$(${BAZEL} --output_base=/tmp/${BAZEL}-completion-$USER query \
                   --keep_going --noshow_progress --output=label \
      "kind('$pattern rule', '$package_name:*')" 2>/dev/null |
      cut -f2 -d: | "grep" "^$rule_prefix")
  else
    for root in $(_bazel__package_path "$workspace" "$displacement"); do
      buildfile="$root/$package_name/BUILD.bazel"
      if [ ! -f "$buildfile" ]; then
        buildfile="$root/$package_name/BUILD"
      fi
      if [ -f "$buildfile" ]; then
        result=$(_bazel__matching_targets \
                   "$pattern" "$rule_prefix" <"$buildfile")
        break
      fi
    done
  fi

  index=$(echo $result | wc -w)
  if [ -n "$result" ]; then
      echo "$result" | tr " " "\n" | sed 's|$| |'
  fi
  # Include ":all" wildcard if there was no unique match.  (The zero
  # case is tricky: we need to include "all" in that case since
  # otherwise we won't expand "a" to "all" in the absence of rules
  # starting with "a".)
  if [ $index -ne 1 ] && expr all : "\\($rule_prefix\\)" >/dev/null; then
    echo "all "
  fi
}

# Usage: _bazel__expand_package_name <workspace> <displacement> <current-word>
#                                    <label-type>
#
# Expands directories, but explores all roots of
# BAZEL_COMPLETION_PACKAGE_PATH, not just $(pwd).  When a directory is
# a bazel package, the completion offers "pkg:" so you can expand
# inside the package.
# Sets $COMPREPLY array to result.
_bazel__expand_package_name() {
  local workspace=$1 displacement=$2 current=$3 type=${4:-} root dir index
  for root in $(_bazel__package_path "$workspace" "$displacement"); do
    found=0
    for dir in $(compgen -d $root$current); do
      [ -L "$dir" ] && continue  # skip symlinks (e.g. bazel-bin)
      [[ "$dir" =~ ^(.*/)?\.[^/]*$ ]] && continue  # skip dotted dir (e.g. .git)
      found=1
      echo "${dir#$root}/"
      if [ -f $dir/BUILD.bazel -o -f $dir/BUILD ]; then
        if [ "${type}" = "label-package" ]; then
          echo "${dir#$root} "
        else
          echo "${dir#$root}:"
        fi
      fi
    done
    # The loop over the compgen -d output above does not include the top-level
    # package.
    if [ -f $root$current/BUILD.bazel -o -f $root$current/BUILD ]; then
      found=1
      if [ "${type}" != "label-package" ]; then
        echo "${current}:"
      fi
    fi
    [ $found -gt 0 ] && break  # Stop searching package path upon first match.
  done
}

# Usage: _bazel__filter_repo_mapping <filter> <field>
#
# Returns all entries of the main repo's repository mapping whose apparent repo
# name, followed by a double quote, matches the given filter. To return the
# matching apparent names, set field to 2. To return the matching canonical
# names, set field to 4.
# Note: Instead of returning an empty canonical name for the main repository,
# this function returns the string "_main" so that this case can be
# distinguished from that of no match.
_bazel__filter_repo_mapping() {
  local filter=$1 field=$2
  # 1. dump_repo_mapping '' returns a single line consisting of a minified JSON
  #    object.
  # 2. Transform JSON to have lines of the form "apparent_name":"canonical_name".
  # 3. Filter by apparent repo name.
  # 4. Replace an empty canonical name with "_main".
  # 5. Cut out either the apparent or canonical name.
  ${BAZEL} mod dump_repo_mapping '' --noshow_progress 2>/dev/null |
    tr '{},' '\n' |
    "grep" "^\"${filter}" |
    sed 's|:""$|:"_main"|' |
    cut -d'"' -f${field}
}

# Usage: _bazel__expand_repo_name <current>
#
# Returns completions for apparent repository names. Each line is of the form
# @apparent_name or @apparent_name//, where apparent_name starts with current.
_bazel__expand_repo_name() {
  local current=$1
  # If current exactly matches a repo name, also provide the @current//
  # completion so that users can tab through to package completion, but also
  # complete just the shorthand for "@repo_name//:repo_name".
  _bazel__filter_repo_mapping "${current#@}" 2 |
    sed 's|^|@|' |
    sed "s|^${current}\$|${current} ${current}//|"
}

# Usage: _bazel__repo_root <workspace> <repo>
#
# Returns the absolute path to the root of the repository identified by the
# repository part <repo> of a label. <repo> can be either of the form
# "@apparent_name" or "@@canonical_name" and may also refer to the main
# repository.
_bazel__repo_root() {
  local workspace=$1 repo=$2
  local canonical_repo
  if [[ "$repo" == @@ ]]; then
    # Match the sentinel value for the main repository used by
    # _bazel__filter_repo_mapping.
    canonical_repo=_main
  elif [[ "$repo" =~ ^@@ ]]; then
    # Canonical repo names should not go through repo mapping.
    canonical_repo=${repo#@@}
  else
    canonical_repo=$(_bazel__filter_repo_mapping "${repo#@}\"" 4)
  fi
  if [ -z "$canonical_repo" ]; then
    return
  fi
  if [ "$canonical_repo" == "_main" ]; then
    echo "$workspace"
    return
  fi
  local output_base="$(${BAZEL} info output_base --noshow_progress 2>/dev/null)"
  if [ -z "$output_base" ]; then
    return
  fi
  local repo_root="$output_base/external/$canonical_repo"
  echo "$repo_root"
}

# Usage: _bazel__expand_package_name <workspace> <current> <label-type>
#
# Expands packages under the potentially external repository pointed to by
# <current>, which is expected to start with "@repo//".
_bazel__expand_external_package_name() {
  local workspace=$1 current=$2 label_syntax=$3
  local repo=$(echo "$current" | cut -f1 -d/)
  local package=$(echo "$current" | cut -f3- -d/)
  local repo_root=$(_bazel__repo_root "$workspace" "$repo")
  if [ -z "$repo_root" ]; then
    return
  fi
  _bazel__expand_package_name "$repo_root" "" "$package" "$label_syntax" |
    sed "s|^|${repo}//|"
}

# Usage: _bazel__expand_rules_in_external_package <workspace> <current>
#                                                 <label-type>
#
# Expands rule names in the potentially external package pointed to by
# <current>, which is expected to start with "@repo//some/pkg:".
_bazel__expand_rules_in_external_package() {
  local workspace=$1 current=$2 label_syntax=$3
  local repo=$(echo "$current" | cut -f1 -d/)
  local package=$(echo "$current" | cut -f3- -d/ | cut -f1 -d:)
  local name=$(echo "$current" | cut -f2 -d:)
  local repo_root=$(_bazel__repo_root "$workspace" "$repo")
  if [ -z "$repo_root" ]; then
    return
  fi
  _bazel__expand_rules_in_package "$repo_root" "" "//$package:$name" "$label_syntax"
}

# Usage: _bazel__expand_target_pattern <workspace> <displacement>
#                                      <word> <label-syntax>
#
# Expands "word" to match target patterns, using the current workspace
# and displacement from it.  "command" is used to filter rules.
# Sets $COMPREPLY array to result.
_bazel__expand_target_pattern() {
  local workspace=$1 displacement=$2 current=$3 label_syntax=$4
  case "$current" in
    @*//*:*) # Expand rule names within external repository.
      _bazel__expand_rules_in_external_package "$workspace" "$current" "$label_syntax"
      ;;
    @*/*) # Expand package names within external repository.
      # Append a second slash after the repo name before performing completion
      # if there is no second slash already.
      if [[ "$current" =~ ^@[^/]*/$ ]]; then
        current="$current/"
      fi
      _bazel__expand_external_package_name "$workspace" "$current" "$label_syntax"
      ;;
    @*) # Expand external repository names.
      # Do not expand canonical repository names: Users are not expected to
      # compose them manually and completing them based on the contents of the
      # external directory has a high risk of returning stale results.
      if [[ "$current" =~ ^@@ ]]; then
        return
      fi
      _bazel__expand_repo_name "$current"
      ;;
    //*:*) # Expand rule names within package, no displacement.
      if [ "${label_syntax}" = "label-package" ]; then
        compgen -S " " -W "BUILD" "$(echo current | cut -f ':' -d2)"
      else
        _bazel__expand_rules_in_package "$workspace" "" "$current" "$label_syntax"
      fi
      ;;
    *:*) # Expand rule names within package, displaced.
      if [ "${label_syntax}" = "label-package" ]; then
        compgen -S " " -W "BUILD" "$(echo current | cut -f ':' -d2)"
      else
        _bazel__expand_rules_in_package \
          "$workspace" "$displacement" "$current" "$label_syntax"
      fi
      ;;
    //*) # Expand filenames using package-path, no displacement
      _bazel__expand_package_name "$workspace" "" "$current" "$label_syntax"
      ;;
    *) # Expand filenames using package-path, displaced.
      if [ -n "$current" ]; then
        _bazel__expand_package_name "$workspace" "$displacement" "$current" "$label_syntax"
      fi
      ;;
  esac
}

_bazel__get_command() {
  for word in "${COMP_WORDS[@]:1:COMP_CWORD-1}"; do
    if echo "$BAZEL_COMMAND_LIST" | "grep" -wsq -e "$word"; then
      echo $word
      break
    fi
  done
}

# Returns the displacement to the workspace given in $1
_bazel__get_displacement() {
  if [[ "$PWD" =~ ^$1/.*$ ]]; then
    echo ${PWD##$1/}/
  fi
}


# Usage: _bazel__complete_pattern <workspace> <displacement> <current>
#                                 <type>
#
# Expand a word according to a type. The currently supported types are:
#  - {a,b,c}: an enum that can take value a, b or c
#  - label: a label of any kind
#  - label-bin: a label to a runnable rule (basically to a _binary rule)
#  - label-test: a label to a test rule
#  - info-key: an info key as listed by `bazel help info-keys`
#  - command: the name of a command
#  - path: a file path
#  - combinaison of previous type using | as separator
_bazel__complete_pattern() {
  local workspace=$1 displacement=$2 current=$3 types=$4
  for type in $(echo $types | tr "|" "\n"); do
    case "$type" in
      label*)
        _bazel__expand_target_pattern "$workspace" "$displacement" \
            "$current" "$type"
        ;;
      info-key)
    compgen -S " " -W "${BAZEL_INFO_KEYS}" -- "$current"
        ;;
      "command")
        local commands=$(echo "${BAZEL_COMMAND_LIST}" \
          | tr " " "\n" | "grep" -v "^${BAZEL_IGNORED_COMMAND_REGEX}$")
    compgen -S " " -W "${commands}" -- "$current"
        ;;
      path)
        for file in $(compgen -f -- "$current"); do
          if [[ -d "$file" ]]; then
            echo "$file/"
          else
            echo "$file "
          fi
        done
        ;;
      *)
        compgen -S " " -W "$type" -- "$current"
        ;;
    esac
  done
}

# Usage: _bazel__expand_options <workspace> <displacement> <current-word>
#                               <options>
#
# Expands options, making sure that if current-word contains an equals sign,
# it is handled appropriately.
_bazel__expand_options() {
  local workspace="$1" displacement="$2" cur="$3" options="$4"
  if [[ $cur =~ = ]]; then
    # also expands special labels
    current=$(echo "$cur" | cut -f2 -d=)
    _bazel__complete_pattern "$workspace" "$displacement" "$current" \
    "$(compgen -W "$options" -- "$cur" | cut -f2 -d=)" \
        | sort -u
  else
    compgen -W "$(echo "$options" | sed 's|=.*$|=|')" -- "$cur" \
    | sed 's|\([^=]\)$|\1 |'
  fi
}

# Usage: _bazel__abspath <file>
#
#
# Returns the absolute path to a file
_bazel__abspath() {
    echo "$(cd "$(dirname "$1")"; pwd)/$(basename "$1")"
 }

# Usage: _bazel__rc_imports <workspace> <rc-file>
#
#
# Returns the list of other RC imported (or try-imported) by a given RC file
# Only return files we can actually find, and only return absolute paths
_bazel__rc_imports() {
  local workspace="$1" rc_dir rc_file="$2" import_files
  rc_dir=$(dirname $rc_file)
  import_files=$(cat $rc_file \
      | sed 's/#.*//' \
      | sed -E "/^(try-){0,1}import/!d" \
      | sed -E "s/^(try-){0,1}import ([^ ]*).*$/\2/" \
      | sort -u)

  local confirmed_import_files=()
  for import in $import_files; do
    # rc imports can use %workspace% to refer to the workspace, and we need to substitute that here
    import=${import//\%workspace\%/$workspace}
    if [[ "${import:0:1}" != "/" ]] ; then
      import="$rc_dir/$import"
    fi
    import=$(_bazel__abspath $import)
    # Don't bother dealing with it further if we can't find it
    if [ -f "$import" ] ; then
      confirmed_import_files+=($import)
    fi
  done
  echo "${confirmed_import_files[@]}"
}

# Usage: _bazel__rc_expand_imports <workspace> <processed-rc-files ...> __new__ <new-rc-files ...>
#
#
# Function that receives a workspace and two lists. The first list is a list of RC files that have
# already been processed, and the second list contains new RC files that need processing. Each new file will be
# processed for "{try-}import" lines to discover more RC files that need parsing.
# Any lines we find in "{try-}import" will be checked against known files (and not processed again if known).
_bazel__rc_expand_imports() {
  local workspace="$1" rc_file new_found="no" processed_files=() to_process_files=() discovered_files=()
  # We've consumed workspace
  shift
  # Now grab everything else
  local all_files=($@)
  for rc_file in ${all_files[@]} ; do
    if [ "$rc_file" == "__new__" ] ; then
      new_found="yes"
      continue
    elif [ "$new_found" == "no" ] ; then
      processed_files+=($rc_file)
    else
      to_process_files+=($rc_file)
    fi
  done

  # For all the non-processed files, get the list of imports out of each of those files
  for rc_file in "${to_process_files[@]}"; do
    local potential_new_files+=($(_bazel__rc_imports "$workspace" "$rc_file"))
    processed_files+=($rc_file)
    for potential_new_file in ${potential_new_files[@]} ; do
      if [[ ! " ${processed_files[@]} " =~ " ${potential_new_file} " ]] ; then
        discovered_files+=($potential_new_file)
      fi
    done
  done

  # Finally, return two lists (separated by __new__) of the files that have been fully processed, and
  # the files that need processing.
  echo "${processed_files[@]}" "__new__" "${discovered_files[@]}"
}

# Usage: _bazel__rc_files <workspace>
#
#
# Returns the list of RC files to examine, given the current command-line args.
_bazel__rc_files() {
  local workspace="$1" new_files=() processed_files=()
  # Handle the workspace RC unless --noworkspace_rc says not to.
  if [[ ! "${COMP_LINE}" =~ "--noworkspace_rc" ]]; then
    local workspacerc="$workspace/.bazelrc"
    if [ -f "$workspacerc" ] ; then
      new_files+=($(_bazel__abspath $workspacerc))
    fi
  fi
  # Handle the $HOME RC unless --nohome_rc says not to.
  if [[ ! "${COMP_LINE}" =~ "--nohome_rc" ]]; then
    local homerc="$HOME/.bazelrc"
    if [ -f "$homerc" ] ; then
      new_files+=($(_bazel__abspath $homerc))
    fi
  fi
  # Handle the system level RC unless --nosystem_rc says not to.
  if [[ ! "${COMP_LINE}" =~ "--nosystem_rc" ]]; then
    local systemrc="/etc/bazel.bazelrc"
    if [ -f "$systemrc" ] ; then
      new_files+=($(_bazel__abspath $systemrc))
    fi
  fi
  # Finally, if the user specified any on the command-line, then grab those
  # keeping in mind that there may be several.
  if [[ "${COMP_LINE}" =~ "--bazelrc=" ]]; then
    # There's got to be a better way to do this, but... it gets the job done,
    # even if there are multiple --bazelrc on the command line. The sed command
    # SHOULD be simpler, but capturing several instances of the same pattern
    # from the same line is tricky because of the greedy nature of .*
    # Instead we transform it to multiple lines, and then back.
    local cmdlnrcs=$(echo ${COMP_LINE} | sed -E "s/--bazelrc=/\n--bazelrc=/g" | sed -E "/--bazelrc/!d;s/^--bazelrc=([^ ]*).*$/\1/g" | tr "\n" " ")
    for rc_file in $cmdlnrcs; do
      if [ -f "$rc_file" ] ; then
        new_files+=($(_bazel__abspath $rc_file))
      fi
    done
  fi

  # Each time we call _bazel__rc_expand_imports, it may find new files which then need to be expanded as well,
  # so we loop until we've processed all new files.
  while (( ${#new_files[@]} > 0 )) ; do
    local all_files=($(_bazel__rc_expand_imports "$workspace" "${processed_files[@]}" "__new__" "${new_files[@]}"))
    local new_found="no"
    new_files=()
    processed_files=()
    for file in ${all_files[@]} ; do
      if [ "$file" == "__new__" ] ; then
        new_found="yes"
        continue
      elif [ "$new_found" == "no" ] ; then
        processed_files+=($file)
      else
        new_files+=($file)
      fi
    done
  done

  echo "${processed_files[@]}"
}

# Usage: _bazel__all_configs <workspace> <command>
#
#
# Gets contents of all RC files and searches them for config names
# that could be used for expansion.
_bazel__all_configs() {
  local workspace="$1" command="$2" rc_files

  # Start out getting a list of all RC files that we can look for configs in
  # This respects the various command line options documented at
  # https://bazel.build/docs/bazelrc
  rc_files=$(_bazel__rc_files "$workspace")

  # Commands can inherit configs from other commands, so build up command_match, which is
  # a match list of the various commands that we can match against, given the command
  # specified by the user
  local build_inherit=("aquery" "clean" "coverage" "cquery" "info" "mobile-install" "print_action" "run" "test")
  local test_inherit=("coverage")
  local command_match="$command"
  if [[ "${build_inherit[@]}" =~ "$command" ]]; then
    command_match="$command_match|build"
  fi
  if [[ "${test_inherit[@]}" =~ "$command" ]]; then
    command_match="$command_match|test"
  fi

  # The following commands do respectively:
  #   Gets the contents of all relevant/allowed RC files
  #   Remove file comments
  #   Filter only the configs relevant to the current command
  #   Extract the config names
  #   Filters out redundant names and returns the results
  cat $rc_files \
      | sed 's/#.*//' \
      | sed -E "/^($command_match):/!d" \
      | sed -E "s/^($command_match):([^ ]*).*$/\2/" \
      | sort -u
}

# Usage: _bazel__expand_config <workspace> <command> <current-word>
#
#
# Expands configs, checking through the allowed rc files and parsing for configs
# relevant to the current command
_bazel__expand_config() {
  local workspace="$1" command="$2" cur="$3" rc_files all_configs
  all_configs=$(_bazel__all_configs "$workspace" "$command")
  compgen -S " " -W "$all_configs" -- "$cur"
}

_bazel__is_after_doubledash() {
  for word in "${COMP_WORDS[@]:1:COMP_CWORD-1}"; do
    if [[ "$word" == "--" ]]; then
      return 0
    fi
  done
  return 1
}

_bazel__complete_stdout() {
  local cur=$(_bazel__get_cword) word command displacement workspace

  # Determine command: "" (startup-options) or one of $BAZEL_COMMAND_LIST.
  command="$(_bazel__get_command)"

  workspace="$(_bazel__get_workspace_path)"
  displacement="$(_bazel__get_displacement ${workspace})"

  if _bazel__is_after_doubledash && [[ "$command" == "run" ]]; then
    _bazel__complete_pattern "$workspace" "$displacement" "${cur#*=}" "path"
  else
    case "$command" in
      "") # Expand startup-options or commands
        local commands=$(echo "${BAZEL_COMMAND_LIST}" \
          | tr " " "\n" | "grep" -v "^${BAZEL_IGNORED_COMMAND_REGEX}$")
        _bazel__expand_options  "$workspace" "$displacement" "$cur" \
            "${commands}\
            ${BAZEL_STARTUP_OPTIONS}"
        ;;

      *)
        case "$cur" in
          --config=*) # Expand options:
            _bazel__expand_config  "$workspace" "$command" "${cur#"--config="}"
            ;;
          -*) # Expand options:
            _bazel__expand_options  "$workspace" "$displacement" "$cur" \
                "$(_bazel__options_for $command)"
            ;;
          *)  # Expand target pattern
        expansion_pattern="$(_bazel__expansion_for $command)"
            NON_QUOTE_REGEX="^[\"']"
            if [[ $command = query && $cur =~ $NON_QUOTE_REGEX ]]; then
              : # Ideally we would expand query expressions---it's not
                # that hard, conceptually---but readline is just too
                # damn complex when it comes to quotation.  Instead,
                # for query, we just expand target patterns, unless
                # the first char is a quote.
            elif [ -n "$expansion_pattern" ]; then
              _bazel__complete_pattern \
          "$workspace" "$displacement" "$cur" "$expansion_pattern"
            fi
            ;;
        esac
        ;;
    esac
  fi
}

_bazel__to_compreply() {
  local replies="$1"
  COMPREPLY=()
  # Trick to preserve whitespaces
  while IFS="" read -r reply; do
    COMPREPLY+=("${reply}")
  done < <(echo "${replies}")
  # Null may be set despite there being no completions
  if [ ${#COMPREPLY[@]} -eq 1 ] && [ -z ${COMPREPLY[0]} ]; then
    COMPREPLY=()
  fi
}

_bazel__complete() {
  _bazel__to_compreply "$(_bazel__complete_stdout)"
}

# Some users have aliases such as bt="bazel test" or bb="bazel build", this
# completion function allows them to have auto-completion for these aliases.
_bazel__complete_target_stdout() {
  local cur=$(_bazel__get_cword) word command displacement workspace

  # Determine command: "" (startup-options) or one of $BAZEL_COMMAND_LIST.
  command="$1"

  workspace="$(_bazel__get_workspace_path)"
  displacement="$(_bazel__get_displacement ${workspace})"

  _bazel__to_compreply "$(_bazel__expand_target_pattern "$workspace" "$displacement" \
      "$cur" "$(_bazel__expansion_for $command)")"
}

# default completion for bazel
complete -F _bazel__complete -o nospace "${BAZEL}"
complete -F _bazel__complete -o nospace "${IBAZEL}"
BAZEL_COMMAND_LIST="analyze-profile aquery build canonicalize-flags clean config coverage cquery dump fetch help info license mobile-install mod print_action query run shutdown sync test vendor version"
BAZEL_INFO_KEYS="
workspace
install_base
output_base
execution_root
output_path
client-env
bazel-bin
bazel-genfiles
bazel-testlogs
release
server_pid
server_log
package_path
used-heap-size
used-heap-size-after-gc
committed-heap-size
max-heap-size
gc-time
gc-count
java-runtime
java-vm
java-home
character-encoding
defaults-package
build-language
default-package-path
starlark-semantics
worker_metrics
local_resources
"
BAZEL_STARTUP_OPTIONS="
--autodetect_server_javabase
--noautodetect_server_javabase
--batch
--nobatch
--batch_cpu_scheduling
--nobatch_cpu_scheduling
--bazelrc=
--block_for_lock
--noblock_for_lock
--client_debug
--noclient_debug
--connect_timeout_secs=
--digest_function=
--experimental_cgroup_parent=
--experimental_run_in_user_cgroup
--noexperimental_run_in_user_cgroup
--failure_detail_out=path
--home_rc
--nohome_rc
--host_jvm_args=
--host_jvm_debug
--idle_server_tasks
--noidle_server_tasks
--ignore_all_rc_files
--noignore_all_rc_files
--io_nice_level=
--local_startup_timeout_secs=
--macos_qos_class=
--max_idle_secs=
--output_base=path
--output_user_root=path
--preemptible
--nopreemptible
--quiet
--noquiet
--server_javabase=
--server_jvm_out=path
--shutdown_on_low_sys_mem
--noshutdown_on_low_sys_mem
--system_rc
--nosystem_rc
--unlimit_coredumps
--nounlimit_coredumps
--watchfs
--nowatchfs
--windows_enable_symlinks
--nowindows_enable_symlinks
--workspace_rc
--noworkspace_rc
"
BAZEL_COMMAND_ANALYZE_PROFILE_ARGUMENT="path"
BAZEL_COMMAND_ANALYZE_PROFILE_FLAGS="
--allow_yanked_versions=
--announce_rc
--noannounce_rc
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_metadata=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--color={yes,no,auto}
--config=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--curses={yes,no,auto}
--disk_cache=path
--distdir=
--downloader_config=path
--dump=
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_workspace
--noenable_workspace
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_resolved_file_instead_of_workspace=
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_scale_timeouts=
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_ui_max_stdouterr_bytes=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_workspace_rules_log_file=path
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_autoload_externally=
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--inject_repository=
--invocation_id=
--jvm_heap_histogram_internal_object_pattern=
--keep_state_after_build
--nokeep_state_after_build
--legacy_important_outputs
--nolegacy_important_outputs
--lockfile_mode={off,update,refresh,error}
--logging=
--max_computation_steps=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--nested_set_depth_limit=
--override_module=
--override_repository=
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--separate_aspect_deps
--noseparate_aspect_deps
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_timestamps
--noshow_timestamps
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--starlark_cpu_profile=
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_tag=
--track_incremental_state
--notrack_incremental_state
--ui_actions_shown=
--ui_event_filters=
--vendor_dir=path
--watchfs
--nowatchfs
"
BAZEL_COMMAND_AQUERY_ARGUMENT="label"
BAZEL_COMMAND_AQUERY_FLAGS="
--action_env=
--allow_analysis_cache_discard
--noallow_analysis_cache_discard
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--android_compiler=
--android_databinding_use_androidx
--noandroid_databinding_use_androidx
--android_databinding_use_v3_4_args
--noandroid_databinding_use_v3_4_args
--android_dynamic_mode={off,default,fully}
--android_manifest_merger={legacy,android,force_android}
--android_manifest_merger_order={alphabetical,alphabetical_by_configuration,dependency}
--android_platforms=
--android_resource_shrinking
--noandroid_resource_shrinking
--announce_rc
--noannounce_rc
--apk_signing_method={v1,v2,v1_v2,v4}
--apple_crosstool_top=label
--apple_generate_dsym
--noapple_generate_dsym
--aspect_deps={off,conservative,precise}
--aspects=
--aspects_parameters=
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--auto_output_filter={none,all,packages,subpackages}
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--break_build_on_parallel_dex2oat_failure
--nobreak_build_on_parallel_dex2oat_failure
--build
--nobuild
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_manual_tests
--nobuild_manual_tests
--build_metadata=
--build_python_zip={auto,yes,no}
--nobuild_python_zip
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--build_tag_filters=
--build_test_dwp
--nobuild_test_dwp
--build_tests_only
--nobuild_tests_only
--cache_computed_file_digests=
--cache_test_results={auto,yes,no}
--nocache_test_results
--catalyst_cpus=
--cc_output_directory_tag=
--cc_proto_library_header_suffixes=
--cc_proto_library_source_suffixes=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_tests_up_to_date
--nocheck_tests_up_to_date
--check_up_to_date
--nocheck_up_to_date
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--combined_report={none,lcov}
--compilation_mode={fastbuild,dbg,opt}
--compile_one_dependency
--nocompile_one_dependency
--compiler=
--config=
--conlyopt=
--consistent_labels
--noconsistent_labels
--copt=
--coverage_output_generator=label
--coverage_report_generator=label
--coverage_support=label
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--cs_fdo_absolute_path=
--cs_fdo_instrument=
--cs_fdo_profile=label
--curses={yes,no,auto}
--custom_malloc=label
--cxxopt=
--debug_spawn_scheduler
--nodebug_spawn_scheduler
--default_test_resources=
--define=
--deleted_packages=
--desugar_for_android
--nodesugar_for_android
--desugar_java8_libs
--nodesugar_java8_libs
--device_debug_entitlements
--nodevice_debug_entitlements
--discard_analysis_cache
--nodiscard_analysis_cache
--disk_cache=path
--distdir=
--downloader_config=path
--dynamic_local_execution_delay=
--dynamic_local_strategy=
--dynamic_mode={off,default,fully}
--dynamic_remote_strategy=
--embed_label=
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_propeller_optimize_absolute_paths
--noenable_propeller_optimize_absolute_paths
--enable_remaining_fdo_absolute_paths
--noenable_remaining_fdo_absolute_paths
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--execution_log_binary_file=path
--execution_log_compact_file=path
--execution_log_json_file=path
--execution_log_sort
--noexecution_log_sort
--expand_test_suites
--noexpand_test_suites
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_add_exec_constraints_to_targets=
--experimental_android_compress_java_resources
--noexperimental_android_compress_java_resources
--experimental_android_databinding_v2
--noexperimental_android_databinding_v2
--experimental_android_resource_shrinking
--noexperimental_android_resource_shrinking
--experimental_android_rewrite_dexes_with_rex
--noexperimental_android_rewrite_dexes_with_rex
--experimental_android_use_parallel_dex2oat
--noexperimental_android_use_parallel_dex2oat
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cancel_concurrent_tests
--noexperimental_cancel_concurrent_tests
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_check_desugar_deps
--noexperimental_check_desugar_deps
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_local_sandbox_action_metrics
--noexperimental_collect_local_sandbox_action_metrics
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_convenience_symlinks={normal,clean,ignore,log_only}
--experimental_convenience_symlinks_bep_event
--noexperimental_convenience_symlinks_bep_event
--experimental_cpu_load_scheduling
--noexperimental_cpu_load_scheduling
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_docker_image=
--experimental_docker_privileged
--noexperimental_docker_privileged
--experimental_docker_use_customized_images
--noexperimental_docker_use_customized_images
--experimental_docker_verbose
--noexperimental_docker_verbose
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_dynamic_exclude_tools
--noexperimental_dynamic_exclude_tools
--experimental_dynamic_ignore_local_signals=
--experimental_dynamic_local_load_factor=
--experimental_dynamic_slow_remote_time=
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_docker_sandbox
--noexperimental_enable_docker_sandbox
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_skyfocus
--noexperimental_enable_skyfocus
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_explicit_aspects
--noexperimental_explicit_aspects
--experimental_extra_action_filter=
--experimental_extra_action_top_level_only
--noexperimental_extra_action_top_level_only
--experimental_fetch_all_coverage_outputs
--noexperimental_fetch_all_coverage_outputs
--experimental_filter_library_jar_with_program_jar
--noexperimental_filter_library_jar_with_program_jar
--experimental_generate_llvm_lcov
--noexperimental_generate_llvm_lcov
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_import_deps_checking=
--experimental_include_xcode_execution_requirements
--noexperimental_include_xcode_execution_requirements
--experimental_inmemory_dotd_files
--noexperimental_inmemory_dotd_files
--experimental_inmemory_jdeps_files
--noexperimental_inmemory_jdeps_files
--experimental_inmemory_sandbox_stashes
--noexperimental_inmemory_sandbox_stashes
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_j2objc_header_map
--noexperimental_j2objc_header_map
--experimental_j2objc_shorter_header_path
--noexperimental_j2objc_shorter_header_path
--experimental_java_classpath={off,javabuilder,bazel,bazel_no_fallback}
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_limit_android_lint_to_android_constrained_java
--noexperimental_limit_android_lint_to_android_constrained_java
--experimental_materialize_param_files_directly
--noexperimental_materialize_param_files_directly
--experimental_objc_fastbuild_options=
--experimental_omitfp
--noexperimental_omitfp
--experimental_one_version_enforcement={off,warning,error}
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_parallel_aquery_output
--noexperimental_parallel_aquery_output
--experimental_persistent_aar_extractor
--noexperimental_persistent_aar_extractor
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_prefer_mutual_xcode
--noexperimental_prefer_mutual_xcode
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_proto_descriptor_sets_include_source_info
--noexperimental_proto_descriptor_sets_include_source_info
--experimental_py_binaries_include_label
--noexperimental_py_binaries_include_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_eviction_retries=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_repository_resolved_file=
--experimental_resolved_file_instead_of_workspace=
--experimental_retain_test_configuration_across_testonly
--noexperimental_retain_test_configuration_across_testonly
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_android_lint_on_java_rules
--noexperimental_run_android_lint_on_java_rules
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_sandbox_async_tree_delete_idle_threads=
--experimental_sandbox_enforce_resources_regexp=
--experimental_sandbox_limits=
--experimental_sandbox_memory_limit_mb=
--experimental_sandboxfs_map_symlink_targets
--noexperimental_sandboxfs_map_symlink_targets
--experimental_save_feature_state
--noexperimental_save_feature_state
--experimental_scale_timeouts=
--experimental_shrink_worker_pool
--noexperimental_shrink_worker_pool
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_skyfocus_dump_keys={none,count,verbose}
--experimental_skyfocus_dump_post_gc_stats
--noexperimental_skyfocus_dump_post_gc_stats
--experimental_skyfocus_handling_strategy={strict,warn}
--experimental_spawn_scheduler
--experimental_split_coverage_postprocessing
--noexperimental_split_coverage_postprocessing
--experimental_split_xml_generation
--noexperimental_split_xml_generation
--experimental_starlark_cc_import
--noexperimental_starlark_cc_import
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_strict_java_deps={off,warn,error,strict,default}
--experimental_total_worker_memory_limit_mb=
--experimental_ui_max_stdouterr_bytes=
--experimental_unsupported_and_brittle_include_scanning
--noexperimental_unsupported_and_brittle_include_scanning
--experimental_use_hermetic_linux_sandbox
--noexperimental_use_hermetic_linux_sandbox
--experimental_use_llvm_covmap
--noexperimental_use_llvm_covmap
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_use_semaphore_for_jobs
--noexperimental_use_semaphore_for_jobs
--experimental_use_validation_aspect
--noexperimental_use_validation_aspect
--experimental_use_windows_sandbox={auto,yes,no}
--noexperimental_use_windows_sandbox
--experimental_windows_sandbox_path=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_allowlist=
--experimental_worker_as_resource
--noexperimental_worker_as_resource
--experimental_worker_cancellation
--noexperimental_worker_cancellation
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_worker_memory_limit_mb=
--experimental_worker_metrics_poll_interval=
--experimental_worker_multiplex_sandboxing
--noexperimental_worker_multiplex_sandboxing
--experimental_worker_sandbox_hardening
--noexperimental_worker_sandbox_hardening
--experimental_worker_sandbox_inmemory_tracking=
--experimental_worker_strict_flagfiles
--noexperimental_worker_strict_flagfiles
--experimental_working_set=
--experimental_workspace_rules_log_file=path
--explain=path
--explicit_java_test_deps
--noexplicit_java_test_deps
--extra_execution_platforms=
--extra_toolchains=
--fat_apk_hwasan
--nofat_apk_hwasan
--fdo_instrument=
--fdo_optimize=
--fdo_prefetch_hints=label
--fdo_profile=label
--features=
--fetch
--nofetch
--fission=
--flag_alias=
--flaky_test_attempts=
--force_pic
--noforce_pic
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--genrule_strategy=
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--graph:factored
--nograph:factored
--graph:node_limit=
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--grte_top=label
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--high_priority_workers=
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_compiler=
--host_conlyopt=
--host_copt=
--host_cpu=
--host_cxxopt=
--host_features=
--host_force_python={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--host_grte_top=label
--host_java_launcher=label
--host_javacopt=
--host_jvmopt=
--host_linkopt=
--host_macos_minimum_os=
--host_per_file_copt=
--host_platform=label
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--ignore_unsupported_sandboxing
--noignore_unsupported_sandboxing
--implicit_deps
--noimplicit_deps
--include_artifacts
--noinclude_artifacts
--include_aspects
--noinclude_aspects
--include_commandline
--noinclude_commandline
--include_file_write_contents
--noinclude_file_write_contents
--include_param_files
--noinclude_param_files
--include_pruned_inputs
--noinclude_pruned_inputs
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_sharding_support
--noincompatible_check_sharding_support
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_check_visibility_for_toolchains
--noincompatible_check_visibility_for_toolchains
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_default_to_explicit_init_py
--noincompatible_default_to_explicit_init_py
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_android_rules
--noincompatible_disable_native_android_rules
--incompatible_disable_native_apple_binary_rule
--noincompatible_disable_native_apple_binary_rule
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_legacy_py_provider
--noincompatible_disallow_legacy_py_provider
--incompatible_disallow_sdk_frameworks_attributes
--noincompatible_disallow_sdk_frameworks_attributes
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_dont_enable_host_nonhost_crosstool_features
--noincompatible_dont_enable_host_nonhost_crosstool_features
--incompatible_dont_use_javasourceinfoprovider
--noincompatible_dont_use_javasourceinfoprovider
--incompatible_enable_apple_toolchain_resolution
--noincompatible_enable_apple_toolchain_resolution
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_exclusive_test_sandboxed
--noincompatible_exclusive_test_sandboxed
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_legacy_local_fallback
--noincompatible_legacy_local_fallback
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_make_thinlto_command_lines_standalone
--noincompatible_make_thinlto_command_lines_standalone
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_objc_alwayslink_by_default
--noincompatible_objc_alwayslink_by_default
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_package_group_includes_double_slash
--noincompatible_package_group_includes_double_slash
--incompatible_py2_outputs_are_suffixed
--noincompatible_py2_outputs_are_suffixed
--incompatible_py3_is_default
--noincompatible_py3_is_default
--incompatible_python_disable_py2
--noincompatible_python_disable_py2
--incompatible_python_disallow_native_rules
--noincompatible_python_disallow_native_rules
--incompatible_remote_use_new_exit_code_for_lost_inputs
--noincompatible_remote_use_new_exit_code_for_lost_inputs
--incompatible_remove_legacy_whole_archive
--noincompatible_remove_legacy_whole_archive
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_ctx_in_configure_features
--noincompatible_require_ctx_in_configure_features
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_sandbox_hermetic_tmp
--noincompatible_sandbox_hermetic_tmp
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_strict_action_env
--noincompatible_strict_action_env
--incompatible_strip_executable_safely
--noincompatible_strip_executable_safely
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_new_cgroup_implementation
--noincompatible_use_new_cgroup_implementation
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_use_python_toolchains
--noincompatible_use_python_toolchains
--incompatible_validate_top_level_header_inclusions
--noincompatible_validate_top_level_header_inclusions
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--incremental_dexing
--noincremental_dexing
--infer_universe_scope
--noinfer_universe_scope
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--interface_shared_objects
--nointerface_shared_objects
--internal_spawn_scheduler
--nointernal_spawn_scheduler
--invocation_id=
--ios_memleaks
--noios_memleaks
--ios_minimum_os=
--ios_multi_cpus=
--ios_sdk_version=
--ios_signing_cert_name=
--ios_simulator_device=
--ios_simulator_version=
--j2objc_translation_flags=
--java_debug
--java_deps
--nojava_deps
--java_header_compilation
--nojava_header_compilation
--java_language_version=
--java_launcher=label
--java_runtime_version=
--javacopt=
--jobs=
--jvm_heap_histogram_internal_object_pattern=
--jvmopt=
--keep_going
--nokeep_going
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--legacy_main_dex_list_generator=label
--legacy_whole_archive
--nolegacy_whole_archive
--line_terminator_null
--noline_terminator_null
--linkopt=
--loading_phase_threads=
--local_cpu_resources=
--local_extra_resources=
--local_ram_resources=
--local_resources=
--local_termination_grace_seconds=
--local_test_jobs=
--lockfile_mode={off,update,refresh,error}
--logging=
--ltobackendopt=
--ltoindexopt=
--macos_cpus=
--macos_minimum_os=
--macos_sdk_version=
--materialize_param_files
--nomaterialize_param_files
--max_computation_steps=
--max_config_changes_to_show=
--max_test_output_bytes=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--memprof_profile=label
--minimum_os_version=
--modify_execution_info=
--nested_set_depth_limit=
--nodep_deps
--nonodep_deps
--objc_debug_with_GLIBCXX
--noobjc_debug_with_GLIBCXX
--objc_enable_binary_stripping
--noobjc_enable_binary_stripping
--objc_generate_linkmap
--noobjc_generate_linkmap
--objc_use_dotd_pruning
--noobjc_use_dotd_pruning
--objccopt=
--one_version_enforcement_on_java_tests
--noone_version_enforcement_on_java_tests
--optimizing_dexer=label
--output=
--output_file=
--output_filter=
--output_groups=
--override_module=
--override_repository=
--package_path=
--per_file_copt=
--per_file_ltobackendopt=
--persistent_android_dex_desugar
--persistent_android_resource_processor
--persistent_multiplex_android_dex_desugar
--persistent_multiplex_android_resource_processor
--persistent_multiplex_android_tools
--platform_mappings=
--platform_suffix=
--platforms=
--plugin=
--process_headers_in_dependencies
--noprocess_headers_in_dependencies
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--progress_report_interval=
--proguard_top=label
--propeller_optimize=label
--propeller_optimize_absolute_cc_profile=
--propeller_optimize_absolute_ld_profile=
--proto:default_values
--noproto:default_values
--proto:definition_stack
--noproto:definition_stack
--proto:flatten_selects
--noproto:flatten_selects
--proto:include_attribute_source_aspects
--noproto:include_attribute_source_aspects
--proto:include_synthetic_attribute_hash
--noproto:include_synthetic_attribute_hash
--proto:instantiation_stack
--noproto:instantiation_stack
--proto:locations
--noproto:locations
--proto:output_rule_attrs=
--proto:rule_classes
--noproto:rule_classes
--proto:rule_inputs_and_outputs
--noproto:rule_inputs_and_outputs
--proto_compiler=label
--proto_profile
--noproto_profile
--proto_profile_path=label
--proto_toolchain_for_cc=label
--proto_toolchain_for_j2objc=label
--proto_toolchain_for_java=label
--proto_toolchain_for_javalite=label
--protocopt=
--python_native_rules_allowlist=label
--python_path=
--python_top=label
--python_version={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--query_file=
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--relative_locations
--norelative_locations
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--reuse_sandbox_directories
--noreuse_sandbox_directories
--run_under=
--run_validations
--norun_validations
--runs_per_test=
--runs_per_test_detects_flakes
--noruns_per_test_detects_flakes
--sandbox_add_mount_pair=
--sandbox_base=
--sandbox_block_path=
--sandbox_debug
--nosandbox_debug
--sandbox_default_allow_network
--nosandbox_default_allow_network
--sandbox_explicit_pseudoterminal
--nosandbox_explicit_pseudoterminal
--sandbox_fake_hostname
--nosandbox_fake_hostname
--sandbox_fake_username
--nosandbox_fake_username
--sandbox_tmpfs_path=
--sandbox_writable_path=
--save_temps
--nosave_temps
--separate_aspect_deps
--noseparate_aspect_deps
--serialized_frontier_profile=
--share_native_deps
--noshare_native_deps
--shell_executable=path
--show_loading_progress
--noshow_loading_progress
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_result=
--show_timestamps
--noshow_timestamps
--skip_incompatible_explicit_targets
--noskip_incompatible_explicit_targets
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--skyframe_state
--noskyframe_state
--slim_profile
--noslim_profile
--spawn_strategy=
--stamp
--nostamp
--starlark_cpu_profile=
--strategy=
--strategy_regexp=
--strict_filesets
--nostrict_filesets
--strict_proto_deps={off,warn,error,strict,default}
--strict_public_imports={off,warn,error,strict,default}
--strict_system_includes
--nostrict_system_includes
--strip={always,sometimes,never}
--stripopt=
--subcommands={true,pretty_print,false}
--symlink_prefix=
--target_environment=
--target_pattern_file=
--target_platform_fallback=
--test_arg=
--test_env=
--test_filter=
--test_keep_going
--notest_keep_going
--test_lang_filters=
--test_output={summary,errors,all,streamed}
--test_result_expiration=
--test_runner_fail_fast
--notest_runner_fail_fast
--test_sharding_strategy=
--test_size_filters=
--test_strategy=
--test_summary={short,terse,detailed,none,testcase}
--test_tag_filters=
--test_timeout=
--test_timeout_filters=
--test_tmpdir=path
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_deps
--notool_deps
--tool_java_language_version=
--tool_java_runtime_version=
--tool_tag=
--toolchain_resolution_debug=
--track_incremental_state
--notrack_incremental_state
--trim_test_configuration
--notrim_test_configuration
--tvos_cpus=
--tvos_minimum_os=
--tvos_sdk_version=
--ui_actions_shown=
--ui_event_filters=
--universe_scope=
--use_ijars
--nouse_ijars
--use_target_platform_for_tests
--nouse_target_platform_for_tests
--vendor_dir=path
--verbose_explanations
--noverbose_explanations
--verbose_failures
--noverbose_failures
--visionos_cpus=
--watchfs
--nowatchfs
--watchos_cpus=
--watchos_minimum_os=
--watchos_sdk_version=
--worker_extra_flag=
--worker_max_instances=
--worker_max_multiplex_instances=
--worker_multiplex
--noworker_multiplex
--worker_quit_after_build
--noworker_quit_after_build
--worker_sandboxing
--noworker_sandboxing
--worker_verbose
--noworker_verbose
--workspace_status_command=path
--xbinary_fdo=label
--xcode_version=
--xcode_version_config=label
--zip_undeclared_test_outputs
--nozip_undeclared_test_outputs
"
BAZEL_COMMAND_BUILD_ARGUMENT="label"
BAZEL_COMMAND_BUILD_FLAGS="
--action_env=
--allow_analysis_cache_discard
--noallow_analysis_cache_discard
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--android_compiler=
--android_databinding_use_androidx
--noandroid_databinding_use_androidx
--android_databinding_use_v3_4_args
--noandroid_databinding_use_v3_4_args
--android_dynamic_mode={off,default,fully}
--android_manifest_merger={legacy,android,force_android}
--android_manifest_merger_order={alphabetical,alphabetical_by_configuration,dependency}
--android_platforms=
--android_resource_shrinking
--noandroid_resource_shrinking
--announce_rc
--noannounce_rc
--apk_signing_method={v1,v2,v1_v2,v4}
--apple_crosstool_top=label
--apple_generate_dsym
--noapple_generate_dsym
--aspects=
--aspects_parameters=
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--auto_output_filter={none,all,packages,subpackages}
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--break_build_on_parallel_dex2oat_failure
--nobreak_build_on_parallel_dex2oat_failure
--build
--nobuild
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_manual_tests
--nobuild_manual_tests
--build_metadata=
--build_python_zip={auto,yes,no}
--nobuild_python_zip
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--build_tag_filters=
--build_test_dwp
--nobuild_test_dwp
--build_tests_only
--nobuild_tests_only
--cache_computed_file_digests=
--cache_test_results={auto,yes,no}
--nocache_test_results
--catalyst_cpus=
--cc_output_directory_tag=
--cc_proto_library_header_suffixes=
--cc_proto_library_source_suffixes=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_tests_up_to_date
--nocheck_tests_up_to_date
--check_up_to_date
--nocheck_up_to_date
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--combined_report={none,lcov}
--compilation_mode={fastbuild,dbg,opt}
--compile_one_dependency
--nocompile_one_dependency
--compiler=
--config=
--conlyopt=
--copt=
--coverage_output_generator=label
--coverage_report_generator=label
--coverage_support=label
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--cs_fdo_absolute_path=
--cs_fdo_instrument=
--cs_fdo_profile=label
--curses={yes,no,auto}
--custom_malloc=label
--cxxopt=
--debug_spawn_scheduler
--nodebug_spawn_scheduler
--default_test_resources=
--define=
--deleted_packages=
--desugar_for_android
--nodesugar_for_android
--desugar_java8_libs
--nodesugar_java8_libs
--device_debug_entitlements
--nodevice_debug_entitlements
--discard_analysis_cache
--nodiscard_analysis_cache
--disk_cache=path
--distdir=
--downloader_config=path
--dynamic_local_execution_delay=
--dynamic_local_strategy=
--dynamic_mode={off,default,fully}
--dynamic_remote_strategy=
--embed_label=
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_propeller_optimize_absolute_paths
--noenable_propeller_optimize_absolute_paths
--enable_remaining_fdo_absolute_paths
--noenable_remaining_fdo_absolute_paths
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--execution_log_binary_file=path
--execution_log_compact_file=path
--execution_log_json_file=path
--execution_log_sort
--noexecution_log_sort
--expand_test_suites
--noexpand_test_suites
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_add_exec_constraints_to_targets=
--experimental_android_compress_java_resources
--noexperimental_android_compress_java_resources
--experimental_android_databinding_v2
--noexperimental_android_databinding_v2
--experimental_android_resource_shrinking
--noexperimental_android_resource_shrinking
--experimental_android_rewrite_dexes_with_rex
--noexperimental_android_rewrite_dexes_with_rex
--experimental_android_use_parallel_dex2oat
--noexperimental_android_use_parallel_dex2oat
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cancel_concurrent_tests
--noexperimental_cancel_concurrent_tests
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_check_desugar_deps
--noexperimental_check_desugar_deps
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_local_sandbox_action_metrics
--noexperimental_collect_local_sandbox_action_metrics
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_convenience_symlinks={normal,clean,ignore,log_only}
--experimental_convenience_symlinks_bep_event
--noexperimental_convenience_symlinks_bep_event
--experimental_cpu_load_scheduling
--noexperimental_cpu_load_scheduling
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_docker_image=
--experimental_docker_privileged
--noexperimental_docker_privileged
--experimental_docker_use_customized_images
--noexperimental_docker_use_customized_images
--experimental_docker_verbose
--noexperimental_docker_verbose
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_dynamic_exclude_tools
--noexperimental_dynamic_exclude_tools
--experimental_dynamic_ignore_local_signals=
--experimental_dynamic_local_load_factor=
--experimental_dynamic_slow_remote_time=
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_docker_sandbox
--noexperimental_enable_docker_sandbox
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_skyfocus
--noexperimental_enable_skyfocus
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_extra_action_filter=
--experimental_extra_action_top_level_only
--noexperimental_extra_action_top_level_only
--experimental_fetch_all_coverage_outputs
--noexperimental_fetch_all_coverage_outputs
--experimental_filter_library_jar_with_program_jar
--noexperimental_filter_library_jar_with_program_jar
--experimental_generate_llvm_lcov
--noexperimental_generate_llvm_lcov
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_import_deps_checking=
--experimental_include_xcode_execution_requirements
--noexperimental_include_xcode_execution_requirements
--experimental_inmemory_dotd_files
--noexperimental_inmemory_dotd_files
--experimental_inmemory_jdeps_files
--noexperimental_inmemory_jdeps_files
--experimental_inmemory_sandbox_stashes
--noexperimental_inmemory_sandbox_stashes
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_j2objc_header_map
--noexperimental_j2objc_header_map
--experimental_j2objc_shorter_header_path
--noexperimental_j2objc_shorter_header_path
--experimental_java_classpath={off,javabuilder,bazel,bazel_no_fallback}
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_limit_android_lint_to_android_constrained_java
--noexperimental_limit_android_lint_to_android_constrained_java
--experimental_materialize_param_files_directly
--noexperimental_materialize_param_files_directly
--experimental_objc_fastbuild_options=
--experimental_omitfp
--noexperimental_omitfp
--experimental_one_version_enforcement={off,warning,error}
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_parallel_aquery_output
--noexperimental_parallel_aquery_output
--experimental_persistent_aar_extractor
--noexperimental_persistent_aar_extractor
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_prefer_mutual_xcode
--noexperimental_prefer_mutual_xcode
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_proto_descriptor_sets_include_source_info
--noexperimental_proto_descriptor_sets_include_source_info
--experimental_py_binaries_include_label
--noexperimental_py_binaries_include_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_eviction_retries=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_repository_resolved_file=
--experimental_resolved_file_instead_of_workspace=
--experimental_retain_test_configuration_across_testonly
--noexperimental_retain_test_configuration_across_testonly
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_android_lint_on_java_rules
--noexperimental_run_android_lint_on_java_rules
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_sandbox_async_tree_delete_idle_threads=
--experimental_sandbox_enforce_resources_regexp=
--experimental_sandbox_limits=
--experimental_sandbox_memory_limit_mb=
--experimental_sandboxfs_map_symlink_targets
--noexperimental_sandboxfs_map_symlink_targets
--experimental_save_feature_state
--noexperimental_save_feature_state
--experimental_scale_timeouts=
--experimental_shrink_worker_pool
--noexperimental_shrink_worker_pool
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_skyfocus_dump_keys={none,count,verbose}
--experimental_skyfocus_dump_post_gc_stats
--noexperimental_skyfocus_dump_post_gc_stats
--experimental_skyfocus_handling_strategy={strict,warn}
--experimental_spawn_scheduler
--experimental_split_coverage_postprocessing
--noexperimental_split_coverage_postprocessing
--experimental_split_xml_generation
--noexperimental_split_xml_generation
--experimental_starlark_cc_import
--noexperimental_starlark_cc_import
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_strict_java_deps={off,warn,error,strict,default}
--experimental_total_worker_memory_limit_mb=
--experimental_ui_max_stdouterr_bytes=
--experimental_unsupported_and_brittle_include_scanning
--noexperimental_unsupported_and_brittle_include_scanning
--experimental_use_hermetic_linux_sandbox
--noexperimental_use_hermetic_linux_sandbox
--experimental_use_llvm_covmap
--noexperimental_use_llvm_covmap
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_use_semaphore_for_jobs
--noexperimental_use_semaphore_for_jobs
--experimental_use_validation_aspect
--noexperimental_use_validation_aspect
--experimental_use_windows_sandbox={auto,yes,no}
--noexperimental_use_windows_sandbox
--experimental_windows_sandbox_path=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_allowlist=
--experimental_worker_as_resource
--noexperimental_worker_as_resource
--experimental_worker_cancellation
--noexperimental_worker_cancellation
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_worker_memory_limit_mb=
--experimental_worker_metrics_poll_interval=
--experimental_worker_multiplex_sandboxing
--noexperimental_worker_multiplex_sandboxing
--experimental_worker_sandbox_hardening
--noexperimental_worker_sandbox_hardening
--experimental_worker_sandbox_inmemory_tracking=
--experimental_worker_strict_flagfiles
--noexperimental_worker_strict_flagfiles
--experimental_working_set=
--experimental_workspace_rules_log_file=path
--explain=path
--explicit_java_test_deps
--noexplicit_java_test_deps
--extra_execution_platforms=
--extra_toolchains=
--fat_apk_hwasan
--nofat_apk_hwasan
--fdo_instrument=
--fdo_optimize=
--fdo_prefetch_hints=label
--fdo_profile=label
--features=
--fetch
--nofetch
--fission=
--flag_alias=
--flaky_test_attempts=
--force_pic
--noforce_pic
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--genrule_strategy=
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--grte_top=label
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--high_priority_workers=
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_compiler=
--host_conlyopt=
--host_copt=
--host_cpu=
--host_cxxopt=
--host_features=
--host_force_python={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--host_grte_top=label
--host_java_launcher=label
--host_javacopt=
--host_jvmopt=
--host_linkopt=
--host_macos_minimum_os=
--host_per_file_copt=
--host_platform=label
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--ignore_unsupported_sandboxing
--noignore_unsupported_sandboxing
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_sharding_support
--noincompatible_check_sharding_support
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_check_visibility_for_toolchains
--noincompatible_check_visibility_for_toolchains
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_default_to_explicit_init_py
--noincompatible_default_to_explicit_init_py
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_android_rules
--noincompatible_disable_native_android_rules
--incompatible_disable_native_apple_binary_rule
--noincompatible_disable_native_apple_binary_rule
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_legacy_py_provider
--noincompatible_disallow_legacy_py_provider
--incompatible_disallow_sdk_frameworks_attributes
--noincompatible_disallow_sdk_frameworks_attributes
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_dont_enable_host_nonhost_crosstool_features
--noincompatible_dont_enable_host_nonhost_crosstool_features
--incompatible_dont_use_javasourceinfoprovider
--noincompatible_dont_use_javasourceinfoprovider
--incompatible_enable_apple_toolchain_resolution
--noincompatible_enable_apple_toolchain_resolution
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_exclusive_test_sandboxed
--noincompatible_exclusive_test_sandboxed
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_legacy_local_fallback
--noincompatible_legacy_local_fallback
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_make_thinlto_command_lines_standalone
--noincompatible_make_thinlto_command_lines_standalone
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_objc_alwayslink_by_default
--noincompatible_objc_alwayslink_by_default
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_py2_outputs_are_suffixed
--noincompatible_py2_outputs_are_suffixed
--incompatible_py3_is_default
--noincompatible_py3_is_default
--incompatible_python_disable_py2
--noincompatible_python_disable_py2
--incompatible_python_disallow_native_rules
--noincompatible_python_disallow_native_rules
--incompatible_remote_use_new_exit_code_for_lost_inputs
--noincompatible_remote_use_new_exit_code_for_lost_inputs
--incompatible_remove_legacy_whole_archive
--noincompatible_remove_legacy_whole_archive
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_ctx_in_configure_features
--noincompatible_require_ctx_in_configure_features
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_sandbox_hermetic_tmp
--noincompatible_sandbox_hermetic_tmp
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_strict_action_env
--noincompatible_strict_action_env
--incompatible_strip_executable_safely
--noincompatible_strip_executable_safely
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_new_cgroup_implementation
--noincompatible_use_new_cgroup_implementation
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_use_python_toolchains
--noincompatible_use_python_toolchains
--incompatible_validate_top_level_header_inclusions
--noincompatible_validate_top_level_header_inclusions
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--incremental_dexing
--noincremental_dexing
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--interface_shared_objects
--nointerface_shared_objects
--internal_spawn_scheduler
--nointernal_spawn_scheduler
--invocation_id=
--ios_memleaks
--noios_memleaks
--ios_minimum_os=
--ios_multi_cpus=
--ios_sdk_version=
--ios_signing_cert_name=
--ios_simulator_device=
--ios_simulator_version=
--j2objc_translation_flags=
--java_debug
--java_deps
--nojava_deps
--java_header_compilation
--nojava_header_compilation
--java_language_version=
--java_launcher=label
--java_runtime_version=
--javacopt=
--jobs=
--jvm_heap_histogram_internal_object_pattern=
--jvmopt=
--keep_going
--nokeep_going
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--legacy_main_dex_list_generator=label
--legacy_whole_archive
--nolegacy_whole_archive
--linkopt=
--loading_phase_threads=
--local_cpu_resources=
--local_extra_resources=
--local_ram_resources=
--local_resources=
--local_termination_grace_seconds=
--local_test_jobs=
--lockfile_mode={off,update,refresh,error}
--logging=
--ltobackendopt=
--ltoindexopt=
--macos_cpus=
--macos_minimum_os=
--macos_sdk_version=
--materialize_param_files
--nomaterialize_param_files
--max_computation_steps=
--max_config_changes_to_show=
--max_test_output_bytes=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--memprof_profile=label
--minimum_os_version=
--modify_execution_info=
--nested_set_depth_limit=
--objc_debug_with_GLIBCXX
--noobjc_debug_with_GLIBCXX
--objc_enable_binary_stripping
--noobjc_enable_binary_stripping
--objc_generate_linkmap
--noobjc_generate_linkmap
--objc_use_dotd_pruning
--noobjc_use_dotd_pruning
--objccopt=
--one_version_enforcement_on_java_tests
--noone_version_enforcement_on_java_tests
--optimizing_dexer=label
--output_filter=
--output_groups=
--override_module=
--override_repository=
--package_path=
--per_file_copt=
--per_file_ltobackendopt=
--persistent_android_dex_desugar
--persistent_android_resource_processor
--persistent_multiplex_android_dex_desugar
--persistent_multiplex_android_resource_processor
--persistent_multiplex_android_tools
--platform_mappings=
--platform_suffix=
--platforms=
--plugin=
--process_headers_in_dependencies
--noprocess_headers_in_dependencies
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--progress_report_interval=
--proguard_top=label
--propeller_optimize=label
--propeller_optimize_absolute_cc_profile=
--propeller_optimize_absolute_ld_profile=
--proto_compiler=label
--proto_profile
--noproto_profile
--proto_profile_path=label
--proto_toolchain_for_cc=label
--proto_toolchain_for_j2objc=label
--proto_toolchain_for_java=label
--proto_toolchain_for_javalite=label
--protocopt=
--python_native_rules_allowlist=label
--python_path=
--python_top=label
--python_version={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--reuse_sandbox_directories
--noreuse_sandbox_directories
--run_under=
--run_validations
--norun_validations
--runs_per_test=
--runs_per_test_detects_flakes
--noruns_per_test_detects_flakes
--sandbox_add_mount_pair=
--sandbox_base=
--sandbox_block_path=
--sandbox_debug
--nosandbox_debug
--sandbox_default_allow_network
--nosandbox_default_allow_network
--sandbox_explicit_pseudoterminal
--nosandbox_explicit_pseudoterminal
--sandbox_fake_hostname
--nosandbox_fake_hostname
--sandbox_fake_username
--nosandbox_fake_username
--sandbox_tmpfs_path=
--sandbox_writable_path=
--save_temps
--nosave_temps
--separate_aspect_deps
--noseparate_aspect_deps
--serialized_frontier_profile=
--share_native_deps
--noshare_native_deps
--shell_executable=path
--show_loading_progress
--noshow_loading_progress
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_result=
--show_timestamps
--noshow_timestamps
--skip_incompatible_explicit_targets
--noskip_incompatible_explicit_targets
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--spawn_strategy=
--stamp
--nostamp
--starlark_cpu_profile=
--strategy=
--strategy_regexp=
--strict_filesets
--nostrict_filesets
--strict_proto_deps={off,warn,error,strict,default}
--strict_public_imports={off,warn,error,strict,default}
--strict_system_includes
--nostrict_system_includes
--strip={always,sometimes,never}
--stripopt=
--subcommands={true,pretty_print,false}
--symlink_prefix=
--target_environment=
--target_pattern_file=
--target_platform_fallback=
--test_arg=
--test_env=
--test_filter=
--test_keep_going
--notest_keep_going
--test_lang_filters=
--test_output={summary,errors,all,streamed}
--test_result_expiration=
--test_runner_fail_fast
--notest_runner_fail_fast
--test_sharding_strategy=
--test_size_filters=
--test_strategy=
--test_summary={short,terse,detailed,none,testcase}
--test_tag_filters=
--test_timeout=
--test_timeout_filters=
--test_tmpdir=path
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_java_language_version=
--tool_java_runtime_version=
--tool_tag=
--toolchain_resolution_debug=
--track_incremental_state
--notrack_incremental_state
--trim_test_configuration
--notrim_test_configuration
--tvos_cpus=
--tvos_minimum_os=
--tvos_sdk_version=
--ui_actions_shown=
--ui_event_filters=
--use_ijars
--nouse_ijars
--use_target_platform_for_tests
--nouse_target_platform_for_tests
--vendor_dir=path
--verbose_explanations
--noverbose_explanations
--verbose_failures
--noverbose_failures
--visionos_cpus=
--watchfs
--nowatchfs
--watchos_cpus=
--watchos_minimum_os=
--watchos_sdk_version=
--worker_extra_flag=
--worker_max_instances=
--worker_max_multiplex_instances=
--worker_multiplex
--noworker_multiplex
--worker_quit_after_build
--noworker_quit_after_build
--worker_sandboxing
--noworker_sandboxing
--worker_verbose
--noworker_verbose
--workspace_status_command=path
--xbinary_fdo=label
--xcode_version=
--xcode_version_config=label
--zip_undeclared_test_outputs
--nozip_undeclared_test_outputs
"
BAZEL_COMMAND_CANONICALIZE_FLAGS_FLAGS="
--action_env=
--allow_analysis_cache_discard
--noallow_analysis_cache_discard
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--android_compiler=
--android_databinding_use_androidx
--noandroid_databinding_use_androidx
--android_databinding_use_v3_4_args
--noandroid_databinding_use_v3_4_args
--android_dynamic_mode={off,default,fully}
--android_manifest_merger={legacy,android,force_android}
--android_manifest_merger_order={alphabetical,alphabetical_by_configuration,dependency}
--android_platforms=
--android_resource_shrinking
--noandroid_resource_shrinking
--announce_rc
--noannounce_rc
--apk_signing_method={v1,v2,v1_v2,v4}
--apple_crosstool_top=label
--apple_generate_dsym
--noapple_generate_dsym
--aspects=
--aspects_parameters=
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--auto_output_filter={none,all,packages,subpackages}
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--break_build_on_parallel_dex2oat_failure
--nobreak_build_on_parallel_dex2oat_failure
--build
--nobuild
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_manual_tests
--nobuild_manual_tests
--build_metadata=
--build_python_zip={auto,yes,no}
--nobuild_python_zip
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--build_tag_filters=
--build_test_dwp
--nobuild_test_dwp
--build_tests_only
--nobuild_tests_only
--cache_computed_file_digests=
--cache_test_results={auto,yes,no}
--nocache_test_results
--canonicalize_policy
--nocanonicalize_policy
--catalyst_cpus=
--cc_output_directory_tag=
--cc_proto_library_header_suffixes=
--cc_proto_library_source_suffixes=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_tests_up_to_date
--nocheck_tests_up_to_date
--check_up_to_date
--nocheck_up_to_date
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--combined_report={none,lcov}
--compilation_mode={fastbuild,dbg,opt}
--compile_one_dependency
--nocompile_one_dependency
--compiler=
--config=
--conlyopt=
--copt=
--coverage_output_generator=label
--coverage_report_generator=label
--coverage_support=label
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--cs_fdo_absolute_path=
--cs_fdo_instrument=
--cs_fdo_profile=label
--curses={yes,no,auto}
--custom_malloc=label
--cxxopt=
--debug_spawn_scheduler
--nodebug_spawn_scheduler
--default_test_resources=
--define=
--deleted_packages=
--desugar_for_android
--nodesugar_for_android
--desugar_java8_libs
--nodesugar_java8_libs
--device_debug_entitlements
--nodevice_debug_entitlements
--discard_analysis_cache
--nodiscard_analysis_cache
--disk_cache=path
--distdir=
--downloader_config=path
--dynamic_local_execution_delay=
--dynamic_local_strategy=
--dynamic_mode={off,default,fully}
--dynamic_remote_strategy=
--embed_label=
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_propeller_optimize_absolute_paths
--noenable_propeller_optimize_absolute_paths
--enable_remaining_fdo_absolute_paths
--noenable_remaining_fdo_absolute_paths
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--execution_log_binary_file=path
--execution_log_compact_file=path
--execution_log_json_file=path
--execution_log_sort
--noexecution_log_sort
--expand_test_suites
--noexpand_test_suites
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_add_exec_constraints_to_targets=
--experimental_android_compress_java_resources
--noexperimental_android_compress_java_resources
--experimental_android_databinding_v2
--noexperimental_android_databinding_v2
--experimental_android_resource_shrinking
--noexperimental_android_resource_shrinking
--experimental_android_rewrite_dexes_with_rex
--noexperimental_android_rewrite_dexes_with_rex
--experimental_android_use_parallel_dex2oat
--noexperimental_android_use_parallel_dex2oat
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cancel_concurrent_tests
--noexperimental_cancel_concurrent_tests
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_check_desugar_deps
--noexperimental_check_desugar_deps
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_local_sandbox_action_metrics
--noexperimental_collect_local_sandbox_action_metrics
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_convenience_symlinks={normal,clean,ignore,log_only}
--experimental_convenience_symlinks_bep_event
--noexperimental_convenience_symlinks_bep_event
--experimental_cpu_load_scheduling
--noexperimental_cpu_load_scheduling
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_docker_image=
--experimental_docker_privileged
--noexperimental_docker_privileged
--experimental_docker_use_customized_images
--noexperimental_docker_use_customized_images
--experimental_docker_verbose
--noexperimental_docker_verbose
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_dynamic_exclude_tools
--noexperimental_dynamic_exclude_tools
--experimental_dynamic_ignore_local_signals=
--experimental_dynamic_local_load_factor=
--experimental_dynamic_slow_remote_time=
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_docker_sandbox
--noexperimental_enable_docker_sandbox
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_skyfocus
--noexperimental_enable_skyfocus
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_extra_action_filter=
--experimental_extra_action_top_level_only
--noexperimental_extra_action_top_level_only
--experimental_fetch_all_coverage_outputs
--noexperimental_fetch_all_coverage_outputs
--experimental_filter_library_jar_with_program_jar
--noexperimental_filter_library_jar_with_program_jar
--experimental_generate_llvm_lcov
--noexperimental_generate_llvm_lcov
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_import_deps_checking=
--experimental_include_default_values
--noexperimental_include_default_values
--experimental_include_xcode_execution_requirements
--noexperimental_include_xcode_execution_requirements
--experimental_inmemory_dotd_files
--noexperimental_inmemory_dotd_files
--experimental_inmemory_jdeps_files
--noexperimental_inmemory_jdeps_files
--experimental_inmemory_sandbox_stashes
--noexperimental_inmemory_sandbox_stashes
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_j2objc_header_map
--noexperimental_j2objc_header_map
--experimental_j2objc_shorter_header_path
--noexperimental_j2objc_shorter_header_path
--experimental_java_classpath={off,javabuilder,bazel,bazel_no_fallback}
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_limit_android_lint_to_android_constrained_java
--noexperimental_limit_android_lint_to_android_constrained_java
--experimental_materialize_param_files_directly
--noexperimental_materialize_param_files_directly
--experimental_objc_fastbuild_options=
--experimental_omitfp
--noexperimental_omitfp
--experimental_one_version_enforcement={off,warning,error}
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_parallel_aquery_output
--noexperimental_parallel_aquery_output
--experimental_persistent_aar_extractor
--noexperimental_persistent_aar_extractor
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_prefer_mutual_xcode
--noexperimental_prefer_mutual_xcode
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_proto_descriptor_sets_include_source_info
--noexperimental_proto_descriptor_sets_include_source_info
--experimental_py_binaries_include_label
--noexperimental_py_binaries_include_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_eviction_retries=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_repository_resolved_file=
--experimental_resolved_file_instead_of_workspace=
--experimental_retain_test_configuration_across_testonly
--noexperimental_retain_test_configuration_across_testonly
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_android_lint_on_java_rules
--noexperimental_run_android_lint_on_java_rules
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_sandbox_async_tree_delete_idle_threads=
--experimental_sandbox_enforce_resources_regexp=
--experimental_sandbox_limits=
--experimental_sandbox_memory_limit_mb=
--experimental_sandboxfs_map_symlink_targets
--noexperimental_sandboxfs_map_symlink_targets
--experimental_save_feature_state
--noexperimental_save_feature_state
--experimental_scale_timeouts=
--experimental_shrink_worker_pool
--noexperimental_shrink_worker_pool
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_skyfocus_dump_keys={none,count,verbose}
--experimental_skyfocus_dump_post_gc_stats
--noexperimental_skyfocus_dump_post_gc_stats
--experimental_skyfocus_handling_strategy={strict,warn}
--experimental_spawn_scheduler
--experimental_split_coverage_postprocessing
--noexperimental_split_coverage_postprocessing
--experimental_split_xml_generation
--noexperimental_split_xml_generation
--experimental_starlark_cc_import
--noexperimental_starlark_cc_import
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_strict_java_deps={off,warn,error,strict,default}
--experimental_total_worker_memory_limit_mb=
--experimental_ui_max_stdouterr_bytes=
--experimental_unsupported_and_brittle_include_scanning
--noexperimental_unsupported_and_brittle_include_scanning
--experimental_use_hermetic_linux_sandbox
--noexperimental_use_hermetic_linux_sandbox
--experimental_use_llvm_covmap
--noexperimental_use_llvm_covmap
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_use_semaphore_for_jobs
--noexperimental_use_semaphore_for_jobs
--experimental_use_validation_aspect
--noexperimental_use_validation_aspect
--experimental_use_windows_sandbox={auto,yes,no}
--noexperimental_use_windows_sandbox
--experimental_windows_sandbox_path=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_allowlist=
--experimental_worker_as_resource
--noexperimental_worker_as_resource
--experimental_worker_cancellation
--noexperimental_worker_cancellation
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_worker_memory_limit_mb=
--experimental_worker_metrics_poll_interval=
--experimental_worker_multiplex_sandboxing
--noexperimental_worker_multiplex_sandboxing
--experimental_worker_sandbox_hardening
--noexperimental_worker_sandbox_hardening
--experimental_worker_sandbox_inmemory_tracking=
--experimental_worker_strict_flagfiles
--noexperimental_worker_strict_flagfiles
--experimental_working_set=
--experimental_workspace_rules_log_file=path
--explain=path
--explicit_java_test_deps
--noexplicit_java_test_deps
--extra_execution_platforms=
--extra_toolchains=
--fat_apk_hwasan
--nofat_apk_hwasan
--fdo_instrument=
--fdo_optimize=
--fdo_prefetch_hints=label
--fdo_profile=label
--features=
--fetch
--nofetch
--fission=
--flag_alias=
--flaky_test_attempts=
--for_command=
--force_pic
--noforce_pic
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--genrule_strategy=
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--grte_top=label
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--high_priority_workers=
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_compiler=
--host_conlyopt=
--host_copt=
--host_cpu=
--host_cxxopt=
--host_features=
--host_force_python={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--host_grte_top=label
--host_java_launcher=label
--host_javacopt=
--host_jvmopt=
--host_linkopt=
--host_macos_minimum_os=
--host_per_file_copt=
--host_platform=label
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--ignore_unsupported_sandboxing
--noignore_unsupported_sandboxing
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_sharding_support
--noincompatible_check_sharding_support
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_check_visibility_for_toolchains
--noincompatible_check_visibility_for_toolchains
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_default_to_explicit_init_py
--noincompatible_default_to_explicit_init_py
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_android_rules
--noincompatible_disable_native_android_rules
--incompatible_disable_native_apple_binary_rule
--noincompatible_disable_native_apple_binary_rule
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_legacy_py_provider
--noincompatible_disallow_legacy_py_provider
--incompatible_disallow_sdk_frameworks_attributes
--noincompatible_disallow_sdk_frameworks_attributes
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_dont_enable_host_nonhost_crosstool_features
--noincompatible_dont_enable_host_nonhost_crosstool_features
--incompatible_dont_use_javasourceinfoprovider
--noincompatible_dont_use_javasourceinfoprovider
--incompatible_enable_apple_toolchain_resolution
--noincompatible_enable_apple_toolchain_resolution
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_exclusive_test_sandboxed
--noincompatible_exclusive_test_sandboxed
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_legacy_local_fallback
--noincompatible_legacy_local_fallback
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_make_thinlto_command_lines_standalone
--noincompatible_make_thinlto_command_lines_standalone
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_objc_alwayslink_by_default
--noincompatible_objc_alwayslink_by_default
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_py2_outputs_are_suffixed
--noincompatible_py2_outputs_are_suffixed
--incompatible_py3_is_default
--noincompatible_py3_is_default
--incompatible_python_disable_py2
--noincompatible_python_disable_py2
--incompatible_python_disallow_native_rules
--noincompatible_python_disallow_native_rules
--incompatible_remote_use_new_exit_code_for_lost_inputs
--noincompatible_remote_use_new_exit_code_for_lost_inputs
--incompatible_remove_legacy_whole_archive
--noincompatible_remove_legacy_whole_archive
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_ctx_in_configure_features
--noincompatible_require_ctx_in_configure_features
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_sandbox_hermetic_tmp
--noincompatible_sandbox_hermetic_tmp
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_strict_action_env
--noincompatible_strict_action_env
--incompatible_strip_executable_safely
--noincompatible_strip_executable_safely
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_new_cgroup_implementation
--noincompatible_use_new_cgroup_implementation
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_use_python_toolchains
--noincompatible_use_python_toolchains
--incompatible_validate_top_level_header_inclusions
--noincompatible_validate_top_level_header_inclusions
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--incremental_dexing
--noincremental_dexing
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--interface_shared_objects
--nointerface_shared_objects
--internal_spawn_scheduler
--nointernal_spawn_scheduler
--invocation_id=
--invocation_policy=
--ios_memleaks
--noios_memleaks
--ios_minimum_os=
--ios_multi_cpus=
--ios_sdk_version=
--ios_signing_cert_name=
--ios_simulator_device=
--ios_simulator_version=
--j2objc_translation_flags=
--java_debug
--java_deps
--nojava_deps
--java_header_compilation
--nojava_header_compilation
--java_language_version=
--java_launcher=label
--java_runtime_version=
--javacopt=
--jobs=
--jvm_heap_histogram_internal_object_pattern=
--jvmopt=
--keep_going
--nokeep_going
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--legacy_main_dex_list_generator=label
--legacy_whole_archive
--nolegacy_whole_archive
--linkopt=
--loading_phase_threads=
--local_cpu_resources=
--local_extra_resources=
--local_ram_resources=
--local_resources=
--local_termination_grace_seconds=
--local_test_jobs=
--lockfile_mode={off,update,refresh,error}
--logging=
--ltobackendopt=
--ltoindexopt=
--macos_cpus=
--macos_minimum_os=
--macos_sdk_version=
--materialize_param_files
--nomaterialize_param_files
--max_computation_steps=
--max_config_changes_to_show=
--max_test_output_bytes=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--memprof_profile=label
--minimum_os_version=
--modify_execution_info=
--nested_set_depth_limit=
--objc_debug_with_GLIBCXX
--noobjc_debug_with_GLIBCXX
--objc_enable_binary_stripping
--noobjc_enable_binary_stripping
--objc_generate_linkmap
--noobjc_generate_linkmap
--objc_use_dotd_pruning
--noobjc_use_dotd_pruning
--objccopt=
--one_version_enforcement_on_java_tests
--noone_version_enforcement_on_java_tests
--optimizing_dexer=label
--output_filter=
--output_groups=
--override_module=
--override_repository=
--package_path=
--per_file_copt=
--per_file_ltobackendopt=
--persistent_android_dex_desugar
--persistent_android_resource_processor
--persistent_multiplex_android_dex_desugar
--persistent_multiplex_android_resource_processor
--persistent_multiplex_android_tools
--platform_mappings=
--platform_suffix=
--platforms=
--plugin=
--process_headers_in_dependencies
--noprocess_headers_in_dependencies
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--progress_report_interval=
--proguard_top=label
--propeller_optimize=label
--propeller_optimize_absolute_cc_profile=
--propeller_optimize_absolute_ld_profile=
--proto_compiler=label
--proto_profile
--noproto_profile
--proto_profile_path=label
--proto_toolchain_for_cc=label
--proto_toolchain_for_j2objc=label
--proto_toolchain_for_java=label
--proto_toolchain_for_javalite=label
--protocopt=
--python_native_rules_allowlist=label
--python_path=
--python_top=label
--python_version={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--reuse_sandbox_directories
--noreuse_sandbox_directories
--run_under=
--run_validations
--norun_validations
--runs_per_test=
--runs_per_test_detects_flakes
--noruns_per_test_detects_flakes
--sandbox_add_mount_pair=
--sandbox_base=
--sandbox_block_path=
--sandbox_debug
--nosandbox_debug
--sandbox_default_allow_network
--nosandbox_default_allow_network
--sandbox_explicit_pseudoterminal
--nosandbox_explicit_pseudoterminal
--sandbox_fake_hostname
--nosandbox_fake_hostname
--sandbox_fake_username
--nosandbox_fake_username
--sandbox_tmpfs_path=
--sandbox_writable_path=
--save_temps
--nosave_temps
--separate_aspect_deps
--noseparate_aspect_deps
--serialized_frontier_profile=
--share_native_deps
--noshare_native_deps
--shell_executable=path
--show_loading_progress
--noshow_loading_progress
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_result=
--show_timestamps
--noshow_timestamps
--skip_incompatible_explicit_targets
--noskip_incompatible_explicit_targets
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--spawn_strategy=
--stamp
--nostamp
--starlark_cpu_profile=
--strategy=
--strategy_regexp=
--strict_filesets
--nostrict_filesets
--strict_proto_deps={off,warn,error,strict,default}
--strict_public_imports={off,warn,error,strict,default}
--strict_system_includes
--nostrict_system_includes
--strip={always,sometimes,never}
--stripopt=
--subcommands={true,pretty_print,false}
--symlink_prefix=
--target_environment=
--target_pattern_file=
--target_platform_fallback=
--test_arg=
--test_env=
--test_filter=
--test_keep_going
--notest_keep_going
--test_lang_filters=
--test_output={summary,errors,all,streamed}
--test_result_expiration=
--test_runner_fail_fast
--notest_runner_fail_fast
--test_sharding_strategy=
--test_size_filters=
--test_strategy=
--test_summary={short,terse,detailed,none,testcase}
--test_tag_filters=
--test_timeout=
--test_timeout_filters=
--test_tmpdir=path
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_java_language_version=
--tool_java_runtime_version=
--tool_tag=
--toolchain_resolution_debug=
--track_incremental_state
--notrack_incremental_state
--trim_test_configuration
--notrim_test_configuration
--tvos_cpus=
--tvos_minimum_os=
--tvos_sdk_version=
--ui_actions_shown=
--ui_event_filters=
--use_ijars
--nouse_ijars
--use_target_platform_for_tests
--nouse_target_platform_for_tests
--vendor_dir=path
--verbose_explanations
--noverbose_explanations
--verbose_failures
--noverbose_failures
--visionos_cpus=
--watchfs
--nowatchfs
--watchos_cpus=
--watchos_minimum_os=
--watchos_sdk_version=
--worker_extra_flag=
--worker_max_instances=
--worker_max_multiplex_instances=
--worker_multiplex
--noworker_multiplex
--worker_quit_after_build
--noworker_quit_after_build
--worker_sandboxing
--noworker_sandboxing
--worker_verbose
--noworker_verbose
--workspace_status_command=path
--xbinary_fdo=label
--xcode_version=
--xcode_version_config=label
--zip_undeclared_test_outputs
--nozip_undeclared_test_outputs
"
BAZEL_COMMAND_CLEAN_FLAGS="
--action_env=
--allow_analysis_cache_discard
--noallow_analysis_cache_discard
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--android_compiler=
--android_databinding_use_androidx
--noandroid_databinding_use_androidx
--android_databinding_use_v3_4_args
--noandroid_databinding_use_v3_4_args
--android_dynamic_mode={off,default,fully}
--android_manifest_merger={legacy,android,force_android}
--android_manifest_merger_order={alphabetical,alphabetical_by_configuration,dependency}
--android_platforms=
--android_resource_shrinking
--noandroid_resource_shrinking
--announce_rc
--noannounce_rc
--apk_signing_method={v1,v2,v1_v2,v4}
--apple_crosstool_top=label
--apple_generate_dsym
--noapple_generate_dsym
--aspects=
--aspects_parameters=
--async
--noasync
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--auto_output_filter={none,all,packages,subpackages}
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--break_build_on_parallel_dex2oat_failure
--nobreak_build_on_parallel_dex2oat_failure
--build
--nobuild
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_manual_tests
--nobuild_manual_tests
--build_metadata=
--build_python_zip={auto,yes,no}
--nobuild_python_zip
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--build_tag_filters=
--build_test_dwp
--nobuild_test_dwp
--build_tests_only
--nobuild_tests_only
--cache_computed_file_digests=
--cache_test_results={auto,yes,no}
--nocache_test_results
--catalyst_cpus=
--cc_output_directory_tag=
--cc_proto_library_header_suffixes=
--cc_proto_library_source_suffixes=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_tests_up_to_date
--nocheck_tests_up_to_date
--check_up_to_date
--nocheck_up_to_date
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--combined_report={none,lcov}
--compilation_mode={fastbuild,dbg,opt}
--compile_one_dependency
--nocompile_one_dependency
--compiler=
--config=
--conlyopt=
--copt=
--coverage_output_generator=label
--coverage_report_generator=label
--coverage_support=label
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--cs_fdo_absolute_path=
--cs_fdo_instrument=
--cs_fdo_profile=label
--curses={yes,no,auto}
--custom_malloc=label
--cxxopt=
--debug_spawn_scheduler
--nodebug_spawn_scheduler
--default_test_resources=
--define=
--deleted_packages=
--desugar_for_android
--nodesugar_for_android
--desugar_java8_libs
--nodesugar_java8_libs
--device_debug_entitlements
--nodevice_debug_entitlements
--discard_analysis_cache
--nodiscard_analysis_cache
--disk_cache=path
--distdir=
--downloader_config=path
--dynamic_local_execution_delay=
--dynamic_local_strategy=
--dynamic_mode={off,default,fully}
--dynamic_remote_strategy=
--embed_label=
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_propeller_optimize_absolute_paths
--noenable_propeller_optimize_absolute_paths
--enable_remaining_fdo_absolute_paths
--noenable_remaining_fdo_absolute_paths
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--execution_log_binary_file=path
--execution_log_compact_file=path
--execution_log_json_file=path
--execution_log_sort
--noexecution_log_sort
--expand_test_suites
--noexpand_test_suites
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_add_exec_constraints_to_targets=
--experimental_android_compress_java_resources
--noexperimental_android_compress_java_resources
--experimental_android_databinding_v2
--noexperimental_android_databinding_v2
--experimental_android_resource_shrinking
--noexperimental_android_resource_shrinking
--experimental_android_rewrite_dexes_with_rex
--noexperimental_android_rewrite_dexes_with_rex
--experimental_android_use_parallel_dex2oat
--noexperimental_android_use_parallel_dex2oat
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cancel_concurrent_tests
--noexperimental_cancel_concurrent_tests
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_check_desugar_deps
--noexperimental_check_desugar_deps
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_local_sandbox_action_metrics
--noexperimental_collect_local_sandbox_action_metrics
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_convenience_symlinks={normal,clean,ignore,log_only}
--experimental_convenience_symlinks_bep_event
--noexperimental_convenience_symlinks_bep_event
--experimental_cpu_load_scheduling
--noexperimental_cpu_load_scheduling
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_docker_image=
--experimental_docker_privileged
--noexperimental_docker_privileged
--experimental_docker_use_customized_images
--noexperimental_docker_use_customized_images
--experimental_docker_verbose
--noexperimental_docker_verbose
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_dynamic_exclude_tools
--noexperimental_dynamic_exclude_tools
--experimental_dynamic_ignore_local_signals=
--experimental_dynamic_local_load_factor=
--experimental_dynamic_slow_remote_time=
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_docker_sandbox
--noexperimental_enable_docker_sandbox
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_skyfocus
--noexperimental_enable_skyfocus
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_extra_action_filter=
--experimental_extra_action_top_level_only
--noexperimental_extra_action_top_level_only
--experimental_fetch_all_coverage_outputs
--noexperimental_fetch_all_coverage_outputs
--experimental_filter_library_jar_with_program_jar
--noexperimental_filter_library_jar_with_program_jar
--experimental_generate_llvm_lcov
--noexperimental_generate_llvm_lcov
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_import_deps_checking=
--experimental_include_xcode_execution_requirements
--noexperimental_include_xcode_execution_requirements
--experimental_inmemory_dotd_files
--noexperimental_inmemory_dotd_files
--experimental_inmemory_jdeps_files
--noexperimental_inmemory_jdeps_files
--experimental_inmemory_sandbox_stashes
--noexperimental_inmemory_sandbox_stashes
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_j2objc_header_map
--noexperimental_j2objc_header_map
--experimental_j2objc_shorter_header_path
--noexperimental_j2objc_shorter_header_path
--experimental_java_classpath={off,javabuilder,bazel,bazel_no_fallback}
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_limit_android_lint_to_android_constrained_java
--noexperimental_limit_android_lint_to_android_constrained_java
--experimental_materialize_param_files_directly
--noexperimental_materialize_param_files_directly
--experimental_objc_fastbuild_options=
--experimental_omitfp
--noexperimental_omitfp
--experimental_one_version_enforcement={off,warning,error}
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_parallel_aquery_output
--noexperimental_parallel_aquery_output
--experimental_persistent_aar_extractor
--noexperimental_persistent_aar_extractor
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_prefer_mutual_xcode
--noexperimental_prefer_mutual_xcode
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_proto_descriptor_sets_include_source_info
--noexperimental_proto_descriptor_sets_include_source_info
--experimental_py_binaries_include_label
--noexperimental_py_binaries_include_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_eviction_retries=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_repository_resolved_file=
--experimental_resolved_file_instead_of_workspace=
--experimental_retain_test_configuration_across_testonly
--noexperimental_retain_test_configuration_across_testonly
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_android_lint_on_java_rules
--noexperimental_run_android_lint_on_java_rules
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_sandbox_async_tree_delete_idle_threads=
--experimental_sandbox_enforce_resources_regexp=
--experimental_sandbox_limits=
--experimental_sandbox_memory_limit_mb=
--experimental_sandboxfs_map_symlink_targets
--noexperimental_sandboxfs_map_symlink_targets
--experimental_save_feature_state
--noexperimental_save_feature_state
--experimental_scale_timeouts=
--experimental_shrink_worker_pool
--noexperimental_shrink_worker_pool
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_skyfocus_dump_keys={none,count,verbose}
--experimental_skyfocus_dump_post_gc_stats
--noexperimental_skyfocus_dump_post_gc_stats
--experimental_skyfocus_handling_strategy={strict,warn}
--experimental_spawn_scheduler
--experimental_split_coverage_postprocessing
--noexperimental_split_coverage_postprocessing
--experimental_split_xml_generation
--noexperimental_split_xml_generation
--experimental_starlark_cc_import
--noexperimental_starlark_cc_import
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_strict_java_deps={off,warn,error,strict,default}
--experimental_total_worker_memory_limit_mb=
--experimental_ui_max_stdouterr_bytes=
--experimental_unsupported_and_brittle_include_scanning
--noexperimental_unsupported_and_brittle_include_scanning
--experimental_use_hermetic_linux_sandbox
--noexperimental_use_hermetic_linux_sandbox
--experimental_use_llvm_covmap
--noexperimental_use_llvm_covmap
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_use_semaphore_for_jobs
--noexperimental_use_semaphore_for_jobs
--experimental_use_validation_aspect
--noexperimental_use_validation_aspect
--experimental_use_windows_sandbox={auto,yes,no}
--noexperimental_use_windows_sandbox
--experimental_windows_sandbox_path=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_allowlist=
--experimental_worker_as_resource
--noexperimental_worker_as_resource
--experimental_worker_cancellation
--noexperimental_worker_cancellation
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_worker_memory_limit_mb=
--experimental_worker_metrics_poll_interval=
--experimental_worker_multiplex_sandboxing
--noexperimental_worker_multiplex_sandboxing
--experimental_worker_sandbox_hardening
--noexperimental_worker_sandbox_hardening
--experimental_worker_sandbox_inmemory_tracking=
--experimental_worker_strict_flagfiles
--noexperimental_worker_strict_flagfiles
--experimental_working_set=
--experimental_workspace_rules_log_file=path
--explain=path
--explicit_java_test_deps
--noexplicit_java_test_deps
--expunge
--noexpunge
--expunge_async
--extra_execution_platforms=
--extra_toolchains=
--fat_apk_hwasan
--nofat_apk_hwasan
--fdo_instrument=
--fdo_optimize=
--fdo_prefetch_hints=label
--fdo_profile=label
--features=
--fetch
--nofetch
--fission=
--flag_alias=
--flaky_test_attempts=
--force_pic
--noforce_pic
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--genrule_strategy=
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--grte_top=label
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--high_priority_workers=
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_compiler=
--host_conlyopt=
--host_copt=
--host_cpu=
--host_cxxopt=
--host_features=
--host_force_python={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--host_grte_top=label
--host_java_launcher=label
--host_javacopt=
--host_jvmopt=
--host_linkopt=
--host_macos_minimum_os=
--host_per_file_copt=
--host_platform=label
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--ignore_unsupported_sandboxing
--noignore_unsupported_sandboxing
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_sharding_support
--noincompatible_check_sharding_support
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_check_visibility_for_toolchains
--noincompatible_check_visibility_for_toolchains
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_default_to_explicit_init_py
--noincompatible_default_to_explicit_init_py
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_android_rules
--noincompatible_disable_native_android_rules
--incompatible_disable_native_apple_binary_rule
--noincompatible_disable_native_apple_binary_rule
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_legacy_py_provider
--noincompatible_disallow_legacy_py_provider
--incompatible_disallow_sdk_frameworks_attributes
--noincompatible_disallow_sdk_frameworks_attributes
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_dont_enable_host_nonhost_crosstool_features
--noincompatible_dont_enable_host_nonhost_crosstool_features
--incompatible_dont_use_javasourceinfoprovider
--noincompatible_dont_use_javasourceinfoprovider
--incompatible_enable_apple_toolchain_resolution
--noincompatible_enable_apple_toolchain_resolution
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_exclusive_test_sandboxed
--noincompatible_exclusive_test_sandboxed
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_legacy_local_fallback
--noincompatible_legacy_local_fallback
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_make_thinlto_command_lines_standalone
--noincompatible_make_thinlto_command_lines_standalone
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_objc_alwayslink_by_default
--noincompatible_objc_alwayslink_by_default
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_py2_outputs_are_suffixed
--noincompatible_py2_outputs_are_suffixed
--incompatible_py3_is_default
--noincompatible_py3_is_default
--incompatible_python_disable_py2
--noincompatible_python_disable_py2
--incompatible_python_disallow_native_rules
--noincompatible_python_disallow_native_rules
--incompatible_remote_use_new_exit_code_for_lost_inputs
--noincompatible_remote_use_new_exit_code_for_lost_inputs
--incompatible_remove_legacy_whole_archive
--noincompatible_remove_legacy_whole_archive
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_ctx_in_configure_features
--noincompatible_require_ctx_in_configure_features
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_sandbox_hermetic_tmp
--noincompatible_sandbox_hermetic_tmp
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_strict_action_env
--noincompatible_strict_action_env
--incompatible_strip_executable_safely
--noincompatible_strip_executable_safely
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_new_cgroup_implementation
--noincompatible_use_new_cgroup_implementation
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_use_python_toolchains
--noincompatible_use_python_toolchains
--incompatible_validate_top_level_header_inclusions
--noincompatible_validate_top_level_header_inclusions
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--incremental_dexing
--noincremental_dexing
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--interface_shared_objects
--nointerface_shared_objects
--internal_spawn_scheduler
--nointernal_spawn_scheduler
--invocation_id=
--ios_memleaks
--noios_memleaks
--ios_minimum_os=
--ios_multi_cpus=
--ios_sdk_version=
--ios_signing_cert_name=
--ios_simulator_device=
--ios_simulator_version=
--j2objc_translation_flags=
--java_debug
--java_deps
--nojava_deps
--java_header_compilation
--nojava_header_compilation
--java_language_version=
--java_launcher=label
--java_runtime_version=
--javacopt=
--jobs=
--jvm_heap_histogram_internal_object_pattern=
--jvmopt=
--keep_going
--nokeep_going
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--legacy_main_dex_list_generator=label
--legacy_whole_archive
--nolegacy_whole_archive
--linkopt=
--loading_phase_threads=
--local_cpu_resources=
--local_extra_resources=
--local_ram_resources=
--local_resources=
--local_termination_grace_seconds=
--local_test_jobs=
--lockfile_mode={off,update,refresh,error}
--logging=
--ltobackendopt=
--ltoindexopt=
--macos_cpus=
--macos_minimum_os=
--macos_sdk_version=
--materialize_param_files
--nomaterialize_param_files
--max_computation_steps=
--max_config_changes_to_show=
--max_test_output_bytes=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--memprof_profile=label
--minimum_os_version=
--modify_execution_info=
--nested_set_depth_limit=
--objc_debug_with_GLIBCXX
--noobjc_debug_with_GLIBCXX
--objc_enable_binary_stripping
--noobjc_enable_binary_stripping
--objc_generate_linkmap
--noobjc_generate_linkmap
--objc_use_dotd_pruning
--noobjc_use_dotd_pruning
--objccopt=
--one_version_enforcement_on_java_tests
--noone_version_enforcement_on_java_tests
--optimizing_dexer=label
--output_filter=
--output_groups=
--override_module=
--override_repository=
--package_path=
--per_file_copt=
--per_file_ltobackendopt=
--persistent_android_dex_desugar
--persistent_android_resource_processor
--persistent_multiplex_android_dex_desugar
--persistent_multiplex_android_resource_processor
--persistent_multiplex_android_tools
--platform_mappings=
--platform_suffix=
--platforms=
--plugin=
--process_headers_in_dependencies
--noprocess_headers_in_dependencies
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--progress_report_interval=
--proguard_top=label
--propeller_optimize=label
--propeller_optimize_absolute_cc_profile=
--propeller_optimize_absolute_ld_profile=
--proto_compiler=label
--proto_profile
--noproto_profile
--proto_profile_path=label
--proto_toolchain_for_cc=label
--proto_toolchain_for_j2objc=label
--proto_toolchain_for_java=label
--proto_toolchain_for_javalite=label
--protocopt=
--python_native_rules_allowlist=label
--python_path=
--python_top=label
--python_version={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--reuse_sandbox_directories
--noreuse_sandbox_directories
--run_under=
--run_validations
--norun_validations
--runs_per_test=
--runs_per_test_detects_flakes
--noruns_per_test_detects_flakes
--sandbox_add_mount_pair=
--sandbox_base=
--sandbox_block_path=
--sandbox_debug
--nosandbox_debug
--sandbox_default_allow_network
--nosandbox_default_allow_network
--sandbox_explicit_pseudoterminal
--nosandbox_explicit_pseudoterminal
--sandbox_fake_hostname
--nosandbox_fake_hostname
--sandbox_fake_username
--nosandbox_fake_username
--sandbox_tmpfs_path=
--sandbox_writable_path=
--save_temps
--nosave_temps
--separate_aspect_deps
--noseparate_aspect_deps
--serialized_frontier_profile=
--share_native_deps
--noshare_native_deps
--shell_executable=path
--show_loading_progress
--noshow_loading_progress
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_result=
--show_timestamps
--noshow_timestamps
--skip_incompatible_explicit_targets
--noskip_incompatible_explicit_targets
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--spawn_strategy=
--stamp
--nostamp
--starlark_cpu_profile=
--strategy=
--strategy_regexp=
--strict_filesets
--nostrict_filesets
--strict_proto_deps={off,warn,error,strict,default}
--strict_public_imports={off,warn,error,strict,default}
--strict_system_includes
--nostrict_system_includes
--strip={always,sometimes,never}
--stripopt=
--subcommands={true,pretty_print,false}
--symlink_prefix=
--target_environment=
--target_pattern_file=
--target_platform_fallback=
--test_arg=
--test_env=
--test_filter=
--test_keep_going
--notest_keep_going
--test_lang_filters=
--test_output={summary,errors,all,streamed}
--test_result_expiration=
--test_runner_fail_fast
--notest_runner_fail_fast
--test_sharding_strategy=
--test_size_filters=
--test_strategy=
--test_summary={short,terse,detailed,none,testcase}
--test_tag_filters=
--test_timeout=
--test_timeout_filters=
--test_tmpdir=path
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_java_language_version=
--tool_java_runtime_version=
--tool_tag=
--toolchain_resolution_debug=
--track_incremental_state
--notrack_incremental_state
--trim_test_configuration
--notrim_test_configuration
--tvos_cpus=
--tvos_minimum_os=
--tvos_sdk_version=
--ui_actions_shown=
--ui_event_filters=
--use_ijars
--nouse_ijars
--use_target_platform_for_tests
--nouse_target_platform_for_tests
--vendor_dir=path
--verbose_explanations
--noverbose_explanations
--verbose_failures
--noverbose_failures
--visionos_cpus=
--watchfs
--nowatchfs
--watchos_cpus=
--watchos_minimum_os=
--watchos_sdk_version=
--worker_extra_flag=
--worker_max_instances=
--worker_max_multiplex_instances=
--worker_multiplex
--noworker_multiplex
--worker_quit_after_build
--noworker_quit_after_build
--worker_sandboxing
--noworker_sandboxing
--worker_verbose
--noworker_verbose
--workspace_status_command=path
--xbinary_fdo=label
--xcode_version=
--xcode_version_config=label
--zip_undeclared_test_outputs
--nozip_undeclared_test_outputs
"
BAZEL_COMMAND_CONFIG_ARGUMENT="string"
BAZEL_COMMAND_CONFIG_FLAGS="
--action_env=
--allow_analysis_cache_discard
--noallow_analysis_cache_discard
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--android_compiler=
--android_databinding_use_androidx
--noandroid_databinding_use_androidx
--android_databinding_use_v3_4_args
--noandroid_databinding_use_v3_4_args
--android_dynamic_mode={off,default,fully}
--android_manifest_merger={legacy,android,force_android}
--android_manifest_merger_order={alphabetical,alphabetical_by_configuration,dependency}
--android_platforms=
--android_resource_shrinking
--noandroid_resource_shrinking
--announce_rc
--noannounce_rc
--apk_signing_method={v1,v2,v1_v2,v4}
--apple_crosstool_top=label
--apple_generate_dsym
--noapple_generate_dsym
--aspects=
--aspects_parameters=
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--auto_output_filter={none,all,packages,subpackages}
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--break_build_on_parallel_dex2oat_failure
--nobreak_build_on_parallel_dex2oat_failure
--build
--nobuild
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_manual_tests
--nobuild_manual_tests
--build_metadata=
--build_python_zip={auto,yes,no}
--nobuild_python_zip
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--build_tag_filters=
--build_test_dwp
--nobuild_test_dwp
--build_tests_only
--nobuild_tests_only
--cache_computed_file_digests=
--cache_test_results={auto,yes,no}
--nocache_test_results
--catalyst_cpus=
--cc_output_directory_tag=
--cc_proto_library_header_suffixes=
--cc_proto_library_source_suffixes=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_tests_up_to_date
--nocheck_tests_up_to_date
--check_up_to_date
--nocheck_up_to_date
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--combined_report={none,lcov}
--compilation_mode={fastbuild,dbg,opt}
--compile_one_dependency
--nocompile_one_dependency
--compiler=
--config=
--conlyopt=
--copt=
--coverage_output_generator=label
--coverage_report_generator=label
--coverage_support=label
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--cs_fdo_absolute_path=
--cs_fdo_instrument=
--cs_fdo_profile=label
--curses={yes,no,auto}
--custom_malloc=label
--cxxopt=
--debug_spawn_scheduler
--nodebug_spawn_scheduler
--default_test_resources=
--define=
--deleted_packages=
--desugar_for_android
--nodesugar_for_android
--desugar_java8_libs
--nodesugar_java8_libs
--device_debug_entitlements
--nodevice_debug_entitlements
--discard_analysis_cache
--nodiscard_analysis_cache
--disk_cache=path
--distdir=
--downloader_config=path
--dump_all
--nodump_all
--dynamic_local_execution_delay=
--dynamic_local_strategy=
--dynamic_mode={off,default,fully}
--dynamic_remote_strategy=
--embed_label=
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_propeller_optimize_absolute_paths
--noenable_propeller_optimize_absolute_paths
--enable_remaining_fdo_absolute_paths
--noenable_remaining_fdo_absolute_paths
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--execution_log_binary_file=path
--execution_log_compact_file=path
--execution_log_json_file=path
--execution_log_sort
--noexecution_log_sort
--expand_test_suites
--noexpand_test_suites
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_add_exec_constraints_to_targets=
--experimental_android_compress_java_resources
--noexperimental_android_compress_java_resources
--experimental_android_databinding_v2
--noexperimental_android_databinding_v2
--experimental_android_resource_shrinking
--noexperimental_android_resource_shrinking
--experimental_android_rewrite_dexes_with_rex
--noexperimental_android_rewrite_dexes_with_rex
--experimental_android_use_parallel_dex2oat
--noexperimental_android_use_parallel_dex2oat
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cancel_concurrent_tests
--noexperimental_cancel_concurrent_tests
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_check_desugar_deps
--noexperimental_check_desugar_deps
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_local_sandbox_action_metrics
--noexperimental_collect_local_sandbox_action_metrics
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_convenience_symlinks={normal,clean,ignore,log_only}
--experimental_convenience_symlinks_bep_event
--noexperimental_convenience_symlinks_bep_event
--experimental_cpu_load_scheduling
--noexperimental_cpu_load_scheduling
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_docker_image=
--experimental_docker_privileged
--noexperimental_docker_privileged
--experimental_docker_use_customized_images
--noexperimental_docker_use_customized_images
--experimental_docker_verbose
--noexperimental_docker_verbose
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_dynamic_exclude_tools
--noexperimental_dynamic_exclude_tools
--experimental_dynamic_ignore_local_signals=
--experimental_dynamic_local_load_factor=
--experimental_dynamic_slow_remote_time=
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_docker_sandbox
--noexperimental_enable_docker_sandbox
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_skyfocus
--noexperimental_enable_skyfocus
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_extra_action_filter=
--experimental_extra_action_top_level_only
--noexperimental_extra_action_top_level_only
--experimental_fetch_all_coverage_outputs
--noexperimental_fetch_all_coverage_outputs
--experimental_filter_library_jar_with_program_jar
--noexperimental_filter_library_jar_with_program_jar
--experimental_generate_llvm_lcov
--noexperimental_generate_llvm_lcov
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_import_deps_checking=
--experimental_include_xcode_execution_requirements
--noexperimental_include_xcode_execution_requirements
--experimental_inmemory_dotd_files
--noexperimental_inmemory_dotd_files
--experimental_inmemory_jdeps_files
--noexperimental_inmemory_jdeps_files
--experimental_inmemory_sandbox_stashes
--noexperimental_inmemory_sandbox_stashes
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_j2objc_header_map
--noexperimental_j2objc_header_map
--experimental_j2objc_shorter_header_path
--noexperimental_j2objc_shorter_header_path
--experimental_java_classpath={off,javabuilder,bazel,bazel_no_fallback}
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_limit_android_lint_to_android_constrained_java
--noexperimental_limit_android_lint_to_android_constrained_java
--experimental_materialize_param_files_directly
--noexperimental_materialize_param_files_directly
--experimental_objc_fastbuild_options=
--experimental_omitfp
--noexperimental_omitfp
--experimental_one_version_enforcement={off,warning,error}
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_parallel_aquery_output
--noexperimental_parallel_aquery_output
--experimental_persistent_aar_extractor
--noexperimental_persistent_aar_extractor
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_prefer_mutual_xcode
--noexperimental_prefer_mutual_xcode
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_proto_descriptor_sets_include_source_info
--noexperimental_proto_descriptor_sets_include_source_info
--experimental_py_binaries_include_label
--noexperimental_py_binaries_include_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_eviction_retries=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_repository_resolved_file=
--experimental_resolved_file_instead_of_workspace=
--experimental_retain_test_configuration_across_testonly
--noexperimental_retain_test_configuration_across_testonly
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_android_lint_on_java_rules
--noexperimental_run_android_lint_on_java_rules
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_sandbox_async_tree_delete_idle_threads=
--experimental_sandbox_enforce_resources_regexp=
--experimental_sandbox_limits=
--experimental_sandbox_memory_limit_mb=
--experimental_sandboxfs_map_symlink_targets
--noexperimental_sandboxfs_map_symlink_targets
--experimental_save_feature_state
--noexperimental_save_feature_state
--experimental_scale_timeouts=
--experimental_shrink_worker_pool
--noexperimental_shrink_worker_pool
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_skyfocus_dump_keys={none,count,verbose}
--experimental_skyfocus_dump_post_gc_stats
--noexperimental_skyfocus_dump_post_gc_stats
--experimental_skyfocus_handling_strategy={strict,warn}
--experimental_spawn_scheduler
--experimental_split_coverage_postprocessing
--noexperimental_split_coverage_postprocessing
--experimental_split_xml_generation
--noexperimental_split_xml_generation
--experimental_starlark_cc_import
--noexperimental_starlark_cc_import
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_strict_java_deps={off,warn,error,strict,default}
--experimental_total_worker_memory_limit_mb=
--experimental_ui_max_stdouterr_bytes=
--experimental_unsupported_and_brittle_include_scanning
--noexperimental_unsupported_and_brittle_include_scanning
--experimental_use_hermetic_linux_sandbox
--noexperimental_use_hermetic_linux_sandbox
--experimental_use_llvm_covmap
--noexperimental_use_llvm_covmap
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_use_semaphore_for_jobs
--noexperimental_use_semaphore_for_jobs
--experimental_use_validation_aspect
--noexperimental_use_validation_aspect
--experimental_use_windows_sandbox={auto,yes,no}
--noexperimental_use_windows_sandbox
--experimental_windows_sandbox_path=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_allowlist=
--experimental_worker_as_resource
--noexperimental_worker_as_resource
--experimental_worker_cancellation
--noexperimental_worker_cancellation
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_worker_memory_limit_mb=
--experimental_worker_metrics_poll_interval=
--experimental_worker_multiplex_sandboxing
--noexperimental_worker_multiplex_sandboxing
--experimental_worker_sandbox_hardening
--noexperimental_worker_sandbox_hardening
--experimental_worker_sandbox_inmemory_tracking=
--experimental_worker_strict_flagfiles
--noexperimental_worker_strict_flagfiles
--experimental_working_set=
--experimental_workspace_rules_log_file=path
--explain=path
--explicit_java_test_deps
--noexplicit_java_test_deps
--extra_execution_platforms=
--extra_toolchains=
--fat_apk_hwasan
--nofat_apk_hwasan
--fdo_instrument=
--fdo_optimize=
--fdo_prefetch_hints=label
--fdo_profile=label
--features=
--fetch
--nofetch
--fission=
--flag_alias=
--flaky_test_attempts=
--force_pic
--noforce_pic
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--genrule_strategy=
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--grte_top=label
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--high_priority_workers=
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_compiler=
--host_conlyopt=
--host_copt=
--host_cpu=
--host_cxxopt=
--host_features=
--host_force_python={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--host_grte_top=label
--host_java_launcher=label
--host_javacopt=
--host_jvmopt=
--host_linkopt=
--host_macos_minimum_os=
--host_per_file_copt=
--host_platform=label
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--ignore_unsupported_sandboxing
--noignore_unsupported_sandboxing
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_sharding_support
--noincompatible_check_sharding_support
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_check_visibility_for_toolchains
--noincompatible_check_visibility_for_toolchains
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_default_to_explicit_init_py
--noincompatible_default_to_explicit_init_py
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_android_rules
--noincompatible_disable_native_android_rules
--incompatible_disable_native_apple_binary_rule
--noincompatible_disable_native_apple_binary_rule
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_legacy_py_provider
--noincompatible_disallow_legacy_py_provider
--incompatible_disallow_sdk_frameworks_attributes
--noincompatible_disallow_sdk_frameworks_attributes
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_dont_enable_host_nonhost_crosstool_features
--noincompatible_dont_enable_host_nonhost_crosstool_features
--incompatible_dont_use_javasourceinfoprovider
--noincompatible_dont_use_javasourceinfoprovider
--incompatible_enable_apple_toolchain_resolution
--noincompatible_enable_apple_toolchain_resolution
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_exclusive_test_sandboxed
--noincompatible_exclusive_test_sandboxed
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_legacy_local_fallback
--noincompatible_legacy_local_fallback
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_make_thinlto_command_lines_standalone
--noincompatible_make_thinlto_command_lines_standalone
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_objc_alwayslink_by_default
--noincompatible_objc_alwayslink_by_default
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_py2_outputs_are_suffixed
--noincompatible_py2_outputs_are_suffixed
--incompatible_py3_is_default
--noincompatible_py3_is_default
--incompatible_python_disable_py2
--noincompatible_python_disable_py2
--incompatible_python_disallow_native_rules
--noincompatible_python_disallow_native_rules
--incompatible_remote_use_new_exit_code_for_lost_inputs
--noincompatible_remote_use_new_exit_code_for_lost_inputs
--incompatible_remove_legacy_whole_archive
--noincompatible_remove_legacy_whole_archive
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_ctx_in_configure_features
--noincompatible_require_ctx_in_configure_features
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_sandbox_hermetic_tmp
--noincompatible_sandbox_hermetic_tmp
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_strict_action_env
--noincompatible_strict_action_env
--incompatible_strip_executable_safely
--noincompatible_strip_executable_safely
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_new_cgroup_implementation
--noincompatible_use_new_cgroup_implementation
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_use_python_toolchains
--noincompatible_use_python_toolchains
--incompatible_validate_top_level_header_inclusions
--noincompatible_validate_top_level_header_inclusions
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--incremental_dexing
--noincremental_dexing
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--interface_shared_objects
--nointerface_shared_objects
--internal_spawn_scheduler
--nointernal_spawn_scheduler
--invocation_id=
--ios_memleaks
--noios_memleaks
--ios_minimum_os=
--ios_multi_cpus=
--ios_sdk_version=
--ios_signing_cert_name=
--ios_simulator_device=
--ios_simulator_version=
--j2objc_translation_flags=
--java_debug
--java_deps
--nojava_deps
--java_header_compilation
--nojava_header_compilation
--java_language_version=
--java_launcher=label
--java_runtime_version=
--javacopt=
--jobs=
--jvm_heap_histogram_internal_object_pattern=
--jvmopt=
--keep_going
--nokeep_going
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--legacy_main_dex_list_generator=label
--legacy_whole_archive
--nolegacy_whole_archive
--linkopt=
--loading_phase_threads=
--local_cpu_resources=
--local_extra_resources=
--local_ram_resources=
--local_resources=
--local_termination_grace_seconds=
--local_test_jobs=
--lockfile_mode={off,update,refresh,error}
--logging=
--ltobackendopt=
--ltoindexopt=
--macos_cpus=
--macos_minimum_os=
--macos_sdk_version=
--materialize_param_files
--nomaterialize_param_files
--max_computation_steps=
--max_config_changes_to_show=
--max_test_output_bytes=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--memprof_profile=label
--minimum_os_version=
--modify_execution_info=
--nested_set_depth_limit=
--objc_debug_with_GLIBCXX
--noobjc_debug_with_GLIBCXX
--objc_enable_binary_stripping
--noobjc_enable_binary_stripping
--objc_generate_linkmap
--noobjc_generate_linkmap
--objc_use_dotd_pruning
--noobjc_use_dotd_pruning
--objccopt=
--one_version_enforcement_on_java_tests
--noone_version_enforcement_on_java_tests
--optimizing_dexer=label
--output={text,json}
--output_filter=
--output_groups=
--override_module=
--override_repository=
--package_path=
--per_file_copt=
--per_file_ltobackendopt=
--persistent_android_dex_desugar
--persistent_android_resource_processor
--persistent_multiplex_android_dex_desugar
--persistent_multiplex_android_resource_processor
--persistent_multiplex_android_tools
--platform_mappings=
--platform_suffix=
--platforms=
--plugin=
--process_headers_in_dependencies
--noprocess_headers_in_dependencies
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--progress_report_interval=
--proguard_top=label
--propeller_optimize=label
--propeller_optimize_absolute_cc_profile=
--propeller_optimize_absolute_ld_profile=
--proto_compiler=label
--proto_profile
--noproto_profile
--proto_profile_path=label
--proto_toolchain_for_cc=label
--proto_toolchain_for_j2objc=label
--proto_toolchain_for_java=label
--proto_toolchain_for_javalite=label
--protocopt=
--python_native_rules_allowlist=label
--python_path=
--python_top=label
--python_version={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--reuse_sandbox_directories
--noreuse_sandbox_directories
--run_under=
--run_validations
--norun_validations
--runs_per_test=
--runs_per_test_detects_flakes
--noruns_per_test_detects_flakes
--sandbox_add_mount_pair=
--sandbox_base=
--sandbox_block_path=
--sandbox_debug
--nosandbox_debug
--sandbox_default_allow_network
--nosandbox_default_allow_network
--sandbox_explicit_pseudoterminal
--nosandbox_explicit_pseudoterminal
--sandbox_fake_hostname
--nosandbox_fake_hostname
--sandbox_fake_username
--nosandbox_fake_username
--sandbox_tmpfs_path=
--sandbox_writable_path=
--save_temps
--nosave_temps
--separate_aspect_deps
--noseparate_aspect_deps
--serialized_frontier_profile=
--share_native_deps
--noshare_native_deps
--shell_executable=path
--show_loading_progress
--noshow_loading_progress
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_result=
--show_timestamps
--noshow_timestamps
--skip_incompatible_explicit_targets
--noskip_incompatible_explicit_targets
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--spawn_strategy=
--stamp
--nostamp
--starlark_cpu_profile=
--strategy=
--strategy_regexp=
--strict_filesets
--nostrict_filesets
--strict_proto_deps={off,warn,error,strict,default}
--strict_public_imports={off,warn,error,strict,default}
--strict_system_includes
--nostrict_system_includes
--strip={always,sometimes,never}
--stripopt=
--subcommands={true,pretty_print,false}
--symlink_prefix=
--target_environment=
--target_pattern_file=
--target_platform_fallback=
--test_arg=
--test_env=
--test_filter=
--test_keep_going
--notest_keep_going
--test_lang_filters=
--test_output={summary,errors,all,streamed}
--test_result_expiration=
--test_runner_fail_fast
--notest_runner_fail_fast
--test_sharding_strategy=
--test_size_filters=
--test_strategy=
--test_summary={short,terse,detailed,none,testcase}
--test_tag_filters=
--test_timeout=
--test_timeout_filters=
--test_tmpdir=path
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_java_language_version=
--tool_java_runtime_version=
--tool_tag=
--toolchain_resolution_debug=
--track_incremental_state
--notrack_incremental_state
--trim_test_configuration
--notrim_test_configuration
--tvos_cpus=
--tvos_minimum_os=
--tvos_sdk_version=
--ui_actions_shown=
--ui_event_filters=
--use_ijars
--nouse_ijars
--use_target_platform_for_tests
--nouse_target_platform_for_tests
--vendor_dir=path
--verbose_explanations
--noverbose_explanations
--verbose_failures
--noverbose_failures
--visionos_cpus=
--watchfs
--nowatchfs
--watchos_cpus=
--watchos_minimum_os=
--watchos_sdk_version=
--worker_extra_flag=
--worker_max_instances=
--worker_max_multiplex_instances=
--worker_multiplex
--noworker_multiplex
--worker_quit_after_build
--noworker_quit_after_build
--worker_sandboxing
--noworker_sandboxing
--worker_verbose
--noworker_verbose
--workspace_status_command=path
--xbinary_fdo=label
--xcode_version=
--xcode_version_config=label
--zip_undeclared_test_outputs
--nozip_undeclared_test_outputs
"
BAZEL_COMMAND_COVERAGE_ARGUMENT="label-test"
BAZEL_COMMAND_COVERAGE_FLAGS="
--action_env=
--allow_analysis_cache_discard
--noallow_analysis_cache_discard
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--android_compiler=
--android_databinding_use_androidx
--noandroid_databinding_use_androidx
--android_databinding_use_v3_4_args
--noandroid_databinding_use_v3_4_args
--android_dynamic_mode={off,default,fully}
--android_manifest_merger={legacy,android,force_android}
--android_manifest_merger_order={alphabetical,alphabetical_by_configuration,dependency}
--android_platforms=
--android_resource_shrinking
--noandroid_resource_shrinking
--announce_rc
--noannounce_rc
--apk_signing_method={v1,v2,v1_v2,v4}
--apple_crosstool_top=label
--apple_generate_dsym
--noapple_generate_dsym
--aspects=
--aspects_parameters=
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--auto_output_filter={none,all,packages,subpackages}
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--break_build_on_parallel_dex2oat_failure
--nobreak_build_on_parallel_dex2oat_failure
--build
--nobuild
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_manual_tests
--nobuild_manual_tests
--build_metadata=
--build_python_zip={auto,yes,no}
--nobuild_python_zip
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--build_tag_filters=
--build_test_dwp
--nobuild_test_dwp
--build_tests_only
--nobuild_tests_only
--cache_computed_file_digests=
--cache_test_results={auto,yes,no}
--nocache_test_results
--catalyst_cpus=
--cc_output_directory_tag=
--cc_proto_library_header_suffixes=
--cc_proto_library_source_suffixes=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_tests_up_to_date
--nocheck_tests_up_to_date
--check_up_to_date
--nocheck_up_to_date
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--combined_report={none,lcov}
--compilation_mode={fastbuild,dbg,opt}
--compile_one_dependency
--nocompile_one_dependency
--compiler=
--config=
--conlyopt=
--copt=
--coverage_output_generator=label
--coverage_report_generator=label
--coverage_support=label
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--cs_fdo_absolute_path=
--cs_fdo_instrument=
--cs_fdo_profile=label
--curses={yes,no,auto}
--custom_malloc=label
--cxxopt=
--debug_spawn_scheduler
--nodebug_spawn_scheduler
--default_test_resources=
--define=
--deleted_packages=
--desugar_for_android
--nodesugar_for_android
--desugar_java8_libs
--nodesugar_java8_libs
--device_debug_entitlements
--nodevice_debug_entitlements
--discard_analysis_cache
--nodiscard_analysis_cache
--disk_cache=path
--distdir=
--downloader_config=path
--dynamic_local_execution_delay=
--dynamic_local_strategy=
--dynamic_mode={off,default,fully}
--dynamic_remote_strategy=
--embed_label=
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_propeller_optimize_absolute_paths
--noenable_propeller_optimize_absolute_paths
--enable_remaining_fdo_absolute_paths
--noenable_remaining_fdo_absolute_paths
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--execution_log_binary_file=path
--execution_log_compact_file=path
--execution_log_json_file=path
--execution_log_sort
--noexecution_log_sort
--expand_test_suites
--noexpand_test_suites
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_add_exec_constraints_to_targets=
--experimental_android_compress_java_resources
--noexperimental_android_compress_java_resources
--experimental_android_databinding_v2
--noexperimental_android_databinding_v2
--experimental_android_resource_shrinking
--noexperimental_android_resource_shrinking
--experimental_android_rewrite_dexes_with_rex
--noexperimental_android_rewrite_dexes_with_rex
--experimental_android_use_parallel_dex2oat
--noexperimental_android_use_parallel_dex2oat
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cancel_concurrent_tests
--noexperimental_cancel_concurrent_tests
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_check_desugar_deps
--noexperimental_check_desugar_deps
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_local_sandbox_action_metrics
--noexperimental_collect_local_sandbox_action_metrics
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_convenience_symlinks={normal,clean,ignore,log_only}
--experimental_convenience_symlinks_bep_event
--noexperimental_convenience_symlinks_bep_event
--experimental_cpu_load_scheduling
--noexperimental_cpu_load_scheduling
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_docker_image=
--experimental_docker_privileged
--noexperimental_docker_privileged
--experimental_docker_use_customized_images
--noexperimental_docker_use_customized_images
--experimental_docker_verbose
--noexperimental_docker_verbose
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_dynamic_exclude_tools
--noexperimental_dynamic_exclude_tools
--experimental_dynamic_ignore_local_signals=
--experimental_dynamic_local_load_factor=
--experimental_dynamic_slow_remote_time=
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_docker_sandbox
--noexperimental_enable_docker_sandbox
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_skyfocus
--noexperimental_enable_skyfocus
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_extra_action_filter=
--experimental_extra_action_top_level_only
--noexperimental_extra_action_top_level_only
--experimental_fetch_all_coverage_outputs
--noexperimental_fetch_all_coverage_outputs
--experimental_filter_library_jar_with_program_jar
--noexperimental_filter_library_jar_with_program_jar
--experimental_generate_llvm_lcov
--noexperimental_generate_llvm_lcov
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_import_deps_checking=
--experimental_include_xcode_execution_requirements
--noexperimental_include_xcode_execution_requirements
--experimental_inmemory_dotd_files
--noexperimental_inmemory_dotd_files
--experimental_inmemory_jdeps_files
--noexperimental_inmemory_jdeps_files
--experimental_inmemory_sandbox_stashes
--noexperimental_inmemory_sandbox_stashes
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_j2objc_header_map
--noexperimental_j2objc_header_map
--experimental_j2objc_shorter_header_path
--noexperimental_j2objc_shorter_header_path
--experimental_java_classpath={off,javabuilder,bazel,bazel_no_fallback}
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_limit_android_lint_to_android_constrained_java
--noexperimental_limit_android_lint_to_android_constrained_java
--experimental_materialize_param_files_directly
--noexperimental_materialize_param_files_directly
--experimental_objc_fastbuild_options=
--experimental_omitfp
--noexperimental_omitfp
--experimental_one_version_enforcement={off,warning,error}
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_parallel_aquery_output
--noexperimental_parallel_aquery_output
--experimental_persistent_aar_extractor
--noexperimental_persistent_aar_extractor
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_prefer_mutual_xcode
--noexperimental_prefer_mutual_xcode
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_proto_descriptor_sets_include_source_info
--noexperimental_proto_descriptor_sets_include_source_info
--experimental_py_binaries_include_label
--noexperimental_py_binaries_include_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_eviction_retries=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_repository_resolved_file=
--experimental_resolved_file_instead_of_workspace=
--experimental_retain_test_configuration_across_testonly
--noexperimental_retain_test_configuration_across_testonly
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_android_lint_on_java_rules
--noexperimental_run_android_lint_on_java_rules
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_sandbox_async_tree_delete_idle_threads=
--experimental_sandbox_enforce_resources_regexp=
--experimental_sandbox_limits=
--experimental_sandbox_memory_limit_mb=
--experimental_sandboxfs_map_symlink_targets
--noexperimental_sandboxfs_map_symlink_targets
--experimental_save_feature_state
--noexperimental_save_feature_state
--experimental_scale_timeouts=
--experimental_shrink_worker_pool
--noexperimental_shrink_worker_pool
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_skyfocus_dump_keys={none,count,verbose}
--experimental_skyfocus_dump_post_gc_stats
--noexperimental_skyfocus_dump_post_gc_stats
--experimental_skyfocus_handling_strategy={strict,warn}
--experimental_spawn_scheduler
--experimental_split_coverage_postprocessing
--noexperimental_split_coverage_postprocessing
--experimental_split_xml_generation
--noexperimental_split_xml_generation
--experimental_starlark_cc_import
--noexperimental_starlark_cc_import
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_strict_java_deps={off,warn,error,strict,default}
--experimental_total_worker_memory_limit_mb=
--experimental_ui_max_stdouterr_bytes=
--experimental_unsupported_and_brittle_include_scanning
--noexperimental_unsupported_and_brittle_include_scanning
--experimental_use_hermetic_linux_sandbox
--noexperimental_use_hermetic_linux_sandbox
--experimental_use_llvm_covmap
--noexperimental_use_llvm_covmap
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_use_semaphore_for_jobs
--noexperimental_use_semaphore_for_jobs
--experimental_use_validation_aspect
--noexperimental_use_validation_aspect
--experimental_use_windows_sandbox={auto,yes,no}
--noexperimental_use_windows_sandbox
--experimental_windows_sandbox_path=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_allowlist=
--experimental_worker_as_resource
--noexperimental_worker_as_resource
--experimental_worker_cancellation
--noexperimental_worker_cancellation
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_worker_memory_limit_mb=
--experimental_worker_metrics_poll_interval=
--experimental_worker_multiplex_sandboxing
--noexperimental_worker_multiplex_sandboxing
--experimental_worker_sandbox_hardening
--noexperimental_worker_sandbox_hardening
--experimental_worker_sandbox_inmemory_tracking=
--experimental_worker_strict_flagfiles
--noexperimental_worker_strict_flagfiles
--experimental_working_set=
--experimental_workspace_rules_log_file=path
--explain=path
--explicit_java_test_deps
--noexplicit_java_test_deps
--extra_execution_platforms=
--extra_toolchains=
--fat_apk_hwasan
--nofat_apk_hwasan
--fdo_instrument=
--fdo_optimize=
--fdo_prefetch_hints=label
--fdo_profile=label
--features=
--fetch
--nofetch
--fission=
--flag_alias=
--flaky_test_attempts=
--force_pic
--noforce_pic
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--genrule_strategy=
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--grte_top=label
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--high_priority_workers=
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_compiler=
--host_conlyopt=
--host_copt=
--host_cpu=
--host_cxxopt=
--host_features=
--host_force_python={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--host_grte_top=label
--host_java_launcher=label
--host_javacopt=
--host_jvmopt=
--host_linkopt=
--host_macos_minimum_os=
--host_per_file_copt=
--host_platform=label
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--ignore_unsupported_sandboxing
--noignore_unsupported_sandboxing
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_sharding_support
--noincompatible_check_sharding_support
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_check_visibility_for_toolchains
--noincompatible_check_visibility_for_toolchains
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_default_to_explicit_init_py
--noincompatible_default_to_explicit_init_py
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_android_rules
--noincompatible_disable_native_android_rules
--incompatible_disable_native_apple_binary_rule
--noincompatible_disable_native_apple_binary_rule
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_legacy_py_provider
--noincompatible_disallow_legacy_py_provider
--incompatible_disallow_sdk_frameworks_attributes
--noincompatible_disallow_sdk_frameworks_attributes
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_dont_enable_host_nonhost_crosstool_features
--noincompatible_dont_enable_host_nonhost_crosstool_features
--incompatible_dont_use_javasourceinfoprovider
--noincompatible_dont_use_javasourceinfoprovider
--incompatible_enable_apple_toolchain_resolution
--noincompatible_enable_apple_toolchain_resolution
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_exclusive_test_sandboxed
--noincompatible_exclusive_test_sandboxed
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_legacy_local_fallback
--noincompatible_legacy_local_fallback
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_make_thinlto_command_lines_standalone
--noincompatible_make_thinlto_command_lines_standalone
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_objc_alwayslink_by_default
--noincompatible_objc_alwayslink_by_default
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_py2_outputs_are_suffixed
--noincompatible_py2_outputs_are_suffixed
--incompatible_py3_is_default
--noincompatible_py3_is_default
--incompatible_python_disable_py2
--noincompatible_python_disable_py2
--incompatible_python_disallow_native_rules
--noincompatible_python_disallow_native_rules
--incompatible_remote_use_new_exit_code_for_lost_inputs
--noincompatible_remote_use_new_exit_code_for_lost_inputs
--incompatible_remove_legacy_whole_archive
--noincompatible_remove_legacy_whole_archive
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_ctx_in_configure_features
--noincompatible_require_ctx_in_configure_features
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_sandbox_hermetic_tmp
--noincompatible_sandbox_hermetic_tmp
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_strict_action_env
--noincompatible_strict_action_env
--incompatible_strip_executable_safely
--noincompatible_strip_executable_safely
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_new_cgroup_implementation
--noincompatible_use_new_cgroup_implementation
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_use_python_toolchains
--noincompatible_use_python_toolchains
--incompatible_validate_top_level_header_inclusions
--noincompatible_validate_top_level_header_inclusions
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--incremental_dexing
--noincremental_dexing
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--interface_shared_objects
--nointerface_shared_objects
--internal_spawn_scheduler
--nointernal_spawn_scheduler
--invocation_id=
--ios_memleaks
--noios_memleaks
--ios_minimum_os=
--ios_multi_cpus=
--ios_sdk_version=
--ios_signing_cert_name=
--ios_simulator_device=
--ios_simulator_version=
--j2objc_translation_flags=
--java_debug
--java_deps
--nojava_deps
--java_header_compilation
--nojava_header_compilation
--java_language_version=
--java_launcher=label
--java_runtime_version=
--javacopt=
--jobs=
--jvm_heap_histogram_internal_object_pattern=
--jvmopt=
--keep_going
--nokeep_going
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--legacy_main_dex_list_generator=label
--legacy_whole_archive
--nolegacy_whole_archive
--linkopt=
--loading_phase_threads=
--local_cpu_resources=
--local_extra_resources=
--local_ram_resources=
--local_resources=
--local_termination_grace_seconds=
--local_test_jobs=
--lockfile_mode={off,update,refresh,error}
--logging=
--ltobackendopt=
--ltoindexopt=
--macos_cpus=
--macos_minimum_os=
--macos_sdk_version=
--materialize_param_files
--nomaterialize_param_files
--max_computation_steps=
--max_config_changes_to_show=
--max_test_output_bytes=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--memprof_profile=label
--minimum_os_version=
--modify_execution_info=
--nested_set_depth_limit=
--objc_debug_with_GLIBCXX
--noobjc_debug_with_GLIBCXX
--objc_enable_binary_stripping
--noobjc_enable_binary_stripping
--objc_generate_linkmap
--noobjc_generate_linkmap
--objc_use_dotd_pruning
--noobjc_use_dotd_pruning
--objccopt=
--one_version_enforcement_on_java_tests
--noone_version_enforcement_on_java_tests
--optimizing_dexer=label
--output_filter=
--output_groups=
--override_module=
--override_repository=
--package_path=
--per_file_copt=
--per_file_ltobackendopt=
--persistent_android_dex_desugar
--persistent_android_resource_processor
--persistent_multiplex_android_dex_desugar
--persistent_multiplex_android_resource_processor
--persistent_multiplex_android_tools
--platform_mappings=
--platform_suffix=
--platforms=
--plugin=
--print_relative_test_log_paths
--noprint_relative_test_log_paths
--process_headers_in_dependencies
--noprocess_headers_in_dependencies
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--progress_report_interval=
--proguard_top=label
--propeller_optimize=label
--propeller_optimize_absolute_cc_profile=
--propeller_optimize_absolute_ld_profile=
--proto_compiler=label
--proto_profile
--noproto_profile
--proto_profile_path=label
--proto_toolchain_for_cc=label
--proto_toolchain_for_j2objc=label
--proto_toolchain_for_java=label
--proto_toolchain_for_javalite=label
--protocopt=
--python_native_rules_allowlist=label
--python_path=
--python_top=label
--python_version={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--reuse_sandbox_directories
--noreuse_sandbox_directories
--run_under=
--run_validations
--norun_validations
--runs_per_test=
--runs_per_test_detects_flakes
--noruns_per_test_detects_flakes
--sandbox_add_mount_pair=
--sandbox_base=
--sandbox_block_path=
--sandbox_debug
--nosandbox_debug
--sandbox_default_allow_network
--nosandbox_default_allow_network
--sandbox_explicit_pseudoterminal
--nosandbox_explicit_pseudoterminal
--sandbox_fake_hostname
--nosandbox_fake_hostname
--sandbox_fake_username
--nosandbox_fake_username
--sandbox_tmpfs_path=
--sandbox_writable_path=
--save_temps
--nosave_temps
--separate_aspect_deps
--noseparate_aspect_deps
--serialized_frontier_profile=
--share_native_deps
--noshare_native_deps
--shell_executable=path
--show_loading_progress
--noshow_loading_progress
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_result=
--show_timestamps
--noshow_timestamps
--skip_incompatible_explicit_targets
--noskip_incompatible_explicit_targets
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--spawn_strategy=
--stamp
--nostamp
--starlark_cpu_profile=
--strategy=
--strategy_regexp=
--strict_filesets
--nostrict_filesets
--strict_proto_deps={off,warn,error,strict,default}
--strict_public_imports={off,warn,error,strict,default}
--strict_system_includes
--nostrict_system_includes
--strip={always,sometimes,never}
--stripopt=
--subcommands={true,pretty_print,false}
--symlink_prefix=
--target_environment=
--target_pattern_file=
--target_platform_fallback=
--test_arg=
--test_env=
--test_filter=
--test_keep_going
--notest_keep_going
--test_lang_filters=
--test_output={summary,errors,all,streamed}
--test_result_expiration=
--test_runner_fail_fast
--notest_runner_fail_fast
--test_sharding_strategy=
--test_size_filters=
--test_strategy=
--test_summary={short,terse,detailed,none,testcase}
--test_tag_filters=
--test_timeout=
--test_timeout_filters=
--test_tmpdir=path
--test_verbose_timeout_warnings
--notest_verbose_timeout_warnings
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_java_language_version=
--tool_java_runtime_version=
--tool_tag=
--toolchain_resolution_debug=
--track_incremental_state
--notrack_incremental_state
--trim_test_configuration
--notrim_test_configuration
--tvos_cpus=
--tvos_minimum_os=
--tvos_sdk_version=
--ui_actions_shown=
--ui_event_filters=
--use_ijars
--nouse_ijars
--use_target_platform_for_tests
--nouse_target_platform_for_tests
--vendor_dir=path
--verbose_explanations
--noverbose_explanations
--verbose_failures
--noverbose_failures
--verbose_test_summary
--noverbose_test_summary
--visionos_cpus=
--watchfs
--nowatchfs
--watchos_cpus=
--watchos_minimum_os=
--watchos_sdk_version=
--worker_extra_flag=
--worker_max_instances=
--worker_max_multiplex_instances=
--worker_multiplex
--noworker_multiplex
--worker_quit_after_build
--noworker_quit_after_build
--worker_sandboxing
--noworker_sandboxing
--worker_verbose
--noworker_verbose
--workspace_status_command=path
--xbinary_fdo=label
--xcode_version=
--xcode_version_config=label
--zip_undeclared_test_outputs
--nozip_undeclared_test_outputs
"
BAZEL_COMMAND_CQUERY_ARGUMENT="label"
BAZEL_COMMAND_CQUERY_FLAGS="
--action_env=
--allow_analysis_cache_discard
--noallow_analysis_cache_discard
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--android_compiler=
--android_databinding_use_androidx
--noandroid_databinding_use_androidx
--android_databinding_use_v3_4_args
--noandroid_databinding_use_v3_4_args
--android_dynamic_mode={off,default,fully}
--android_manifest_merger={legacy,android,force_android}
--android_manifest_merger_order={alphabetical,alphabetical_by_configuration,dependency}
--android_platforms=
--android_resource_shrinking
--noandroid_resource_shrinking
--announce_rc
--noannounce_rc
--apk_signing_method={v1,v2,v1_v2,v4}
--apple_crosstool_top=label
--apple_generate_dsym
--noapple_generate_dsym
--aspect_deps={off,conservative,precise}
--aspects=
--aspects_parameters=
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--auto_output_filter={none,all,packages,subpackages}
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--break_build_on_parallel_dex2oat_failure
--nobreak_build_on_parallel_dex2oat_failure
--build
--nobuild
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_manual_tests
--nobuild_manual_tests
--build_metadata=
--build_python_zip={auto,yes,no}
--nobuild_python_zip
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--build_tag_filters=
--build_test_dwp
--nobuild_test_dwp
--build_tests_only
--nobuild_tests_only
--cache_computed_file_digests=
--cache_test_results={auto,yes,no}
--nocache_test_results
--catalyst_cpus=
--cc_output_directory_tag=
--cc_proto_library_header_suffixes=
--cc_proto_library_source_suffixes=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_tests_up_to_date
--nocheck_tests_up_to_date
--check_up_to_date
--nocheck_up_to_date
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--combined_report={none,lcov}
--compilation_mode={fastbuild,dbg,opt}
--compile_one_dependency
--nocompile_one_dependency
--compiler=
--config=
--conlyopt=
--consistent_labels
--noconsistent_labels
--copt=
--coverage_output_generator=label
--coverage_report_generator=label
--coverage_support=label
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--cs_fdo_absolute_path=
--cs_fdo_instrument=
--cs_fdo_profile=label
--curses={yes,no,auto}
--custom_malloc=label
--cxxopt=
--debug_spawn_scheduler
--nodebug_spawn_scheduler
--default_test_resources=
--define=
--deleted_packages=
--desugar_for_android
--nodesugar_for_android
--desugar_java8_libs
--nodesugar_java8_libs
--device_debug_entitlements
--nodevice_debug_entitlements
--discard_analysis_cache
--nodiscard_analysis_cache
--disk_cache=path
--distdir=
--downloader_config=path
--dynamic_local_execution_delay=
--dynamic_local_strategy=
--dynamic_mode={off,default,fully}
--dynamic_remote_strategy=
--embed_label=
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_propeller_optimize_absolute_paths
--noenable_propeller_optimize_absolute_paths
--enable_remaining_fdo_absolute_paths
--noenable_remaining_fdo_absolute_paths
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--execution_log_binary_file=path
--execution_log_compact_file=path
--execution_log_json_file=path
--execution_log_sort
--noexecution_log_sort
--expand_test_suites
--noexpand_test_suites
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_add_exec_constraints_to_targets=
--experimental_android_compress_java_resources
--noexperimental_android_compress_java_resources
--experimental_android_databinding_v2
--noexperimental_android_databinding_v2
--experimental_android_resource_shrinking
--noexperimental_android_resource_shrinking
--experimental_android_rewrite_dexes_with_rex
--noexperimental_android_rewrite_dexes_with_rex
--experimental_android_use_parallel_dex2oat
--noexperimental_android_use_parallel_dex2oat
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cancel_concurrent_tests
--noexperimental_cancel_concurrent_tests
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_check_desugar_deps
--noexperimental_check_desugar_deps
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_local_sandbox_action_metrics
--noexperimental_collect_local_sandbox_action_metrics
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_convenience_symlinks={normal,clean,ignore,log_only}
--experimental_convenience_symlinks_bep_event
--noexperimental_convenience_symlinks_bep_event
--experimental_cpu_load_scheduling
--noexperimental_cpu_load_scheduling
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_docker_image=
--experimental_docker_privileged
--noexperimental_docker_privileged
--experimental_docker_use_customized_images
--noexperimental_docker_use_customized_images
--experimental_docker_verbose
--noexperimental_docker_verbose
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_dynamic_exclude_tools
--noexperimental_dynamic_exclude_tools
--experimental_dynamic_ignore_local_signals=
--experimental_dynamic_local_load_factor=
--experimental_dynamic_slow_remote_time=
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_docker_sandbox
--noexperimental_enable_docker_sandbox
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_skyfocus
--noexperimental_enable_skyfocus
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_explicit_aspects
--noexperimental_explicit_aspects
--experimental_extra_action_filter=
--experimental_extra_action_top_level_only
--noexperimental_extra_action_top_level_only
--experimental_fetch_all_coverage_outputs
--noexperimental_fetch_all_coverage_outputs
--experimental_filter_library_jar_with_program_jar
--noexperimental_filter_library_jar_with_program_jar
--experimental_generate_llvm_lcov
--noexperimental_generate_llvm_lcov
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_import_deps_checking=
--experimental_include_xcode_execution_requirements
--noexperimental_include_xcode_execution_requirements
--experimental_inmemory_dotd_files
--noexperimental_inmemory_dotd_files
--experimental_inmemory_jdeps_files
--noexperimental_inmemory_jdeps_files
--experimental_inmemory_sandbox_stashes
--noexperimental_inmemory_sandbox_stashes
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_j2objc_header_map
--noexperimental_j2objc_header_map
--experimental_j2objc_shorter_header_path
--noexperimental_j2objc_shorter_header_path
--experimental_java_classpath={off,javabuilder,bazel,bazel_no_fallback}
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_limit_android_lint_to_android_constrained_java
--noexperimental_limit_android_lint_to_android_constrained_java
--experimental_materialize_param_files_directly
--noexperimental_materialize_param_files_directly
--experimental_objc_fastbuild_options=
--experimental_omitfp
--noexperimental_omitfp
--experimental_one_version_enforcement={off,warning,error}
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_parallel_aquery_output
--noexperimental_parallel_aquery_output
--experimental_persistent_aar_extractor
--noexperimental_persistent_aar_extractor
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_prefer_mutual_xcode
--noexperimental_prefer_mutual_xcode
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_proto_descriptor_sets_include_source_info
--noexperimental_proto_descriptor_sets_include_source_info
--experimental_py_binaries_include_label
--noexperimental_py_binaries_include_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_eviction_retries=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_repository_resolved_file=
--experimental_resolved_file_instead_of_workspace=
--experimental_retain_test_configuration_across_testonly
--noexperimental_retain_test_configuration_across_testonly
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_android_lint_on_java_rules
--noexperimental_run_android_lint_on_java_rules
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_sandbox_async_tree_delete_idle_threads=
--experimental_sandbox_enforce_resources_regexp=
--experimental_sandbox_limits=
--experimental_sandbox_memory_limit_mb=
--experimental_sandboxfs_map_symlink_targets
--noexperimental_sandboxfs_map_symlink_targets
--experimental_save_feature_state
--noexperimental_save_feature_state
--experimental_scale_timeouts=
--experimental_shrink_worker_pool
--noexperimental_shrink_worker_pool
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_skyfocus_dump_keys={none,count,verbose}
--experimental_skyfocus_dump_post_gc_stats
--noexperimental_skyfocus_dump_post_gc_stats
--experimental_skyfocus_handling_strategy={strict,warn}
--experimental_spawn_scheduler
--experimental_split_coverage_postprocessing
--noexperimental_split_coverage_postprocessing
--experimental_split_xml_generation
--noexperimental_split_xml_generation
--experimental_starlark_cc_import
--noexperimental_starlark_cc_import
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_strict_java_deps={off,warn,error,strict,default}
--experimental_total_worker_memory_limit_mb=
--experimental_ui_max_stdouterr_bytes=
--experimental_unsupported_and_brittle_include_scanning
--noexperimental_unsupported_and_brittle_include_scanning
--experimental_use_hermetic_linux_sandbox
--noexperimental_use_hermetic_linux_sandbox
--experimental_use_llvm_covmap
--noexperimental_use_llvm_covmap
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_use_semaphore_for_jobs
--noexperimental_use_semaphore_for_jobs
--experimental_use_validation_aspect
--noexperimental_use_validation_aspect
--experimental_use_windows_sandbox={auto,yes,no}
--noexperimental_use_windows_sandbox
--experimental_windows_sandbox_path=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_allowlist=
--experimental_worker_as_resource
--noexperimental_worker_as_resource
--experimental_worker_cancellation
--noexperimental_worker_cancellation
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_worker_memory_limit_mb=
--experimental_worker_metrics_poll_interval=
--experimental_worker_multiplex_sandboxing
--noexperimental_worker_multiplex_sandboxing
--experimental_worker_sandbox_hardening
--noexperimental_worker_sandbox_hardening
--experimental_worker_sandbox_inmemory_tracking=
--experimental_worker_strict_flagfiles
--noexperimental_worker_strict_flagfiles
--experimental_working_set=
--experimental_workspace_rules_log_file=path
--explain=path
--explicit_java_test_deps
--noexplicit_java_test_deps
--extra_execution_platforms=
--extra_toolchains=
--fat_apk_hwasan
--nofat_apk_hwasan
--fdo_instrument=
--fdo_optimize=
--fdo_prefetch_hints=label
--fdo_profile=label
--features=
--fetch
--nofetch
--fission=
--flag_alias=
--flaky_test_attempts=
--force_pic
--noforce_pic
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--genrule_strategy=
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--graph:factored
--nograph:factored
--graph:node_limit=
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--grte_top=label
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--high_priority_workers=
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_compiler=
--host_conlyopt=
--host_copt=
--host_cpu=
--host_cxxopt=
--host_features=
--host_force_python={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--host_grte_top=label
--host_java_launcher=label
--host_javacopt=
--host_jvmopt=
--host_linkopt=
--host_macos_minimum_os=
--host_per_file_copt=
--host_platform=label
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--ignore_unsupported_sandboxing
--noignore_unsupported_sandboxing
--implicit_deps
--noimplicit_deps
--include_aspects
--noinclude_aspects
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_sharding_support
--noincompatible_check_sharding_support
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_check_visibility_for_toolchains
--noincompatible_check_visibility_for_toolchains
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_default_to_explicit_init_py
--noincompatible_default_to_explicit_init_py
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_android_rules
--noincompatible_disable_native_android_rules
--incompatible_disable_native_apple_binary_rule
--noincompatible_disable_native_apple_binary_rule
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_legacy_py_provider
--noincompatible_disallow_legacy_py_provider
--incompatible_disallow_sdk_frameworks_attributes
--noincompatible_disallow_sdk_frameworks_attributes
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_dont_enable_host_nonhost_crosstool_features
--noincompatible_dont_enable_host_nonhost_crosstool_features
--incompatible_dont_use_javasourceinfoprovider
--noincompatible_dont_use_javasourceinfoprovider
--incompatible_enable_apple_toolchain_resolution
--noincompatible_enable_apple_toolchain_resolution
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_exclusive_test_sandboxed
--noincompatible_exclusive_test_sandboxed
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_legacy_local_fallback
--noincompatible_legacy_local_fallback
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_make_thinlto_command_lines_standalone
--noincompatible_make_thinlto_command_lines_standalone
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_objc_alwayslink_by_default
--noincompatible_objc_alwayslink_by_default
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_package_group_includes_double_slash
--noincompatible_package_group_includes_double_slash
--incompatible_py2_outputs_are_suffixed
--noincompatible_py2_outputs_are_suffixed
--incompatible_py3_is_default
--noincompatible_py3_is_default
--incompatible_python_disable_py2
--noincompatible_python_disable_py2
--incompatible_python_disallow_native_rules
--noincompatible_python_disallow_native_rules
--incompatible_remote_use_new_exit_code_for_lost_inputs
--noincompatible_remote_use_new_exit_code_for_lost_inputs
--incompatible_remove_legacy_whole_archive
--noincompatible_remove_legacy_whole_archive
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_ctx_in_configure_features
--noincompatible_require_ctx_in_configure_features
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_sandbox_hermetic_tmp
--noincompatible_sandbox_hermetic_tmp
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_strict_action_env
--noincompatible_strict_action_env
--incompatible_strip_executable_safely
--noincompatible_strip_executable_safely
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_new_cgroup_implementation
--noincompatible_use_new_cgroup_implementation
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_use_python_toolchains
--noincompatible_use_python_toolchains
--incompatible_validate_top_level_header_inclusions
--noincompatible_validate_top_level_header_inclusions
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--incremental_dexing
--noincremental_dexing
--infer_universe_scope
--noinfer_universe_scope
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--interface_shared_objects
--nointerface_shared_objects
--internal_spawn_scheduler
--nointernal_spawn_scheduler
--invocation_id=
--ios_memleaks
--noios_memleaks
--ios_minimum_os=
--ios_multi_cpus=
--ios_sdk_version=
--ios_signing_cert_name=
--ios_simulator_device=
--ios_simulator_version=
--j2objc_translation_flags=
--java_debug
--java_deps
--nojava_deps
--java_header_compilation
--nojava_header_compilation
--java_language_version=
--java_launcher=label
--java_runtime_version=
--javacopt=
--jobs=
--jvm_heap_histogram_internal_object_pattern=
--jvmopt=
--keep_going
--nokeep_going
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--legacy_main_dex_list_generator=label
--legacy_whole_archive
--nolegacy_whole_archive
--line_terminator_null
--noline_terminator_null
--linkopt=
--loading_phase_threads=
--local_cpu_resources=
--local_extra_resources=
--local_ram_resources=
--local_resources=
--local_termination_grace_seconds=
--local_test_jobs=
--lockfile_mode={off,update,refresh,error}
--logging=
--ltobackendopt=
--ltoindexopt=
--macos_cpus=
--macos_minimum_os=
--macos_sdk_version=
--materialize_param_files
--nomaterialize_param_files
--max_computation_steps=
--max_config_changes_to_show=
--max_test_output_bytes=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--memprof_profile=label
--minimum_os_version=
--modify_execution_info=
--nested_set_depth_limit=
--nodep_deps
--nonodep_deps
--objc_debug_with_GLIBCXX
--noobjc_debug_with_GLIBCXX
--objc_enable_binary_stripping
--noobjc_enable_binary_stripping
--objc_generate_linkmap
--noobjc_generate_linkmap
--objc_use_dotd_pruning
--noobjc_use_dotd_pruning
--objccopt=
--one_version_enforcement_on_java_tests
--noone_version_enforcement_on_java_tests
--optimizing_dexer=label
--output=
--output_file=
--output_filter=
--output_groups=
--override_module=
--override_repository=
--package_path=
--per_file_copt=
--per_file_ltobackendopt=
--persistent_android_dex_desugar
--persistent_android_resource_processor
--persistent_multiplex_android_dex_desugar
--persistent_multiplex_android_resource_processor
--persistent_multiplex_android_tools
--platform_mappings=
--platform_suffix=
--platforms=
--plugin=
--print_relative_test_log_paths
--noprint_relative_test_log_paths
--process_headers_in_dependencies
--noprocess_headers_in_dependencies
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--progress_report_interval=
--proguard_top=label
--propeller_optimize=label
--propeller_optimize_absolute_cc_profile=
--propeller_optimize_absolute_ld_profile=
--proto:default_values
--noproto:default_values
--proto:definition_stack
--noproto:definition_stack
--proto:flatten_selects
--noproto:flatten_selects
--proto:include_attribute_source_aspects
--noproto:include_attribute_source_aspects
--proto:include_configurations
--noproto:include_configurations
--proto:include_synthetic_attribute_hash
--noproto:include_synthetic_attribute_hash
--proto:instantiation_stack
--noproto:instantiation_stack
--proto:locations
--noproto:locations
--proto:output_rule_attrs=
--proto:rule_classes
--noproto:rule_classes
--proto:rule_inputs_and_outputs
--noproto:rule_inputs_and_outputs
--proto_compiler=label
--proto_profile
--noproto_profile
--proto_profile_path=label
--proto_toolchain_for_cc=label
--proto_toolchain_for_j2objc=label
--proto_toolchain_for_java=label
--proto_toolchain_for_javalite=label
--protocopt=
--python_native_rules_allowlist=label
--python_path=
--python_top=label
--python_version={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--query_file=
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--relative_locations
--norelative_locations
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--reuse_sandbox_directories
--noreuse_sandbox_directories
--run_under=
--run_validations
--norun_validations
--runs_per_test=
--runs_per_test_detects_flakes
--noruns_per_test_detects_flakes
--sandbox_add_mount_pair=
--sandbox_base=
--sandbox_block_path=
--sandbox_debug
--nosandbox_debug
--sandbox_default_allow_network
--nosandbox_default_allow_network
--sandbox_explicit_pseudoterminal
--nosandbox_explicit_pseudoterminal
--sandbox_fake_hostname
--nosandbox_fake_hostname
--sandbox_fake_username
--nosandbox_fake_username
--sandbox_tmpfs_path=
--sandbox_writable_path=
--save_temps
--nosave_temps
--separate_aspect_deps
--noseparate_aspect_deps
--serialized_frontier_profile=
--share_native_deps
--noshare_native_deps
--shell_executable=path
--show_config_fragments={off,direct,transitive}
--show_loading_progress
--noshow_loading_progress
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_result=
--show_timestamps
--noshow_timestamps
--skip_incompatible_explicit_targets
--noskip_incompatible_explicit_targets
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--spawn_strategy=
--stamp
--nostamp
--starlark:expr=
--starlark:file=
--starlark_cpu_profile=
--strategy=
--strategy_regexp=
--strict_filesets
--nostrict_filesets
--strict_proto_deps={off,warn,error,strict,default}
--strict_public_imports={off,warn,error,strict,default}
--strict_system_includes
--nostrict_system_includes
--strip={always,sometimes,never}
--stripopt=
--subcommands={true,pretty_print,false}
--symlink_prefix=
--target_environment=
--target_pattern_file=
--target_platform_fallback=
--test_arg=
--test_env=
--test_filter=
--test_keep_going
--notest_keep_going
--test_lang_filters=
--test_output={summary,errors,all,streamed}
--test_result_expiration=
--test_runner_fail_fast
--notest_runner_fail_fast
--test_sharding_strategy=
--test_size_filters=
--test_strategy=
--test_summary={short,terse,detailed,none,testcase}
--test_tag_filters=
--test_timeout=
--test_timeout_filters=
--test_tmpdir=path
--test_verbose_timeout_warnings
--notest_verbose_timeout_warnings
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_deps
--notool_deps
--tool_java_language_version=
--tool_java_runtime_version=
--tool_tag=
--toolchain_resolution_debug=
--track_incremental_state
--notrack_incremental_state
--transitions={full,lite,none}
--trim_test_configuration
--notrim_test_configuration
--tvos_cpus=
--tvos_minimum_os=
--tvos_sdk_version=
--ui_actions_shown=
--ui_event_filters=
--universe_scope=
--use_ijars
--nouse_ijars
--use_target_platform_for_tests
--nouse_target_platform_for_tests
--vendor_dir=path
--verbose_explanations
--noverbose_explanations
--verbose_failures
--noverbose_failures
--verbose_test_summary
--noverbose_test_summary
--visionos_cpus=
--watchfs
--nowatchfs
--watchos_cpus=
--watchos_minimum_os=
--watchos_sdk_version=
--worker_extra_flag=
--worker_max_instances=
--worker_max_multiplex_instances=
--worker_multiplex
--noworker_multiplex
--worker_quit_after_build
--noworker_quit_after_build
--worker_sandboxing
--noworker_sandboxing
--worker_verbose
--noworker_verbose
--workspace_status_command=path
--xbinary_fdo=label
--xcode_version=
--xcode_version_config=label
--zip_undeclared_test_outputs
--nozip_undeclared_test_outputs
"
BAZEL_COMMAND_DUMP_FLAGS="
--action_cache
--noaction_cache
--allow_yanked_versions=
--announce_rc
--noannounce_rc
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_metadata=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--color={yes,no,auto}
--config=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--curses={yes,no,auto}
--disk_cache=path
--distdir=
--downloader_config=path
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_workspace
--noenable_workspace
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_resolved_file_instead_of_workspace=
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_scale_timeouts=
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_ui_max_stdouterr_bytes=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_workspace_rules_log_file=path
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_autoload_externally=
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--inject_repository=
--invocation_id=
--jvm_heap_histogram_internal_object_pattern=
--keep_state_after_build
--nokeep_state_after_build
--legacy_important_outputs
--nolegacy_important_outputs
--lockfile_mode={off,update,refresh,error}
--logging=
--max_computation_steps=
--memory=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--nested_set_depth_limit=
--override_module=
--override_repository=
--packages
--nopackages
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--rule_classes
--norule_classes
--rules
--norules
--separate_aspect_deps
--noseparate_aspect_deps
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_timestamps
--noshow_timestamps
--skyframe={off,summary,count,value,deps,rdeps,function_graph,working_set,working_set_frontier_deps}
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--skykey_filter=
--skylark_memory=
--slim_profile
--noslim_profile
--starlark_cpu_profile=
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_tag=
--track_incremental_state
--notrack_incremental_state
--ui_actions_shown=
--ui_event_filters=
--vendor_dir=path
--watchfs
--nowatchfs
"
BAZEL_COMMAND_FETCH_ARGUMENT="label"
BAZEL_COMMAND_FETCH_FLAGS="
--action_env=
--all
--noall
--allow_analysis_cache_discard
--noallow_analysis_cache_discard
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--android_compiler=
--android_databinding_use_androidx
--noandroid_databinding_use_androidx
--android_databinding_use_v3_4_args
--noandroid_databinding_use_v3_4_args
--android_dynamic_mode={off,default,fully}
--android_manifest_merger={legacy,android,force_android}
--android_manifest_merger_order={alphabetical,alphabetical_by_configuration,dependency}
--android_platforms=
--android_resource_shrinking
--noandroid_resource_shrinking
--announce_rc
--noannounce_rc
--apk_signing_method={v1,v2,v1_v2,v4}
--apple_crosstool_top=label
--apple_generate_dsym
--noapple_generate_dsym
--aspects=
--aspects_parameters=
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--auto_output_filter={none,all,packages,subpackages}
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--break_build_on_parallel_dex2oat_failure
--nobreak_build_on_parallel_dex2oat_failure
--build
--nobuild
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_manual_tests
--nobuild_manual_tests
--build_metadata=
--build_python_zip={auto,yes,no}
--nobuild_python_zip
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--build_tag_filters=
--build_test_dwp
--nobuild_test_dwp
--build_tests_only
--nobuild_tests_only
--cache_computed_file_digests=
--cache_test_results={auto,yes,no}
--nocache_test_results
--catalyst_cpus=
--cc_output_directory_tag=
--cc_proto_library_header_suffixes=
--cc_proto_library_source_suffixes=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_tests_up_to_date
--nocheck_tests_up_to_date
--check_up_to_date
--nocheck_up_to_date
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--combined_report={none,lcov}
--compilation_mode={fastbuild,dbg,opt}
--compile_one_dependency
--nocompile_one_dependency
--compiler=
--config=
--configure
--noconfigure
--conlyopt=
--copt=
--coverage_output_generator=label
--coverage_report_generator=label
--coverage_support=label
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--cs_fdo_absolute_path=
--cs_fdo_instrument=
--cs_fdo_profile=label
--curses={yes,no,auto}
--custom_malloc=label
--cxxopt=
--debug_spawn_scheduler
--nodebug_spawn_scheduler
--default_test_resources=
--define=
--deleted_packages=
--desugar_for_android
--nodesugar_for_android
--desugar_java8_libs
--nodesugar_java8_libs
--device_debug_entitlements
--nodevice_debug_entitlements
--discard_analysis_cache
--nodiscard_analysis_cache
--disk_cache=path
--distdir=
--downloader_config=path
--dynamic_local_execution_delay=
--dynamic_local_strategy=
--dynamic_mode={off,default,fully}
--dynamic_remote_strategy=
--embed_label=
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_propeller_optimize_absolute_paths
--noenable_propeller_optimize_absolute_paths
--enable_remaining_fdo_absolute_paths
--noenable_remaining_fdo_absolute_paths
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--execution_log_binary_file=path
--execution_log_compact_file=path
--execution_log_json_file=path
--execution_log_sort
--noexecution_log_sort
--expand_test_suites
--noexpand_test_suites
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_add_exec_constraints_to_targets=
--experimental_android_compress_java_resources
--noexperimental_android_compress_java_resources
--experimental_android_databinding_v2
--noexperimental_android_databinding_v2
--experimental_android_resource_shrinking
--noexperimental_android_resource_shrinking
--experimental_android_rewrite_dexes_with_rex
--noexperimental_android_rewrite_dexes_with_rex
--experimental_android_use_parallel_dex2oat
--noexperimental_android_use_parallel_dex2oat
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cancel_concurrent_tests
--noexperimental_cancel_concurrent_tests
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_check_desugar_deps
--noexperimental_check_desugar_deps
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_local_sandbox_action_metrics
--noexperimental_collect_local_sandbox_action_metrics
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_convenience_symlinks={normal,clean,ignore,log_only}
--experimental_convenience_symlinks_bep_event
--noexperimental_convenience_symlinks_bep_event
--experimental_cpu_load_scheduling
--noexperimental_cpu_load_scheduling
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_docker_image=
--experimental_docker_privileged
--noexperimental_docker_privileged
--experimental_docker_use_customized_images
--noexperimental_docker_use_customized_images
--experimental_docker_verbose
--noexperimental_docker_verbose
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_dynamic_exclude_tools
--noexperimental_dynamic_exclude_tools
--experimental_dynamic_ignore_local_signals=
--experimental_dynamic_local_load_factor=
--experimental_dynamic_slow_remote_time=
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_docker_sandbox
--noexperimental_enable_docker_sandbox
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_skyfocus
--noexperimental_enable_skyfocus
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_extra_action_filter=
--experimental_extra_action_top_level_only
--noexperimental_extra_action_top_level_only
--experimental_fetch_all_coverage_outputs
--noexperimental_fetch_all_coverage_outputs
--experimental_filter_library_jar_with_program_jar
--noexperimental_filter_library_jar_with_program_jar
--experimental_generate_llvm_lcov
--noexperimental_generate_llvm_lcov
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_import_deps_checking=
--experimental_include_xcode_execution_requirements
--noexperimental_include_xcode_execution_requirements
--experimental_inmemory_dotd_files
--noexperimental_inmemory_dotd_files
--experimental_inmemory_jdeps_files
--noexperimental_inmemory_jdeps_files
--experimental_inmemory_sandbox_stashes
--noexperimental_inmemory_sandbox_stashes
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_j2objc_header_map
--noexperimental_j2objc_header_map
--experimental_j2objc_shorter_header_path
--noexperimental_j2objc_shorter_header_path
--experimental_java_classpath={off,javabuilder,bazel,bazel_no_fallback}
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_limit_android_lint_to_android_constrained_java
--noexperimental_limit_android_lint_to_android_constrained_java
--experimental_materialize_param_files_directly
--noexperimental_materialize_param_files_directly
--experimental_objc_fastbuild_options=
--experimental_omitfp
--noexperimental_omitfp
--experimental_one_version_enforcement={off,warning,error}
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_parallel_aquery_output
--noexperimental_parallel_aquery_output
--experimental_persistent_aar_extractor
--noexperimental_persistent_aar_extractor
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_prefer_mutual_xcode
--noexperimental_prefer_mutual_xcode
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_proto_descriptor_sets_include_source_info
--noexperimental_proto_descriptor_sets_include_source_info
--experimental_py_binaries_include_label
--noexperimental_py_binaries_include_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_eviction_retries=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_repository_resolved_file=
--experimental_resolved_file_instead_of_workspace=
--experimental_retain_test_configuration_across_testonly
--noexperimental_retain_test_configuration_across_testonly
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_android_lint_on_java_rules
--noexperimental_run_android_lint_on_java_rules
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_sandbox_async_tree_delete_idle_threads=
--experimental_sandbox_enforce_resources_regexp=
--experimental_sandbox_limits=
--experimental_sandbox_memory_limit_mb=
--experimental_sandboxfs_map_symlink_targets
--noexperimental_sandboxfs_map_symlink_targets
--experimental_save_feature_state
--noexperimental_save_feature_state
--experimental_scale_timeouts=
--experimental_shrink_worker_pool
--noexperimental_shrink_worker_pool
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_skyfocus_dump_keys={none,count,verbose}
--experimental_skyfocus_dump_post_gc_stats
--noexperimental_skyfocus_dump_post_gc_stats
--experimental_skyfocus_handling_strategy={strict,warn}
--experimental_spawn_scheduler
--experimental_split_coverage_postprocessing
--noexperimental_split_coverage_postprocessing
--experimental_split_xml_generation
--noexperimental_split_xml_generation
--experimental_starlark_cc_import
--noexperimental_starlark_cc_import
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_strict_java_deps={off,warn,error,strict,default}
--experimental_total_worker_memory_limit_mb=
--experimental_ui_max_stdouterr_bytes=
--experimental_unsupported_and_brittle_include_scanning
--noexperimental_unsupported_and_brittle_include_scanning
--experimental_use_hermetic_linux_sandbox
--noexperimental_use_hermetic_linux_sandbox
--experimental_use_llvm_covmap
--noexperimental_use_llvm_covmap
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_use_semaphore_for_jobs
--noexperimental_use_semaphore_for_jobs
--experimental_use_validation_aspect
--noexperimental_use_validation_aspect
--experimental_use_windows_sandbox={auto,yes,no}
--noexperimental_use_windows_sandbox
--experimental_windows_sandbox_path=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_allowlist=
--experimental_worker_as_resource
--noexperimental_worker_as_resource
--experimental_worker_cancellation
--noexperimental_worker_cancellation
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_worker_memory_limit_mb=
--experimental_worker_metrics_poll_interval=
--experimental_worker_multiplex_sandboxing
--noexperimental_worker_multiplex_sandboxing
--experimental_worker_sandbox_hardening
--noexperimental_worker_sandbox_hardening
--experimental_worker_sandbox_inmemory_tracking=
--experimental_worker_strict_flagfiles
--noexperimental_worker_strict_flagfiles
--experimental_working_set=
--experimental_workspace_rules_log_file=path
--explain=path
--explicit_java_test_deps
--noexplicit_java_test_deps
--extra_execution_platforms=
--extra_toolchains=
--fat_apk_hwasan
--nofat_apk_hwasan
--fdo_instrument=
--fdo_optimize=
--fdo_prefetch_hints=label
--fdo_profile=label
--features=
--fetch
--nofetch
--fission=
--flag_alias=
--flaky_test_attempts=
--force
--noforce
--force_pic
--noforce_pic
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--genrule_strategy=
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--grte_top=label
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--high_priority_workers=
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_compiler=
--host_conlyopt=
--host_copt=
--host_cpu=
--host_cxxopt=
--host_features=
--host_force_python={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--host_grte_top=label
--host_java_launcher=label
--host_javacopt=
--host_jvmopt=
--host_linkopt=
--host_macos_minimum_os=
--host_per_file_copt=
--host_platform=label
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--ignore_unsupported_sandboxing
--noignore_unsupported_sandboxing
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_sharding_support
--noincompatible_check_sharding_support
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_check_visibility_for_toolchains
--noincompatible_check_visibility_for_toolchains
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_default_to_explicit_init_py
--noincompatible_default_to_explicit_init_py
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_android_rules
--noincompatible_disable_native_android_rules
--incompatible_disable_native_apple_binary_rule
--noincompatible_disable_native_apple_binary_rule
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_legacy_py_provider
--noincompatible_disallow_legacy_py_provider
--incompatible_disallow_sdk_frameworks_attributes
--noincompatible_disallow_sdk_frameworks_attributes
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_dont_enable_host_nonhost_crosstool_features
--noincompatible_dont_enable_host_nonhost_crosstool_features
--incompatible_dont_use_javasourceinfoprovider
--noincompatible_dont_use_javasourceinfoprovider
--incompatible_enable_apple_toolchain_resolution
--noincompatible_enable_apple_toolchain_resolution
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_exclusive_test_sandboxed
--noincompatible_exclusive_test_sandboxed
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_legacy_local_fallback
--noincompatible_legacy_local_fallback
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_make_thinlto_command_lines_standalone
--noincompatible_make_thinlto_command_lines_standalone
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_objc_alwayslink_by_default
--noincompatible_objc_alwayslink_by_default
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_py2_outputs_are_suffixed
--noincompatible_py2_outputs_are_suffixed
--incompatible_py3_is_default
--noincompatible_py3_is_default
--incompatible_python_disable_py2
--noincompatible_python_disable_py2
--incompatible_python_disallow_native_rules
--noincompatible_python_disallow_native_rules
--incompatible_remote_use_new_exit_code_for_lost_inputs
--noincompatible_remote_use_new_exit_code_for_lost_inputs
--incompatible_remove_legacy_whole_archive
--noincompatible_remove_legacy_whole_archive
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_ctx_in_configure_features
--noincompatible_require_ctx_in_configure_features
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_sandbox_hermetic_tmp
--noincompatible_sandbox_hermetic_tmp
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_strict_action_env
--noincompatible_strict_action_env
--incompatible_strip_executable_safely
--noincompatible_strip_executable_safely
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_new_cgroup_implementation
--noincompatible_use_new_cgroup_implementation
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_use_python_toolchains
--noincompatible_use_python_toolchains
--incompatible_validate_top_level_header_inclusions
--noincompatible_validate_top_level_header_inclusions
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--incremental_dexing
--noincremental_dexing
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--interface_shared_objects
--nointerface_shared_objects
--internal_spawn_scheduler
--nointernal_spawn_scheduler
--invocation_id=
--ios_memleaks
--noios_memleaks
--ios_minimum_os=
--ios_multi_cpus=
--ios_sdk_version=
--ios_signing_cert_name=
--ios_simulator_device=
--ios_simulator_version=
--j2objc_translation_flags=
--java_debug
--java_deps
--nojava_deps
--java_header_compilation
--nojava_header_compilation
--java_language_version=
--java_launcher=label
--java_runtime_version=
--javacopt=
--jobs=
--jvm_heap_histogram_internal_object_pattern=
--jvmopt=
--keep_going
--nokeep_going
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--legacy_main_dex_list_generator=label
--legacy_whole_archive
--nolegacy_whole_archive
--linkopt=
--loading_phase_threads=
--local_cpu_resources=
--local_extra_resources=
--local_ram_resources=
--local_resources=
--local_termination_grace_seconds=
--local_test_jobs=
--lockfile_mode={off,update,refresh,error}
--logging=
--ltobackendopt=
--ltoindexopt=
--macos_cpus=
--macos_minimum_os=
--macos_sdk_version=
--materialize_param_files
--nomaterialize_param_files
--max_computation_steps=
--max_config_changes_to_show=
--max_test_output_bytes=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--memprof_profile=label
--minimum_os_version=
--modify_execution_info=
--nested_set_depth_limit=
--objc_debug_with_GLIBCXX
--noobjc_debug_with_GLIBCXX
--objc_enable_binary_stripping
--noobjc_enable_binary_stripping
--objc_generate_linkmap
--noobjc_generate_linkmap
--objc_use_dotd_pruning
--noobjc_use_dotd_pruning
--objccopt=
--one_version_enforcement_on_java_tests
--noone_version_enforcement_on_java_tests
--optimizing_dexer=label
--output_filter=
--output_groups=
--override_module=
--override_repository=
--package_path=
--per_file_copt=
--per_file_ltobackendopt=
--persistent_android_dex_desugar
--persistent_android_resource_processor
--persistent_multiplex_android_dex_desugar
--persistent_multiplex_android_resource_processor
--persistent_multiplex_android_tools
--platform_mappings=
--platform_suffix=
--platforms=
--plugin=
--print_relative_test_log_paths
--noprint_relative_test_log_paths
--process_headers_in_dependencies
--noprocess_headers_in_dependencies
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--progress_report_interval=
--proguard_top=label
--propeller_optimize=label
--propeller_optimize_absolute_cc_profile=
--propeller_optimize_absolute_ld_profile=
--proto_compiler=label
--proto_profile
--noproto_profile
--proto_profile_path=label
--proto_toolchain_for_cc=label
--proto_toolchain_for_j2objc=label
--proto_toolchain_for_java=label
--proto_toolchain_for_javalite=label
--protocopt=
--python_native_rules_allowlist=label
--python_path=
--python_top=label
--python_version={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo=
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--reuse_sandbox_directories
--noreuse_sandbox_directories
--run_under=
--run_validations
--norun_validations
--runs_per_test=
--runs_per_test_detects_flakes
--noruns_per_test_detects_flakes
--sandbox_add_mount_pair=
--sandbox_base=
--sandbox_block_path=
--sandbox_debug
--nosandbox_debug
--sandbox_default_allow_network
--nosandbox_default_allow_network
--sandbox_explicit_pseudoterminal
--nosandbox_explicit_pseudoterminal
--sandbox_fake_hostname
--nosandbox_fake_hostname
--sandbox_fake_username
--nosandbox_fake_username
--sandbox_tmpfs_path=
--sandbox_writable_path=
--save_temps
--nosave_temps
--separate_aspect_deps
--noseparate_aspect_deps
--serialized_frontier_profile=
--share_native_deps
--noshare_native_deps
--shell_executable=path
--show_loading_progress
--noshow_loading_progress
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_result=
--show_timestamps
--noshow_timestamps
--skip_incompatible_explicit_targets
--noskip_incompatible_explicit_targets
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--spawn_strategy=
--stamp
--nostamp
--starlark_cpu_profile=
--strategy=
--strategy_regexp=
--strict_filesets
--nostrict_filesets
--strict_proto_deps={off,warn,error,strict,default}
--strict_public_imports={off,warn,error,strict,default}
--strict_system_includes
--nostrict_system_includes
--strip={always,sometimes,never}
--stripopt=
--subcommands={true,pretty_print,false}
--symlink_prefix=
--target_environment=
--target_pattern_file=
--target_platform_fallback=
--test_arg=
--test_env=
--test_filter=
--test_keep_going
--notest_keep_going
--test_lang_filters=
--test_output={summary,errors,all,streamed}
--test_result_expiration=
--test_runner_fail_fast
--notest_runner_fail_fast
--test_sharding_strategy=
--test_size_filters=
--test_strategy=
--test_summary={short,terse,detailed,none,testcase}
--test_tag_filters=
--test_timeout=
--test_timeout_filters=
--test_tmpdir=path
--test_verbose_timeout_warnings
--notest_verbose_timeout_warnings
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_java_language_version=
--tool_java_runtime_version=
--tool_tag=
--toolchain_resolution_debug=
--track_incremental_state
--notrack_incremental_state
--trim_test_configuration
--notrim_test_configuration
--tvos_cpus=
--tvos_minimum_os=
--tvos_sdk_version=
--ui_actions_shown=
--ui_event_filters=
--use_ijars
--nouse_ijars
--use_target_platform_for_tests
--nouse_target_platform_for_tests
--vendor_dir=path
--verbose_explanations
--noverbose_explanations
--verbose_failures
--noverbose_failures
--verbose_test_summary
--noverbose_test_summary
--visionos_cpus=
--watchfs
--nowatchfs
--watchos_cpus=
--watchos_minimum_os=
--watchos_sdk_version=
--worker_extra_flag=
--worker_max_instances=
--worker_max_multiplex_instances=
--worker_multiplex
--noworker_multiplex
--worker_quit_after_build
--noworker_quit_after_build
--worker_sandboxing
--noworker_sandboxing
--worker_verbose
--noworker_verbose
--workspace_status_command=path
--xbinary_fdo=label
--xcode_version=
--xcode_version_config=label
--zip_undeclared_test_outputs
--nozip_undeclared_test_outputs
"
BAZEL_COMMAND_HELP_ARGUMENT="command|{startup_options,target-syntax,info-keys}"
BAZEL_COMMAND_HELP_FLAGS="
--allow_yanked_versions=
--announce_rc
--noannounce_rc
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_metadata=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--color={yes,no,auto}
--config=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--curses={yes,no,auto}
--disk_cache=path
--distdir=
--downloader_config=path
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_workspace
--noenable_workspace
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_resolved_file_instead_of_workspace=
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_scale_timeouts=
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_ui_max_stdouterr_bytes=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_workspace_rules_log_file=path
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--help_verbosity={long,medium,short}
--heuristically_drop_nodes
--noheuristically_drop_nodes
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_autoload_externally=
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--inject_repository=
--invocation_id=
--jvm_heap_histogram_internal_object_pattern=
--keep_state_after_build
--nokeep_state_after_build
--legacy_important_outputs
--nolegacy_important_outputs
--lockfile_mode={off,update,refresh,error}
--logging=
--long
--max_computation_steps=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--nested_set_depth_limit=
--override_module=
--override_repository=
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--separate_aspect_deps
--noseparate_aspect_deps
--short
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_timestamps
--noshow_timestamps
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--starlark_cpu_profile=
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_tag=
--track_incremental_state
--notrack_incremental_state
--ui_actions_shown=
--ui_event_filters=
--vendor_dir=path
--watchfs
--nowatchfs
"
BAZEL_COMMAND_INFO_ARGUMENT="info-key"
BAZEL_COMMAND_INFO_FLAGS="
--action_env=
--allow_analysis_cache_discard
--noallow_analysis_cache_discard
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--android_compiler=
--android_databinding_use_androidx
--noandroid_databinding_use_androidx
--android_databinding_use_v3_4_args
--noandroid_databinding_use_v3_4_args
--android_dynamic_mode={off,default,fully}
--android_manifest_merger={legacy,android,force_android}
--android_manifest_merger_order={alphabetical,alphabetical_by_configuration,dependency}
--android_platforms=
--android_resource_shrinking
--noandroid_resource_shrinking
--announce_rc
--noannounce_rc
--apk_signing_method={v1,v2,v1_v2,v4}
--apple_crosstool_top=label
--apple_generate_dsym
--noapple_generate_dsym
--aspects=
--aspects_parameters=
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--auto_output_filter={none,all,packages,subpackages}
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--break_build_on_parallel_dex2oat_failure
--nobreak_build_on_parallel_dex2oat_failure
--build
--nobuild
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_manual_tests
--nobuild_manual_tests
--build_metadata=
--build_python_zip={auto,yes,no}
--nobuild_python_zip
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--build_tag_filters=
--build_test_dwp
--nobuild_test_dwp
--build_tests_only
--nobuild_tests_only
--cache_computed_file_digests=
--cache_test_results={auto,yes,no}
--nocache_test_results
--catalyst_cpus=
--cc_output_directory_tag=
--cc_proto_library_header_suffixes=
--cc_proto_library_source_suffixes=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_tests_up_to_date
--nocheck_tests_up_to_date
--check_up_to_date
--nocheck_up_to_date
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--combined_report={none,lcov}
--compilation_mode={fastbuild,dbg,opt}
--compile_one_dependency
--nocompile_one_dependency
--compiler=
--config=
--conlyopt=
--copt=
--coverage_output_generator=label
--coverage_report_generator=label
--coverage_support=label
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--cs_fdo_absolute_path=
--cs_fdo_instrument=
--cs_fdo_profile=label
--curses={yes,no,auto}
--custom_malloc=label
--cxxopt=
--debug_spawn_scheduler
--nodebug_spawn_scheduler
--default_test_resources=
--define=
--deleted_packages=
--desugar_for_android
--nodesugar_for_android
--desugar_java8_libs
--nodesugar_java8_libs
--device_debug_entitlements
--nodevice_debug_entitlements
--discard_analysis_cache
--nodiscard_analysis_cache
--disk_cache=path
--distdir=
--downloader_config=path
--dynamic_local_execution_delay=
--dynamic_local_strategy=
--dynamic_mode={off,default,fully}
--dynamic_remote_strategy=
--embed_label=
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_propeller_optimize_absolute_paths
--noenable_propeller_optimize_absolute_paths
--enable_remaining_fdo_absolute_paths
--noenable_remaining_fdo_absolute_paths
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--execution_log_binary_file=path
--execution_log_compact_file=path
--execution_log_json_file=path
--execution_log_sort
--noexecution_log_sort
--expand_test_suites
--noexpand_test_suites
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_add_exec_constraints_to_targets=
--experimental_android_compress_java_resources
--noexperimental_android_compress_java_resources
--experimental_android_databinding_v2
--noexperimental_android_databinding_v2
--experimental_android_resource_shrinking
--noexperimental_android_resource_shrinking
--experimental_android_rewrite_dexes_with_rex
--noexperimental_android_rewrite_dexes_with_rex
--experimental_android_use_parallel_dex2oat
--noexperimental_android_use_parallel_dex2oat
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cancel_concurrent_tests
--noexperimental_cancel_concurrent_tests
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_check_desugar_deps
--noexperimental_check_desugar_deps
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_local_sandbox_action_metrics
--noexperimental_collect_local_sandbox_action_metrics
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_convenience_symlinks={normal,clean,ignore,log_only}
--experimental_convenience_symlinks_bep_event
--noexperimental_convenience_symlinks_bep_event
--experimental_cpu_load_scheduling
--noexperimental_cpu_load_scheduling
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_docker_image=
--experimental_docker_privileged
--noexperimental_docker_privileged
--experimental_docker_use_customized_images
--noexperimental_docker_use_customized_images
--experimental_docker_verbose
--noexperimental_docker_verbose
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_dynamic_exclude_tools
--noexperimental_dynamic_exclude_tools
--experimental_dynamic_ignore_local_signals=
--experimental_dynamic_local_load_factor=
--experimental_dynamic_slow_remote_time=
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_docker_sandbox
--noexperimental_enable_docker_sandbox
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_skyfocus
--noexperimental_enable_skyfocus
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_extra_action_filter=
--experimental_extra_action_top_level_only
--noexperimental_extra_action_top_level_only
--experimental_fetch_all_coverage_outputs
--noexperimental_fetch_all_coverage_outputs
--experimental_filter_library_jar_with_program_jar
--noexperimental_filter_library_jar_with_program_jar
--experimental_generate_llvm_lcov
--noexperimental_generate_llvm_lcov
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_import_deps_checking=
--experimental_include_xcode_execution_requirements
--noexperimental_include_xcode_execution_requirements
--experimental_inmemory_dotd_files
--noexperimental_inmemory_dotd_files
--experimental_inmemory_jdeps_files
--noexperimental_inmemory_jdeps_files
--experimental_inmemory_sandbox_stashes
--noexperimental_inmemory_sandbox_stashes
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_j2objc_header_map
--noexperimental_j2objc_header_map
--experimental_j2objc_shorter_header_path
--noexperimental_j2objc_shorter_header_path
--experimental_java_classpath={off,javabuilder,bazel,bazel_no_fallback}
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_limit_android_lint_to_android_constrained_java
--noexperimental_limit_android_lint_to_android_constrained_java
--experimental_materialize_param_files_directly
--noexperimental_materialize_param_files_directly
--experimental_objc_fastbuild_options=
--experimental_omitfp
--noexperimental_omitfp
--experimental_one_version_enforcement={off,warning,error}
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_parallel_aquery_output
--noexperimental_parallel_aquery_output
--experimental_persistent_aar_extractor
--noexperimental_persistent_aar_extractor
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_prefer_mutual_xcode
--noexperimental_prefer_mutual_xcode
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_proto_descriptor_sets_include_source_info
--noexperimental_proto_descriptor_sets_include_source_info
--experimental_py_binaries_include_label
--noexperimental_py_binaries_include_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_eviction_retries=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_repository_resolved_file=
--experimental_resolved_file_instead_of_workspace=
--experimental_retain_test_configuration_across_testonly
--noexperimental_retain_test_configuration_across_testonly
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_android_lint_on_java_rules
--noexperimental_run_android_lint_on_java_rules
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_sandbox_async_tree_delete_idle_threads=
--experimental_sandbox_enforce_resources_regexp=
--experimental_sandbox_limits=
--experimental_sandbox_memory_limit_mb=
--experimental_sandboxfs_map_symlink_targets
--noexperimental_sandboxfs_map_symlink_targets
--experimental_save_feature_state
--noexperimental_save_feature_state
--experimental_scale_timeouts=
--experimental_shrink_worker_pool
--noexperimental_shrink_worker_pool
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_skyfocus_dump_keys={none,count,verbose}
--experimental_skyfocus_dump_post_gc_stats
--noexperimental_skyfocus_dump_post_gc_stats
--experimental_skyfocus_handling_strategy={strict,warn}
--experimental_spawn_scheduler
--experimental_split_coverage_postprocessing
--noexperimental_split_coverage_postprocessing
--experimental_split_xml_generation
--noexperimental_split_xml_generation
--experimental_starlark_cc_import
--noexperimental_starlark_cc_import
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_strict_java_deps={off,warn,error,strict,default}
--experimental_total_worker_memory_limit_mb=
--experimental_ui_max_stdouterr_bytes=
--experimental_unsupported_and_brittle_include_scanning
--noexperimental_unsupported_and_brittle_include_scanning
--experimental_use_hermetic_linux_sandbox
--noexperimental_use_hermetic_linux_sandbox
--experimental_use_llvm_covmap
--noexperimental_use_llvm_covmap
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_use_semaphore_for_jobs
--noexperimental_use_semaphore_for_jobs
--experimental_use_validation_aspect
--noexperimental_use_validation_aspect
--experimental_use_windows_sandbox={auto,yes,no}
--noexperimental_use_windows_sandbox
--experimental_windows_sandbox_path=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_allowlist=
--experimental_worker_as_resource
--noexperimental_worker_as_resource
--experimental_worker_cancellation
--noexperimental_worker_cancellation
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_worker_memory_limit_mb=
--experimental_worker_metrics_poll_interval=
--experimental_worker_multiplex_sandboxing
--noexperimental_worker_multiplex_sandboxing
--experimental_worker_sandbox_hardening
--noexperimental_worker_sandbox_hardening
--experimental_worker_sandbox_inmemory_tracking=
--experimental_worker_strict_flagfiles
--noexperimental_worker_strict_flagfiles
--experimental_working_set=
--experimental_workspace_rules_log_file=path
--explain=path
--explicit_java_test_deps
--noexplicit_java_test_deps
--extra_execution_platforms=
--extra_toolchains=
--fat_apk_hwasan
--nofat_apk_hwasan
--fdo_instrument=
--fdo_optimize=
--fdo_prefetch_hints=label
--fdo_profile=label
--features=
--fetch
--nofetch
--fission=
--flag_alias=
--flaky_test_attempts=
--force_pic
--noforce_pic
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--genrule_strategy=
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--grte_top=label
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--high_priority_workers=
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_compiler=
--host_conlyopt=
--host_copt=
--host_cpu=
--host_cxxopt=
--host_features=
--host_force_python={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--host_grte_top=label
--host_java_launcher=label
--host_javacopt=
--host_jvmopt=
--host_linkopt=
--host_macos_minimum_os=
--host_per_file_copt=
--host_platform=label
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--ignore_unsupported_sandboxing
--noignore_unsupported_sandboxing
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_sharding_support
--noincompatible_check_sharding_support
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_check_visibility_for_toolchains
--noincompatible_check_visibility_for_toolchains
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_default_to_explicit_init_py
--noincompatible_default_to_explicit_init_py
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_android_rules
--noincompatible_disable_native_android_rules
--incompatible_disable_native_apple_binary_rule
--noincompatible_disable_native_apple_binary_rule
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_legacy_py_provider
--noincompatible_disallow_legacy_py_provider
--incompatible_disallow_sdk_frameworks_attributes
--noincompatible_disallow_sdk_frameworks_attributes
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_dont_enable_host_nonhost_crosstool_features
--noincompatible_dont_enable_host_nonhost_crosstool_features
--incompatible_dont_use_javasourceinfoprovider
--noincompatible_dont_use_javasourceinfoprovider
--incompatible_enable_apple_toolchain_resolution
--noincompatible_enable_apple_toolchain_resolution
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_exclusive_test_sandboxed
--noincompatible_exclusive_test_sandboxed
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_legacy_local_fallback
--noincompatible_legacy_local_fallback
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_make_thinlto_command_lines_standalone
--noincompatible_make_thinlto_command_lines_standalone
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_objc_alwayslink_by_default
--noincompatible_objc_alwayslink_by_default
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_py2_outputs_are_suffixed
--noincompatible_py2_outputs_are_suffixed
--incompatible_py3_is_default
--noincompatible_py3_is_default
--incompatible_python_disable_py2
--noincompatible_python_disable_py2
--incompatible_python_disallow_native_rules
--noincompatible_python_disallow_native_rules
--incompatible_remote_use_new_exit_code_for_lost_inputs
--noincompatible_remote_use_new_exit_code_for_lost_inputs
--incompatible_remove_legacy_whole_archive
--noincompatible_remove_legacy_whole_archive
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_ctx_in_configure_features
--noincompatible_require_ctx_in_configure_features
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_sandbox_hermetic_tmp
--noincompatible_sandbox_hermetic_tmp
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_strict_action_env
--noincompatible_strict_action_env
--incompatible_strip_executable_safely
--noincompatible_strip_executable_safely
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_new_cgroup_implementation
--noincompatible_use_new_cgroup_implementation
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_use_python_toolchains
--noincompatible_use_python_toolchains
--incompatible_validate_top_level_header_inclusions
--noincompatible_validate_top_level_header_inclusions
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--incremental_dexing
--noincremental_dexing
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--interface_shared_objects
--nointerface_shared_objects
--internal_spawn_scheduler
--nointernal_spawn_scheduler
--invocation_id=
--ios_memleaks
--noios_memleaks
--ios_minimum_os=
--ios_multi_cpus=
--ios_sdk_version=
--ios_signing_cert_name=
--ios_simulator_device=
--ios_simulator_version=
--j2objc_translation_flags=
--java_debug
--java_deps
--nojava_deps
--java_header_compilation
--nojava_header_compilation
--java_language_version=
--java_launcher=label
--java_runtime_version=
--javacopt=
--jobs=
--jvm_heap_histogram_internal_object_pattern=
--jvmopt=
--keep_going
--nokeep_going
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--legacy_main_dex_list_generator=label
--legacy_whole_archive
--nolegacy_whole_archive
--linkopt=
--loading_phase_threads=
--local_cpu_resources=
--local_extra_resources=
--local_ram_resources=
--local_resources=
--local_termination_grace_seconds=
--local_test_jobs=
--lockfile_mode={off,update,refresh,error}
--logging=
--ltobackendopt=
--ltoindexopt=
--macos_cpus=
--macos_minimum_os=
--macos_sdk_version=
--materialize_param_files
--nomaterialize_param_files
--max_computation_steps=
--max_config_changes_to_show=
--max_test_output_bytes=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--memprof_profile=label
--minimum_os_version=
--modify_execution_info=
--nested_set_depth_limit=
--objc_debug_with_GLIBCXX
--noobjc_debug_with_GLIBCXX
--objc_enable_binary_stripping
--noobjc_enable_binary_stripping
--objc_generate_linkmap
--noobjc_generate_linkmap
--objc_use_dotd_pruning
--noobjc_use_dotd_pruning
--objccopt=
--one_version_enforcement_on_java_tests
--noone_version_enforcement_on_java_tests
--optimizing_dexer=label
--output_filter=
--output_groups=
--override_module=
--override_repository=
--package_path=
--per_file_copt=
--per_file_ltobackendopt=
--persistent_android_dex_desugar
--persistent_android_resource_processor
--persistent_multiplex_android_dex_desugar
--persistent_multiplex_android_resource_processor
--persistent_multiplex_android_tools
--platform_mappings=
--platform_suffix=
--platforms=
--plugin=
--process_headers_in_dependencies
--noprocess_headers_in_dependencies
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--progress_report_interval=
--proguard_top=label
--propeller_optimize=label
--propeller_optimize_absolute_cc_profile=
--propeller_optimize_absolute_ld_profile=
--proto_compiler=label
--proto_profile
--noproto_profile
--proto_profile_path=label
--proto_toolchain_for_cc=label
--proto_toolchain_for_j2objc=label
--proto_toolchain_for_java=label
--proto_toolchain_for_javalite=label
--protocopt=
--python_native_rules_allowlist=label
--python_path=
--python_top=label
--python_version={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--reuse_sandbox_directories
--noreuse_sandbox_directories
--run_under=
--run_validations
--norun_validations
--runs_per_test=
--runs_per_test_detects_flakes
--noruns_per_test_detects_flakes
--sandbox_add_mount_pair=
--sandbox_base=
--sandbox_block_path=
--sandbox_debug
--nosandbox_debug
--sandbox_default_allow_network
--nosandbox_default_allow_network
--sandbox_explicit_pseudoterminal
--nosandbox_explicit_pseudoterminal
--sandbox_fake_hostname
--nosandbox_fake_hostname
--sandbox_fake_username
--nosandbox_fake_username
--sandbox_tmpfs_path=
--sandbox_writable_path=
--save_temps
--nosave_temps
--separate_aspect_deps
--noseparate_aspect_deps
--serialized_frontier_profile=
--share_native_deps
--noshare_native_deps
--shell_executable=path
--show_loading_progress
--noshow_loading_progress
--show_make_env
--noshow_make_env
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_result=
--show_timestamps
--noshow_timestamps
--skip_incompatible_explicit_targets
--noskip_incompatible_explicit_targets
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--spawn_strategy=
--stamp
--nostamp
--starlark_cpu_profile=
--strategy=
--strategy_regexp=
--strict_filesets
--nostrict_filesets
--strict_proto_deps={off,warn,error,strict,default}
--strict_public_imports={off,warn,error,strict,default}
--strict_system_includes
--nostrict_system_includes
--strip={always,sometimes,never}
--stripopt=
--subcommands={true,pretty_print,false}
--symlink_prefix=
--target_environment=
--target_pattern_file=
--target_platform_fallback=
--test_arg=
--test_env=
--test_filter=
--test_keep_going
--notest_keep_going
--test_lang_filters=
--test_output={summary,errors,all,streamed}
--test_result_expiration=
--test_runner_fail_fast
--notest_runner_fail_fast
--test_sharding_strategy=
--test_size_filters=
--test_strategy=
--test_summary={short,terse,detailed,none,testcase}
--test_tag_filters=
--test_timeout=
--test_timeout_filters=
--test_tmpdir=path
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_java_language_version=
--tool_java_runtime_version=
--tool_tag=
--toolchain_resolution_debug=
--track_incremental_state
--notrack_incremental_state
--trim_test_configuration
--notrim_test_configuration
--tvos_cpus=
--tvos_minimum_os=
--tvos_sdk_version=
--ui_actions_shown=
--ui_event_filters=
--use_ijars
--nouse_ijars
--use_target_platform_for_tests
--nouse_target_platform_for_tests
--vendor_dir=path
--verbose_explanations
--noverbose_explanations
--verbose_failures
--noverbose_failures
--visionos_cpus=
--watchfs
--nowatchfs
--watchos_cpus=
--watchos_minimum_os=
--watchos_sdk_version=
--worker_extra_flag=
--worker_max_instances=
--worker_max_multiplex_instances=
--worker_multiplex
--noworker_multiplex
--worker_quit_after_build
--noworker_quit_after_build
--worker_sandboxing
--noworker_sandboxing
--worker_verbose
--noworker_verbose
--workspace_status_command=path
--xbinary_fdo=label
--xcode_version=
--xcode_version_config=label
--zip_undeclared_test_outputs
--nozip_undeclared_test_outputs
"
BAZEL_COMMAND_LICENSE_FLAGS="
--allow_yanked_versions=
--announce_rc
--noannounce_rc
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_metadata=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--color={yes,no,auto}
--config=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--curses={yes,no,auto}
--disk_cache=path
--distdir=
--downloader_config=path
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_workspace
--noenable_workspace
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_resolved_file_instead_of_workspace=
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_scale_timeouts=
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_ui_max_stdouterr_bytes=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_workspace_rules_log_file=path
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_autoload_externally=
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--inject_repository=
--invocation_id=
--jvm_heap_histogram_internal_object_pattern=
--keep_state_after_build
--nokeep_state_after_build
--legacy_important_outputs
--nolegacy_important_outputs
--lockfile_mode={off,update,refresh,error}
--logging=
--max_computation_steps=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--nested_set_depth_limit=
--override_module=
--override_repository=
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--separate_aspect_deps
--noseparate_aspect_deps
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_timestamps
--noshow_timestamps
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--starlark_cpu_profile=
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_tag=
--track_incremental_state
--notrack_incremental_state
--ui_actions_shown=
--ui_event_filters=
--vendor_dir=path
--watchfs
--nowatchfs
"
BAZEL_COMMAND_MOBILE_INSTALL_ARGUMENT="label"
BAZEL_COMMAND_MOBILE_INSTALL_FLAGS="
--action_env=
--adb=
--adb_arg=
--allow_analysis_cache_discard
--noallow_analysis_cache_discard
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--android_compiler=
--android_databinding_use_androidx
--noandroid_databinding_use_androidx
--android_databinding_use_v3_4_args
--noandroid_databinding_use_v3_4_args
--android_dynamic_mode={off,default,fully}
--android_manifest_merger={legacy,android,force_android}
--android_manifest_merger_order={alphabetical,alphabetical_by_configuration,dependency}
--android_platforms=
--android_resource_shrinking
--noandroid_resource_shrinking
--announce_rc
--noannounce_rc
--apk_signing_method={v1,v2,v1_v2,v4}
--apple_crosstool_top=label
--apple_generate_dsym
--noapple_generate_dsym
--aspects=
--aspects_parameters=
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--auto_output_filter={none,all,packages,subpackages}
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--break_build_on_parallel_dex2oat_failure
--nobreak_build_on_parallel_dex2oat_failure
--build
--nobuild
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_manual_tests
--nobuild_manual_tests
--build_metadata=
--build_python_zip={auto,yes,no}
--nobuild_python_zip
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--build_tag_filters=
--build_test_dwp
--nobuild_test_dwp
--build_tests_only
--nobuild_tests_only
--cache_computed_file_digests=
--cache_test_results={auto,yes,no}
--nocache_test_results
--catalyst_cpus=
--cc_output_directory_tag=
--cc_proto_library_header_suffixes=
--cc_proto_library_source_suffixes=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_tests_up_to_date
--nocheck_tests_up_to_date
--check_up_to_date
--nocheck_up_to_date
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--combined_report={none,lcov}
--compilation_mode={fastbuild,dbg,opt}
--compile_one_dependency
--nocompile_one_dependency
--compiler=
--config=
--conlyopt=
--copt=
--coverage_output_generator=label
--coverage_report_generator=label
--coverage_support=label
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--cs_fdo_absolute_path=
--cs_fdo_instrument=
--cs_fdo_profile=label
--curses={yes,no,auto}
--custom_malloc=label
--cxxopt=
--debug_app
--debug_spawn_scheduler
--nodebug_spawn_scheduler
--default_test_resources=
--define=
--deleted_packages=
--desugar_for_android
--nodesugar_for_android
--desugar_java8_libs
--nodesugar_java8_libs
--device=
--device_debug_entitlements
--nodevice_debug_entitlements
--discard_analysis_cache
--nodiscard_analysis_cache
--disk_cache=path
--distdir=
--downloader_config=path
--dynamic_local_execution_delay=
--dynamic_local_strategy=
--dynamic_mode={off,default,fully}
--dynamic_remote_strategy=
--embed_label=
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_propeller_optimize_absolute_paths
--noenable_propeller_optimize_absolute_paths
--enable_remaining_fdo_absolute_paths
--noenable_remaining_fdo_absolute_paths
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--execution_log_binary_file=path
--execution_log_compact_file=path
--execution_log_json_file=path
--execution_log_sort
--noexecution_log_sort
--expand_test_suites
--noexpand_test_suites
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_add_exec_constraints_to_targets=
--experimental_android_compress_java_resources
--noexperimental_android_compress_java_resources
--experimental_android_databinding_v2
--noexperimental_android_databinding_v2
--experimental_android_resource_shrinking
--noexperimental_android_resource_shrinking
--experimental_android_rewrite_dexes_with_rex
--noexperimental_android_rewrite_dexes_with_rex
--experimental_android_use_parallel_dex2oat
--noexperimental_android_use_parallel_dex2oat
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cancel_concurrent_tests
--noexperimental_cancel_concurrent_tests
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_check_desugar_deps
--noexperimental_check_desugar_deps
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_local_sandbox_action_metrics
--noexperimental_collect_local_sandbox_action_metrics
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_convenience_symlinks={normal,clean,ignore,log_only}
--experimental_convenience_symlinks_bep_event
--noexperimental_convenience_symlinks_bep_event
--experimental_cpu_load_scheduling
--noexperimental_cpu_load_scheduling
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_docker_image=
--experimental_docker_privileged
--noexperimental_docker_privileged
--experimental_docker_use_customized_images
--noexperimental_docker_use_customized_images
--experimental_docker_verbose
--noexperimental_docker_verbose
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_dynamic_exclude_tools
--noexperimental_dynamic_exclude_tools
--experimental_dynamic_ignore_local_signals=
--experimental_dynamic_local_load_factor=
--experimental_dynamic_slow_remote_time=
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_docker_sandbox
--noexperimental_enable_docker_sandbox
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_skyfocus
--noexperimental_enable_skyfocus
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_extra_action_filter=
--experimental_extra_action_top_level_only
--noexperimental_extra_action_top_level_only
--experimental_fetch_all_coverage_outputs
--noexperimental_fetch_all_coverage_outputs
--experimental_filter_library_jar_with_program_jar
--noexperimental_filter_library_jar_with_program_jar
--experimental_generate_llvm_lcov
--noexperimental_generate_llvm_lcov
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_import_deps_checking=
--experimental_include_xcode_execution_requirements
--noexperimental_include_xcode_execution_requirements
--experimental_inmemory_dotd_files
--noexperimental_inmemory_dotd_files
--experimental_inmemory_jdeps_files
--noexperimental_inmemory_jdeps_files
--experimental_inmemory_sandbox_stashes
--noexperimental_inmemory_sandbox_stashes
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_j2objc_header_map
--noexperimental_j2objc_header_map
--experimental_j2objc_shorter_header_path
--noexperimental_j2objc_shorter_header_path
--experimental_java_classpath={off,javabuilder,bazel,bazel_no_fallback}
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_limit_android_lint_to_android_constrained_java
--noexperimental_limit_android_lint_to_android_constrained_java
--experimental_materialize_param_files_directly
--noexperimental_materialize_param_files_directly
--experimental_objc_fastbuild_options=
--experimental_omitfp
--noexperimental_omitfp
--experimental_one_version_enforcement={off,warning,error}
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_parallel_aquery_output
--noexperimental_parallel_aquery_output
--experimental_persistent_aar_extractor
--noexperimental_persistent_aar_extractor
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_prefer_mutual_xcode
--noexperimental_prefer_mutual_xcode
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_proto_descriptor_sets_include_source_info
--noexperimental_proto_descriptor_sets_include_source_info
--experimental_py_binaries_include_label
--noexperimental_py_binaries_include_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_eviction_retries=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_repository_resolved_file=
--experimental_resolved_file_instead_of_workspace=
--experimental_retain_test_configuration_across_testonly
--noexperimental_retain_test_configuration_across_testonly
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_android_lint_on_java_rules
--noexperimental_run_android_lint_on_java_rules
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_sandbox_async_tree_delete_idle_threads=
--experimental_sandbox_enforce_resources_regexp=
--experimental_sandbox_limits=
--experimental_sandbox_memory_limit_mb=
--experimental_sandboxfs_map_symlink_targets
--noexperimental_sandboxfs_map_symlink_targets
--experimental_save_feature_state
--noexperimental_save_feature_state
--experimental_scale_timeouts=
--experimental_shrink_worker_pool
--noexperimental_shrink_worker_pool
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_skyfocus_dump_keys={none,count,verbose}
--experimental_skyfocus_dump_post_gc_stats
--noexperimental_skyfocus_dump_post_gc_stats
--experimental_skyfocus_handling_strategy={strict,warn}
--experimental_spawn_scheduler
--experimental_split_coverage_postprocessing
--noexperimental_split_coverage_postprocessing
--experimental_split_xml_generation
--noexperimental_split_xml_generation
--experimental_starlark_cc_import
--noexperimental_starlark_cc_import
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_strict_java_deps={off,warn,error,strict,default}
--experimental_total_worker_memory_limit_mb=
--experimental_ui_max_stdouterr_bytes=
--experimental_unsupported_and_brittle_include_scanning
--noexperimental_unsupported_and_brittle_include_scanning
--experimental_use_hermetic_linux_sandbox
--noexperimental_use_hermetic_linux_sandbox
--experimental_use_llvm_covmap
--noexperimental_use_llvm_covmap
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_use_semaphore_for_jobs
--noexperimental_use_semaphore_for_jobs
--experimental_use_validation_aspect
--noexperimental_use_validation_aspect
--experimental_use_windows_sandbox={auto,yes,no}
--noexperimental_use_windows_sandbox
--experimental_windows_sandbox_path=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_allowlist=
--experimental_worker_as_resource
--noexperimental_worker_as_resource
--experimental_worker_cancellation
--noexperimental_worker_cancellation
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_worker_memory_limit_mb=
--experimental_worker_metrics_poll_interval=
--experimental_worker_multiplex_sandboxing
--noexperimental_worker_multiplex_sandboxing
--experimental_worker_sandbox_hardening
--noexperimental_worker_sandbox_hardening
--experimental_worker_sandbox_inmemory_tracking=
--experimental_worker_strict_flagfiles
--noexperimental_worker_strict_flagfiles
--experimental_working_set=
--experimental_workspace_rules_log_file=path
--explain=path
--explicit_java_test_deps
--noexplicit_java_test_deps
--extra_execution_platforms=
--extra_toolchains=
--fat_apk_hwasan
--nofat_apk_hwasan
--fdo_instrument=
--fdo_optimize=
--fdo_prefetch_hints=label
--fdo_profile=label
--features=
--fetch
--nofetch
--fission=
--flag_alias=
--flaky_test_attempts=
--force_pic
--noforce_pic
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--genrule_strategy=
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--grte_top=label
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--high_priority_workers=
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_compiler=
--host_conlyopt=
--host_copt=
--host_cpu=
--host_cxxopt=
--host_features=
--host_force_python={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--host_grte_top=label
--host_java_launcher=label
--host_javacopt=
--host_jvmopt=
--host_linkopt=
--host_macos_minimum_os=
--host_per_file_copt=
--host_platform=label
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--ignore_unsupported_sandboxing
--noignore_unsupported_sandboxing
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_sharding_support
--noincompatible_check_sharding_support
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_check_visibility_for_toolchains
--noincompatible_check_visibility_for_toolchains
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_default_to_explicit_init_py
--noincompatible_default_to_explicit_init_py
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_android_rules
--noincompatible_disable_native_android_rules
--incompatible_disable_native_apple_binary_rule
--noincompatible_disable_native_apple_binary_rule
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_legacy_py_provider
--noincompatible_disallow_legacy_py_provider
--incompatible_disallow_sdk_frameworks_attributes
--noincompatible_disallow_sdk_frameworks_attributes
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_dont_enable_host_nonhost_crosstool_features
--noincompatible_dont_enable_host_nonhost_crosstool_features
--incompatible_dont_use_javasourceinfoprovider
--noincompatible_dont_use_javasourceinfoprovider
--incompatible_enable_apple_toolchain_resolution
--noincompatible_enable_apple_toolchain_resolution
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_exclusive_test_sandboxed
--noincompatible_exclusive_test_sandboxed
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_legacy_local_fallback
--noincompatible_legacy_local_fallback
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_make_thinlto_command_lines_standalone
--noincompatible_make_thinlto_command_lines_standalone
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_objc_alwayslink_by_default
--noincompatible_objc_alwayslink_by_default
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_py2_outputs_are_suffixed
--noincompatible_py2_outputs_are_suffixed
--incompatible_py3_is_default
--noincompatible_py3_is_default
--incompatible_python_disable_py2
--noincompatible_python_disable_py2
--incompatible_python_disallow_native_rules
--noincompatible_python_disallow_native_rules
--incompatible_remote_use_new_exit_code_for_lost_inputs
--noincompatible_remote_use_new_exit_code_for_lost_inputs
--incompatible_remove_legacy_whole_archive
--noincompatible_remove_legacy_whole_archive
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_ctx_in_configure_features
--noincompatible_require_ctx_in_configure_features
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_sandbox_hermetic_tmp
--noincompatible_sandbox_hermetic_tmp
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_strict_action_env
--noincompatible_strict_action_env
--incompatible_strip_executable_safely
--noincompatible_strip_executable_safely
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_new_cgroup_implementation
--noincompatible_use_new_cgroup_implementation
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_use_python_toolchains
--noincompatible_use_python_toolchains
--incompatible_validate_top_level_header_inclusions
--noincompatible_validate_top_level_header_inclusions
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--incremental
--noincremental
--incremental_dexing
--noincremental_dexing
--incremental_install_verbosity=
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--interface_shared_objects
--nointerface_shared_objects
--internal_spawn_scheduler
--nointernal_spawn_scheduler
--invocation_id=
--ios_memleaks
--noios_memleaks
--ios_minimum_os=
--ios_multi_cpus=
--ios_sdk_version=
--ios_signing_cert_name=
--ios_simulator_device=
--ios_simulator_version=
--j2objc_translation_flags=
--java_debug
--java_deps
--nojava_deps
--java_header_compilation
--nojava_header_compilation
--java_language_version=
--java_launcher=label
--java_runtime_version=
--javacopt=
--jobs=
--jvm_heap_histogram_internal_object_pattern=
--jvmopt=
--keep_going
--nokeep_going
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--legacy_main_dex_list_generator=label
--legacy_whole_archive
--nolegacy_whole_archive
--linkopt=
--loading_phase_threads=
--local_cpu_resources=
--local_extra_resources=
--local_ram_resources=
--local_resources=
--local_termination_grace_seconds=
--local_test_jobs=
--lockfile_mode={off,update,refresh,error}
--logging=
--ltobackendopt=
--ltoindexopt=
--macos_cpus=
--macos_minimum_os=
--macos_sdk_version=
--materialize_param_files
--nomaterialize_param_files
--max_computation_steps=
--max_config_changes_to_show=
--max_test_output_bytes=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--memprof_profile=label
--minimum_os_version=
--mode={classic,classic_internal_test_do_not_use,skylark}
--modify_execution_info=
--nested_set_depth_limit=
--objc_debug_with_GLIBCXX
--noobjc_debug_with_GLIBCXX
--objc_enable_binary_stripping
--noobjc_enable_binary_stripping
--objc_generate_linkmap
--noobjc_generate_linkmap
--objc_use_dotd_pruning
--noobjc_use_dotd_pruning
--objccopt=
--one_version_enforcement_on_java_tests
--noone_version_enforcement_on_java_tests
--optimizing_dexer=label
--output_filter=
--output_groups=
--override_module=
--override_repository=
--package_path=
--per_file_copt=
--per_file_ltobackendopt=
--persistent_android_dex_desugar
--persistent_android_resource_processor
--persistent_multiplex_android_dex_desugar
--persistent_multiplex_android_resource_processor
--persistent_multiplex_android_tools
--platform_mappings=
--platform_suffix=
--platforms=
--plugin=
--process_headers_in_dependencies
--noprocess_headers_in_dependencies
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--progress_report_interval=
--proguard_top=label
--propeller_optimize=label
--propeller_optimize_absolute_cc_profile=
--propeller_optimize_absolute_ld_profile=
--proto_compiler=label
--proto_profile
--noproto_profile
--proto_profile_path=label
--proto_toolchain_for_cc=label
--proto_toolchain_for_j2objc=label
--proto_toolchain_for_java=label
--proto_toolchain_for_javalite=label
--protocopt=
--python_native_rules_allowlist=label
--python_path=
--python_top=label
--python_version={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--reuse_sandbox_directories
--noreuse_sandbox_directories
--run_under=
--run_validations
--norun_validations
--runs_per_test=
--runs_per_test_detects_flakes
--noruns_per_test_detects_flakes
--sandbox_add_mount_pair=
--sandbox_base=
--sandbox_block_path=
--sandbox_debug
--nosandbox_debug
--sandbox_default_allow_network
--nosandbox_default_allow_network
--sandbox_explicit_pseudoterminal
--nosandbox_explicit_pseudoterminal
--sandbox_fake_hostname
--nosandbox_fake_hostname
--sandbox_fake_username
--nosandbox_fake_username
--sandbox_tmpfs_path=
--sandbox_writable_path=
--save_temps
--nosave_temps
--separate_aspect_deps
--noseparate_aspect_deps
--serialized_frontier_profile=
--share_native_deps
--noshare_native_deps
--shell_executable=path
--show_loading_progress
--noshow_loading_progress
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_result=
--show_timestamps
--noshow_timestamps
--skip_incompatible_explicit_targets
--noskip_incompatible_explicit_targets
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--spawn_strategy=
--split_apks
--nosplit_apks
--stamp
--nostamp
--starlark_cpu_profile=
--start={no,cold,warm,debug}
--start_app
--strategy=
--strategy_regexp=
--strict_filesets
--nostrict_filesets
--strict_proto_deps={off,warn,error,strict,default}
--strict_public_imports={off,warn,error,strict,default}
--strict_system_includes
--nostrict_system_includes
--strip={always,sometimes,never}
--stripopt=
--subcommands={true,pretty_print,false}
--symlink_prefix=
--target_environment=
--target_pattern_file=
--target_platform_fallback=
--test_arg=
--test_env=
--test_filter=
--test_keep_going
--notest_keep_going
--test_lang_filters=
--test_output={summary,errors,all,streamed}
--test_result_expiration=
--test_runner_fail_fast
--notest_runner_fail_fast
--test_sharding_strategy=
--test_size_filters=
--test_strategy=
--test_summary={short,terse,detailed,none,testcase}
--test_tag_filters=
--test_timeout=
--test_timeout_filters=
--test_tmpdir=path
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_java_language_version=
--tool_java_runtime_version=
--tool_tag=
--toolchain_resolution_debug=
--track_incremental_state
--notrack_incremental_state
--trim_test_configuration
--notrim_test_configuration
--tvos_cpus=
--tvos_minimum_os=
--tvos_sdk_version=
--ui_actions_shown=
--ui_event_filters=
--use_ijars
--nouse_ijars
--use_target_platform_for_tests
--nouse_target_platform_for_tests
--vendor_dir=path
--verbose_explanations
--noverbose_explanations
--verbose_failures
--noverbose_failures
--visionos_cpus=
--watchfs
--nowatchfs
--watchos_cpus=
--watchos_minimum_os=
--watchos_sdk_version=
--worker_extra_flag=
--worker_max_instances=
--worker_max_multiplex_instances=
--worker_multiplex
--noworker_multiplex
--worker_quit_after_build
--noworker_quit_after_build
--worker_sandboxing
--noworker_sandboxing
--worker_verbose
--noworker_verbose
--workspace_status_command=path
--xbinary_fdo=label
--xcode_version=
--xcode_version_config=label
--zip_undeclared_test_outputs
--nozip_undeclared_test_outputs
"
BAZEL_COMMAND_MOD_FLAGS="
--action_env=
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--announce_rc
--noannounce_rc
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--base_module=
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_metadata=
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--charset={utf8,ascii}
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--compilation_mode={fastbuild,dbg,opt}
--config=
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--curses={yes,no,auto}
--cycles
--nocycles
--define=
--deleted_packages=
--depth=
--disk_cache=path
--distdir=
--downloader_config=path
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_resolved_file_instead_of_workspace=
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_scale_timeouts=
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_ui_max_stdouterr_bytes=
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_workspace_rules_log_file=path
--extension_filter=
--extension_info={hidden,usages,repos,all}
--extension_usages=
--features=
--fetch
--nofetch
--flag_alias=
--from=
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_cpu=
--host_features=
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--include_builtin
--noinclude_builtin
--include_unused
--noinclude_unused
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--invocation_id=
--jvm_heap_histogram_internal_object_pattern=
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--loading_phase_threads=
--lockfile_mode={off,update,refresh,error}
--logging=
--max_computation_steps=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--modify_execution_info=
--nested_set_depth_limit=
--output={text,json,graph}
--override_module=
--override_repository=
--package_path=
--platform_suffix=
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--run_under=
--separate_aspect_deps
--noseparate_aspect_deps
--show_loading_progress
--noshow_loading_progress
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_timestamps
--noshow_timestamps
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--stamp
--nostamp
--starlark_cpu_profile=
--strict_filesets
--nostrict_filesets
--target_environment=
--test_env=
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_tag=
--track_incremental_state
--notrack_incremental_state
--ui_actions_shown=
--ui_event_filters=
--vendor_dir=path
--verbose
--noverbose
--watchfs
--nowatchfs
"
BAZEL_COMMAND_PRINT_ACTION_ARGUMENT="label"
BAZEL_COMMAND_PRINT_ACTION_FLAGS="
--action_env=
--allow_analysis_cache_discard
--noallow_analysis_cache_discard
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--android_compiler=
--android_databinding_use_androidx
--noandroid_databinding_use_androidx
--android_databinding_use_v3_4_args
--noandroid_databinding_use_v3_4_args
--android_dynamic_mode={off,default,fully}
--android_manifest_merger={legacy,android,force_android}
--android_manifest_merger_order={alphabetical,alphabetical_by_configuration,dependency}
--android_platforms=
--android_resource_shrinking
--noandroid_resource_shrinking
--announce_rc
--noannounce_rc
--apk_signing_method={v1,v2,v1_v2,v4}
--apple_crosstool_top=label
--apple_generate_dsym
--noapple_generate_dsym
--aspects=
--aspects_parameters=
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--auto_output_filter={none,all,packages,subpackages}
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--break_build_on_parallel_dex2oat_failure
--nobreak_build_on_parallel_dex2oat_failure
--build
--nobuild
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_manual_tests
--nobuild_manual_tests
--build_metadata=
--build_python_zip={auto,yes,no}
--nobuild_python_zip
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--build_tag_filters=
--build_test_dwp
--nobuild_test_dwp
--build_tests_only
--nobuild_tests_only
--cache_computed_file_digests=
--cache_test_results={auto,yes,no}
--nocache_test_results
--catalyst_cpus=
--cc_output_directory_tag=
--cc_proto_library_header_suffixes=
--cc_proto_library_source_suffixes=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_tests_up_to_date
--nocheck_tests_up_to_date
--check_up_to_date
--nocheck_up_to_date
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--combined_report={none,lcov}
--compilation_mode={fastbuild,dbg,opt}
--compile_one_dependency
--nocompile_one_dependency
--compiler=
--config=
--conlyopt=
--copt=
--coverage_output_generator=label
--coverage_report_generator=label
--coverage_support=label
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--cs_fdo_absolute_path=
--cs_fdo_instrument=
--cs_fdo_profile=label
--curses={yes,no,auto}
--custom_malloc=label
--cxxopt=
--debug_spawn_scheduler
--nodebug_spawn_scheduler
--default_test_resources=
--define=
--deleted_packages=
--desugar_for_android
--nodesugar_for_android
--desugar_java8_libs
--nodesugar_java8_libs
--device_debug_entitlements
--nodevice_debug_entitlements
--discard_analysis_cache
--nodiscard_analysis_cache
--disk_cache=path
--distdir=
--downloader_config=path
--dynamic_local_execution_delay=
--dynamic_local_strategy=
--dynamic_mode={off,default,fully}
--dynamic_remote_strategy=
--embed_label=
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_propeller_optimize_absolute_paths
--noenable_propeller_optimize_absolute_paths
--enable_remaining_fdo_absolute_paths
--noenable_remaining_fdo_absolute_paths
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--execution_log_binary_file=path
--execution_log_compact_file=path
--execution_log_json_file=path
--execution_log_sort
--noexecution_log_sort
--expand_test_suites
--noexpand_test_suites
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_add_exec_constraints_to_targets=
--experimental_android_compress_java_resources
--noexperimental_android_compress_java_resources
--experimental_android_databinding_v2
--noexperimental_android_databinding_v2
--experimental_android_resource_shrinking
--noexperimental_android_resource_shrinking
--experimental_android_rewrite_dexes_with_rex
--noexperimental_android_rewrite_dexes_with_rex
--experimental_android_use_parallel_dex2oat
--noexperimental_android_use_parallel_dex2oat
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cancel_concurrent_tests
--noexperimental_cancel_concurrent_tests
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_check_desugar_deps
--noexperimental_check_desugar_deps
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_local_sandbox_action_metrics
--noexperimental_collect_local_sandbox_action_metrics
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_convenience_symlinks={normal,clean,ignore,log_only}
--experimental_convenience_symlinks_bep_event
--noexperimental_convenience_symlinks_bep_event
--experimental_cpu_load_scheduling
--noexperimental_cpu_load_scheduling
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_docker_image=
--experimental_docker_privileged
--noexperimental_docker_privileged
--experimental_docker_use_customized_images
--noexperimental_docker_use_customized_images
--experimental_docker_verbose
--noexperimental_docker_verbose
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_dynamic_exclude_tools
--noexperimental_dynamic_exclude_tools
--experimental_dynamic_ignore_local_signals=
--experimental_dynamic_local_load_factor=
--experimental_dynamic_slow_remote_time=
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_docker_sandbox
--noexperimental_enable_docker_sandbox
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_skyfocus
--noexperimental_enable_skyfocus
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_extra_action_filter=
--experimental_extra_action_top_level_only
--noexperimental_extra_action_top_level_only
--experimental_fetch_all_coverage_outputs
--noexperimental_fetch_all_coverage_outputs
--experimental_filter_library_jar_with_program_jar
--noexperimental_filter_library_jar_with_program_jar
--experimental_generate_llvm_lcov
--noexperimental_generate_llvm_lcov
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_import_deps_checking=
--experimental_include_xcode_execution_requirements
--noexperimental_include_xcode_execution_requirements
--experimental_inmemory_dotd_files
--noexperimental_inmemory_dotd_files
--experimental_inmemory_jdeps_files
--noexperimental_inmemory_jdeps_files
--experimental_inmemory_sandbox_stashes
--noexperimental_inmemory_sandbox_stashes
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_j2objc_header_map
--noexperimental_j2objc_header_map
--experimental_j2objc_shorter_header_path
--noexperimental_j2objc_shorter_header_path
--experimental_java_classpath={off,javabuilder,bazel,bazel_no_fallback}
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_limit_android_lint_to_android_constrained_java
--noexperimental_limit_android_lint_to_android_constrained_java
--experimental_materialize_param_files_directly
--noexperimental_materialize_param_files_directly
--experimental_objc_fastbuild_options=
--experimental_omitfp
--noexperimental_omitfp
--experimental_one_version_enforcement={off,warning,error}
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_parallel_aquery_output
--noexperimental_parallel_aquery_output
--experimental_persistent_aar_extractor
--noexperimental_persistent_aar_extractor
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_prefer_mutual_xcode
--noexperimental_prefer_mutual_xcode
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_proto_descriptor_sets_include_source_info
--noexperimental_proto_descriptor_sets_include_source_info
--experimental_py_binaries_include_label
--noexperimental_py_binaries_include_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_eviction_retries=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_repository_resolved_file=
--experimental_resolved_file_instead_of_workspace=
--experimental_retain_test_configuration_across_testonly
--noexperimental_retain_test_configuration_across_testonly
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_android_lint_on_java_rules
--noexperimental_run_android_lint_on_java_rules
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_sandbox_async_tree_delete_idle_threads=
--experimental_sandbox_enforce_resources_regexp=
--experimental_sandbox_limits=
--experimental_sandbox_memory_limit_mb=
--experimental_sandboxfs_map_symlink_targets
--noexperimental_sandboxfs_map_symlink_targets
--experimental_save_feature_state
--noexperimental_save_feature_state
--experimental_scale_timeouts=
--experimental_shrink_worker_pool
--noexperimental_shrink_worker_pool
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_skyfocus_dump_keys={none,count,verbose}
--experimental_skyfocus_dump_post_gc_stats
--noexperimental_skyfocus_dump_post_gc_stats
--experimental_skyfocus_handling_strategy={strict,warn}
--experimental_spawn_scheduler
--experimental_split_coverage_postprocessing
--noexperimental_split_coverage_postprocessing
--experimental_split_xml_generation
--noexperimental_split_xml_generation
--experimental_starlark_cc_import
--noexperimental_starlark_cc_import
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_strict_java_deps={off,warn,error,strict,default}
--experimental_total_worker_memory_limit_mb=
--experimental_ui_max_stdouterr_bytes=
--experimental_unsupported_and_brittle_include_scanning
--noexperimental_unsupported_and_brittle_include_scanning
--experimental_use_hermetic_linux_sandbox
--noexperimental_use_hermetic_linux_sandbox
--experimental_use_llvm_covmap
--noexperimental_use_llvm_covmap
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_use_semaphore_for_jobs
--noexperimental_use_semaphore_for_jobs
--experimental_use_validation_aspect
--noexperimental_use_validation_aspect
--experimental_use_windows_sandbox={auto,yes,no}
--noexperimental_use_windows_sandbox
--experimental_windows_sandbox_path=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_allowlist=
--experimental_worker_as_resource
--noexperimental_worker_as_resource
--experimental_worker_cancellation
--noexperimental_worker_cancellation
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_worker_memory_limit_mb=
--experimental_worker_metrics_poll_interval=
--experimental_worker_multiplex_sandboxing
--noexperimental_worker_multiplex_sandboxing
--experimental_worker_sandbox_hardening
--noexperimental_worker_sandbox_hardening
--experimental_worker_sandbox_inmemory_tracking=
--experimental_worker_strict_flagfiles
--noexperimental_worker_strict_flagfiles
--experimental_working_set=
--experimental_workspace_rules_log_file=path
--explain=path
--explicit_java_test_deps
--noexplicit_java_test_deps
--extra_execution_platforms=
--extra_toolchains=
--fat_apk_hwasan
--nofat_apk_hwasan
--fdo_instrument=
--fdo_optimize=
--fdo_prefetch_hints=label
--fdo_profile=label
--features=
--fetch
--nofetch
--fission=
--flag_alias=
--flaky_test_attempts=
--force_pic
--noforce_pic
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--genrule_strategy=
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--grte_top=label
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--high_priority_workers=
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_compiler=
--host_conlyopt=
--host_copt=
--host_cpu=
--host_cxxopt=
--host_features=
--host_force_python={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--host_grte_top=label
--host_java_launcher=label
--host_javacopt=
--host_jvmopt=
--host_linkopt=
--host_macos_minimum_os=
--host_per_file_copt=
--host_platform=label
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--ignore_unsupported_sandboxing
--noignore_unsupported_sandboxing
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_sharding_support
--noincompatible_check_sharding_support
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_check_visibility_for_toolchains
--noincompatible_check_visibility_for_toolchains
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_default_to_explicit_init_py
--noincompatible_default_to_explicit_init_py
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_android_rules
--noincompatible_disable_native_android_rules
--incompatible_disable_native_apple_binary_rule
--noincompatible_disable_native_apple_binary_rule
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_legacy_py_provider
--noincompatible_disallow_legacy_py_provider
--incompatible_disallow_sdk_frameworks_attributes
--noincompatible_disallow_sdk_frameworks_attributes
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_dont_enable_host_nonhost_crosstool_features
--noincompatible_dont_enable_host_nonhost_crosstool_features
--incompatible_dont_use_javasourceinfoprovider
--noincompatible_dont_use_javasourceinfoprovider
--incompatible_enable_apple_toolchain_resolution
--noincompatible_enable_apple_toolchain_resolution
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_exclusive_test_sandboxed
--noincompatible_exclusive_test_sandboxed
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_legacy_local_fallback
--noincompatible_legacy_local_fallback
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_make_thinlto_command_lines_standalone
--noincompatible_make_thinlto_command_lines_standalone
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_objc_alwayslink_by_default
--noincompatible_objc_alwayslink_by_default
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_py2_outputs_are_suffixed
--noincompatible_py2_outputs_are_suffixed
--incompatible_py3_is_default
--noincompatible_py3_is_default
--incompatible_python_disable_py2
--noincompatible_python_disable_py2
--incompatible_python_disallow_native_rules
--noincompatible_python_disallow_native_rules
--incompatible_remote_use_new_exit_code_for_lost_inputs
--noincompatible_remote_use_new_exit_code_for_lost_inputs
--incompatible_remove_legacy_whole_archive
--noincompatible_remove_legacy_whole_archive
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_ctx_in_configure_features
--noincompatible_require_ctx_in_configure_features
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_sandbox_hermetic_tmp
--noincompatible_sandbox_hermetic_tmp
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_strict_action_env
--noincompatible_strict_action_env
--incompatible_strip_executable_safely
--noincompatible_strip_executable_safely
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_new_cgroup_implementation
--noincompatible_use_new_cgroup_implementation
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_use_python_toolchains
--noincompatible_use_python_toolchains
--incompatible_validate_top_level_header_inclusions
--noincompatible_validate_top_level_header_inclusions
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--incremental_dexing
--noincremental_dexing
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--interface_shared_objects
--nointerface_shared_objects
--internal_spawn_scheduler
--nointernal_spawn_scheduler
--invocation_id=
--ios_memleaks
--noios_memleaks
--ios_minimum_os=
--ios_multi_cpus=
--ios_sdk_version=
--ios_signing_cert_name=
--ios_simulator_device=
--ios_simulator_version=
--j2objc_translation_flags=
--java_debug
--java_deps
--nojava_deps
--java_header_compilation
--nojava_header_compilation
--java_language_version=
--java_launcher=label
--java_runtime_version=
--javacopt=
--jobs=
--jvm_heap_histogram_internal_object_pattern=
--jvmopt=
--keep_going
--nokeep_going
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--legacy_main_dex_list_generator=label
--legacy_whole_archive
--nolegacy_whole_archive
--linkopt=
--loading_phase_threads=
--local_cpu_resources=
--local_extra_resources=
--local_ram_resources=
--local_resources=
--local_termination_grace_seconds=
--local_test_jobs=
--lockfile_mode={off,update,refresh,error}
--logging=
--ltobackendopt=
--ltoindexopt=
--macos_cpus=
--macos_minimum_os=
--macos_sdk_version=
--materialize_param_files
--nomaterialize_param_files
--max_computation_steps=
--max_config_changes_to_show=
--max_test_output_bytes=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--memprof_profile=label
--minimum_os_version=
--modify_execution_info=
--nested_set_depth_limit=
--objc_debug_with_GLIBCXX
--noobjc_debug_with_GLIBCXX
--objc_enable_binary_stripping
--noobjc_enable_binary_stripping
--objc_generate_linkmap
--noobjc_generate_linkmap
--objc_use_dotd_pruning
--noobjc_use_dotd_pruning
--objccopt=
--one_version_enforcement_on_java_tests
--noone_version_enforcement_on_java_tests
--optimizing_dexer=label
--output_filter=
--output_groups=
--override_module=
--override_repository=
--package_path=
--per_file_copt=
--per_file_ltobackendopt=
--persistent_android_dex_desugar
--persistent_android_resource_processor
--persistent_multiplex_android_dex_desugar
--persistent_multiplex_android_resource_processor
--persistent_multiplex_android_tools
--platform_mappings=
--platform_suffix=
--platforms=
--plugin=
--print_action_mnemonics=
--process_headers_in_dependencies
--noprocess_headers_in_dependencies
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--progress_report_interval=
--proguard_top=label
--propeller_optimize=label
--propeller_optimize_absolute_cc_profile=
--propeller_optimize_absolute_ld_profile=
--proto_compiler=label
--proto_profile
--noproto_profile
--proto_profile_path=label
--proto_toolchain_for_cc=label
--proto_toolchain_for_j2objc=label
--proto_toolchain_for_java=label
--proto_toolchain_for_javalite=label
--protocopt=
--python_native_rules_allowlist=label
--python_path=
--python_top=label
--python_version={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--reuse_sandbox_directories
--noreuse_sandbox_directories
--run_under=
--run_validations
--norun_validations
--runs_per_test=
--runs_per_test_detects_flakes
--noruns_per_test_detects_flakes
--sandbox_add_mount_pair=
--sandbox_base=
--sandbox_block_path=
--sandbox_debug
--nosandbox_debug
--sandbox_default_allow_network
--nosandbox_default_allow_network
--sandbox_explicit_pseudoterminal
--nosandbox_explicit_pseudoterminal
--sandbox_fake_hostname
--nosandbox_fake_hostname
--sandbox_fake_username
--nosandbox_fake_username
--sandbox_tmpfs_path=
--sandbox_writable_path=
--save_temps
--nosave_temps
--separate_aspect_deps
--noseparate_aspect_deps
--serialized_frontier_profile=
--share_native_deps
--noshare_native_deps
--shell_executable=path
--show_loading_progress
--noshow_loading_progress
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_result=
--show_timestamps
--noshow_timestamps
--skip_incompatible_explicit_targets
--noskip_incompatible_explicit_targets
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--spawn_strategy=
--stamp
--nostamp
--starlark_cpu_profile=
--strategy=
--strategy_regexp=
--strict_filesets
--nostrict_filesets
--strict_proto_deps={off,warn,error,strict,default}
--strict_public_imports={off,warn,error,strict,default}
--strict_system_includes
--nostrict_system_includes
--strip={always,sometimes,never}
--stripopt=
--subcommands={true,pretty_print,false}
--symlink_prefix=
--target_environment=
--target_pattern_file=
--target_platform_fallback=
--test_arg=
--test_env=
--test_filter=
--test_keep_going
--notest_keep_going
--test_lang_filters=
--test_output={summary,errors,all,streamed}
--test_result_expiration=
--test_runner_fail_fast
--notest_runner_fail_fast
--test_sharding_strategy=
--test_size_filters=
--test_strategy=
--test_summary={short,terse,detailed,none,testcase}
--test_tag_filters=
--test_timeout=
--test_timeout_filters=
--test_tmpdir=path
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_java_language_version=
--tool_java_runtime_version=
--tool_tag=
--toolchain_resolution_debug=
--track_incremental_state
--notrack_incremental_state
--trim_test_configuration
--notrim_test_configuration
--tvos_cpus=
--tvos_minimum_os=
--tvos_sdk_version=
--ui_actions_shown=
--ui_event_filters=
--use_ijars
--nouse_ijars
--use_target_platform_for_tests
--nouse_target_platform_for_tests
--vendor_dir=path
--verbose_explanations
--noverbose_explanations
--verbose_failures
--noverbose_failures
--visionos_cpus=
--watchfs
--nowatchfs
--watchos_cpus=
--watchos_minimum_os=
--watchos_sdk_version=
--worker_extra_flag=
--worker_max_instances=
--worker_max_multiplex_instances=
--worker_multiplex
--noworker_multiplex
--worker_quit_after_build
--noworker_quit_after_build
--worker_sandboxing
--noworker_sandboxing
--worker_verbose
--noworker_verbose
--workspace_status_command=path
--xbinary_fdo=label
--xcode_version=
--xcode_version_config=label
--zip_undeclared_test_outputs
--nozip_undeclared_test_outputs
"
BAZEL_COMMAND_QUERY_ARGUMENT="label"
BAZEL_COMMAND_QUERY_FLAGS="
--action_env=
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--announce_rc
--noannounce_rc
--aspect_deps={off,conservative,precise}
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_metadata=
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--compilation_mode={fastbuild,dbg,opt}
--config=
--consistent_labels
--noconsistent_labels
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--curses={yes,no,auto}
--define=
--deleted_packages=
--disk_cache=path
--distdir=
--downloader_config=path
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_explicit_aspects
--noexperimental_explicit_aspects
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_graphless_query={auto,yes,no}
--noexperimental_graphless_query
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_repository_resolved_file=
--experimental_resolved_file_instead_of_workspace=
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_scale_timeouts=
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_ui_max_stdouterr_bytes=
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_workspace_rules_log_file=path
--features=
--fetch
--nofetch
--flag_alias=
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--graph:conditional_edges_limit=
--graph:factored
--nograph:factored
--graph:node_limit=
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_cpu=
--host_features=
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--implicit_deps
--noimplicit_deps
--include_aspects
--noinclude_aspects
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_lexicographical_output
--noincompatible_lexicographical_output
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_package_group_includes_double_slash
--noincompatible_package_group_includes_double_slash
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--infer_universe_scope
--noinfer_universe_scope
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--invocation_id=
--jvm_heap_histogram_internal_object_pattern=
--keep_going
--nokeep_going
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--line_terminator_null
--noline_terminator_null
--loading_phase_threads=
--lockfile_mode={off,update,refresh,error}
--logging=
--max_computation_steps=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--modify_execution_info=
--nested_set_depth_limit=
--nodep_deps
--nonodep_deps
--noorder_results
--null
--order_output={no,deps,auto,full}
--order_results
--output=
--output_file=
--override_module=
--override_repository=
--package_path=
--platform_suffix=
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--proto:default_values
--noproto:default_values
--proto:definition_stack
--noproto:definition_stack
--proto:flatten_selects
--noproto:flatten_selects
--proto:include_attribute_source_aspects
--noproto:include_attribute_source_aspects
--proto:include_synthetic_attribute_hash
--noproto:include_synthetic_attribute_hash
--proto:instantiation_stack
--noproto:instantiation_stack
--proto:locations
--noproto:locations
--proto:output_rule_attrs=
--proto:rule_classes
--noproto:rule_classes
--proto:rule_inputs_and_outputs
--noproto:rule_inputs_and_outputs
--query_file=
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--relative_locations
--norelative_locations
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--run_under=
--separate_aspect_deps
--noseparate_aspect_deps
--show_loading_progress
--noshow_loading_progress
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_timestamps
--noshow_timestamps
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--stamp
--nostamp
--starlark_cpu_profile=
--strict_filesets
--nostrict_filesets
--strict_test_suite
--nostrict_test_suite
--target_environment=
--test_env=
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_deps
--notool_deps
--tool_tag=
--track_incremental_state
--notrack_incremental_state
--ui_actions_shown=
--ui_event_filters=
--universe_scope=
--vendor_dir=path
--watchfs
--nowatchfs
--xml:default_values
--noxml:default_values
--xml:line_numbers
--noxml:line_numbers
"
BAZEL_COMMAND_RUN_ARGUMENT="label-bin"
BAZEL_COMMAND_RUN_FLAGS="
--action_env=
--allow_analysis_cache_discard
--noallow_analysis_cache_discard
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--android_compiler=
--android_databinding_use_androidx
--noandroid_databinding_use_androidx
--android_databinding_use_v3_4_args
--noandroid_databinding_use_v3_4_args
--android_dynamic_mode={off,default,fully}
--android_manifest_merger={legacy,android,force_android}
--android_manifest_merger_order={alphabetical,alphabetical_by_configuration,dependency}
--android_platforms=
--android_resource_shrinking
--noandroid_resource_shrinking
--announce_rc
--noannounce_rc
--apk_signing_method={v1,v2,v1_v2,v4}
--apple_crosstool_top=label
--apple_generate_dsym
--noapple_generate_dsym
--aspects=
--aspects_parameters=
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--auto_output_filter={none,all,packages,subpackages}
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--break_build_on_parallel_dex2oat_failure
--nobreak_build_on_parallel_dex2oat_failure
--build
--nobuild
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_manual_tests
--nobuild_manual_tests
--build_metadata=
--build_python_zip={auto,yes,no}
--nobuild_python_zip
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--build_tag_filters=
--build_test_dwp
--nobuild_test_dwp
--build_tests_only
--nobuild_tests_only
--cache_computed_file_digests=
--cache_test_results={auto,yes,no}
--nocache_test_results
--catalyst_cpus=
--cc_output_directory_tag=
--cc_proto_library_header_suffixes=
--cc_proto_library_source_suffixes=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_tests_up_to_date
--nocheck_tests_up_to_date
--check_up_to_date
--nocheck_up_to_date
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--combined_report={none,lcov}
--compilation_mode={fastbuild,dbg,opt}
--compile_one_dependency
--nocompile_one_dependency
--compiler=
--config=
--conlyopt=
--copt=
--coverage_output_generator=label
--coverage_report_generator=label
--coverage_support=label
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--cs_fdo_absolute_path=
--cs_fdo_instrument=
--cs_fdo_profile=label
--curses={yes,no,auto}
--custom_malloc=label
--cxxopt=
--debug_spawn_scheduler
--nodebug_spawn_scheduler
--default_test_resources=
--define=
--deleted_packages=
--desugar_for_android
--nodesugar_for_android
--desugar_java8_libs
--nodesugar_java8_libs
--device_debug_entitlements
--nodevice_debug_entitlements
--discard_analysis_cache
--nodiscard_analysis_cache
--disk_cache=path
--distdir=
--downloader_config=path
--dynamic_local_execution_delay=
--dynamic_local_strategy=
--dynamic_mode={off,default,fully}
--dynamic_remote_strategy=
--embed_label=
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_propeller_optimize_absolute_paths
--noenable_propeller_optimize_absolute_paths
--enable_remaining_fdo_absolute_paths
--noenable_remaining_fdo_absolute_paths
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--execution_log_binary_file=path
--execution_log_compact_file=path
--execution_log_json_file=path
--execution_log_sort
--noexecution_log_sort
--expand_test_suites
--noexpand_test_suites
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_add_exec_constraints_to_targets=
--experimental_android_compress_java_resources
--noexperimental_android_compress_java_resources
--experimental_android_databinding_v2
--noexperimental_android_databinding_v2
--experimental_android_resource_shrinking
--noexperimental_android_resource_shrinking
--experimental_android_rewrite_dexes_with_rex
--noexperimental_android_rewrite_dexes_with_rex
--experimental_android_use_parallel_dex2oat
--noexperimental_android_use_parallel_dex2oat
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cancel_concurrent_tests
--noexperimental_cancel_concurrent_tests
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_check_desugar_deps
--noexperimental_check_desugar_deps
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_local_sandbox_action_metrics
--noexperimental_collect_local_sandbox_action_metrics
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_convenience_symlinks={normal,clean,ignore,log_only}
--experimental_convenience_symlinks_bep_event
--noexperimental_convenience_symlinks_bep_event
--experimental_cpu_load_scheduling
--noexperimental_cpu_load_scheduling
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_docker_image=
--experimental_docker_privileged
--noexperimental_docker_privileged
--experimental_docker_use_customized_images
--noexperimental_docker_use_customized_images
--experimental_docker_verbose
--noexperimental_docker_verbose
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_dynamic_exclude_tools
--noexperimental_dynamic_exclude_tools
--experimental_dynamic_ignore_local_signals=
--experimental_dynamic_local_load_factor=
--experimental_dynamic_slow_remote_time=
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_docker_sandbox
--noexperimental_enable_docker_sandbox
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_skyfocus
--noexperimental_enable_skyfocus
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_extra_action_filter=
--experimental_extra_action_top_level_only
--noexperimental_extra_action_top_level_only
--experimental_fetch_all_coverage_outputs
--noexperimental_fetch_all_coverage_outputs
--experimental_filter_library_jar_with_program_jar
--noexperimental_filter_library_jar_with_program_jar
--experimental_generate_llvm_lcov
--noexperimental_generate_llvm_lcov
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_import_deps_checking=
--experimental_include_xcode_execution_requirements
--noexperimental_include_xcode_execution_requirements
--experimental_inmemory_dotd_files
--noexperimental_inmemory_dotd_files
--experimental_inmemory_jdeps_files
--noexperimental_inmemory_jdeps_files
--experimental_inmemory_sandbox_stashes
--noexperimental_inmemory_sandbox_stashes
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_j2objc_header_map
--noexperimental_j2objc_header_map
--experimental_j2objc_shorter_header_path
--noexperimental_j2objc_shorter_header_path
--experimental_java_classpath={off,javabuilder,bazel,bazel_no_fallback}
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_limit_android_lint_to_android_constrained_java
--noexperimental_limit_android_lint_to_android_constrained_java
--experimental_materialize_param_files_directly
--noexperimental_materialize_param_files_directly
--experimental_objc_fastbuild_options=
--experimental_omitfp
--noexperimental_omitfp
--experimental_one_version_enforcement={off,warning,error}
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_parallel_aquery_output
--noexperimental_parallel_aquery_output
--experimental_persistent_aar_extractor
--noexperimental_persistent_aar_extractor
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_prefer_mutual_xcode
--noexperimental_prefer_mutual_xcode
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_proto_descriptor_sets_include_source_info
--noexperimental_proto_descriptor_sets_include_source_info
--experimental_py_binaries_include_label
--noexperimental_py_binaries_include_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_eviction_retries=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_repository_resolved_file=
--experimental_resolved_file_instead_of_workspace=
--experimental_retain_test_configuration_across_testonly
--noexperimental_retain_test_configuration_across_testonly
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_android_lint_on_java_rules
--noexperimental_run_android_lint_on_java_rules
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_sandbox_async_tree_delete_idle_threads=
--experimental_sandbox_enforce_resources_regexp=
--experimental_sandbox_limits=
--experimental_sandbox_memory_limit_mb=
--experimental_sandboxfs_map_symlink_targets
--noexperimental_sandboxfs_map_symlink_targets
--experimental_save_feature_state
--noexperimental_save_feature_state
--experimental_scale_timeouts=
--experimental_shrink_worker_pool
--noexperimental_shrink_worker_pool
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_skyfocus_dump_keys={none,count,verbose}
--experimental_skyfocus_dump_post_gc_stats
--noexperimental_skyfocus_dump_post_gc_stats
--experimental_skyfocus_handling_strategy={strict,warn}
--experimental_spawn_scheduler
--experimental_split_coverage_postprocessing
--noexperimental_split_coverage_postprocessing
--experimental_split_xml_generation
--noexperimental_split_xml_generation
--experimental_starlark_cc_import
--noexperimental_starlark_cc_import
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_strict_java_deps={off,warn,error,strict,default}
--experimental_total_worker_memory_limit_mb=
--experimental_ui_max_stdouterr_bytes=
--experimental_unsupported_and_brittle_include_scanning
--noexperimental_unsupported_and_brittle_include_scanning
--experimental_use_hermetic_linux_sandbox
--noexperimental_use_hermetic_linux_sandbox
--experimental_use_llvm_covmap
--noexperimental_use_llvm_covmap
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_use_semaphore_for_jobs
--noexperimental_use_semaphore_for_jobs
--experimental_use_validation_aspect
--noexperimental_use_validation_aspect
--experimental_use_windows_sandbox={auto,yes,no}
--noexperimental_use_windows_sandbox
--experimental_windows_sandbox_path=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_allowlist=
--experimental_worker_as_resource
--noexperimental_worker_as_resource
--experimental_worker_cancellation
--noexperimental_worker_cancellation
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_worker_memory_limit_mb=
--experimental_worker_metrics_poll_interval=
--experimental_worker_multiplex_sandboxing
--noexperimental_worker_multiplex_sandboxing
--experimental_worker_sandbox_hardening
--noexperimental_worker_sandbox_hardening
--experimental_worker_sandbox_inmemory_tracking=
--experimental_worker_strict_flagfiles
--noexperimental_worker_strict_flagfiles
--experimental_working_set=
--experimental_workspace_rules_log_file=path
--explain=path
--explicit_java_test_deps
--noexplicit_java_test_deps
--extra_execution_platforms=
--extra_toolchains=
--fat_apk_hwasan
--nofat_apk_hwasan
--fdo_instrument=
--fdo_optimize=
--fdo_prefetch_hints=label
--fdo_profile=label
--features=
--fetch
--nofetch
--fission=
--flag_alias=
--flaky_test_attempts=
--force_pic
--noforce_pic
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--genrule_strategy=
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--grte_top=label
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--high_priority_workers=
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_compiler=
--host_conlyopt=
--host_copt=
--host_cpu=
--host_cxxopt=
--host_features=
--host_force_python={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--host_grte_top=label
--host_java_launcher=label
--host_javacopt=
--host_jvmopt=
--host_linkopt=
--host_macos_minimum_os=
--host_per_file_copt=
--host_platform=label
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--ignore_unsupported_sandboxing
--noignore_unsupported_sandboxing
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_sharding_support
--noincompatible_check_sharding_support
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_check_visibility_for_toolchains
--noincompatible_check_visibility_for_toolchains
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_default_to_explicit_init_py
--noincompatible_default_to_explicit_init_py
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_android_rules
--noincompatible_disable_native_android_rules
--incompatible_disable_native_apple_binary_rule
--noincompatible_disable_native_apple_binary_rule
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_legacy_py_provider
--noincompatible_disallow_legacy_py_provider
--incompatible_disallow_sdk_frameworks_attributes
--noincompatible_disallow_sdk_frameworks_attributes
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_dont_enable_host_nonhost_crosstool_features
--noincompatible_dont_enable_host_nonhost_crosstool_features
--incompatible_dont_use_javasourceinfoprovider
--noincompatible_dont_use_javasourceinfoprovider
--incompatible_enable_apple_toolchain_resolution
--noincompatible_enable_apple_toolchain_resolution
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_exclusive_test_sandboxed
--noincompatible_exclusive_test_sandboxed
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_legacy_local_fallback
--noincompatible_legacy_local_fallback
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_make_thinlto_command_lines_standalone
--noincompatible_make_thinlto_command_lines_standalone
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_objc_alwayslink_by_default
--noincompatible_objc_alwayslink_by_default
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_py2_outputs_are_suffixed
--noincompatible_py2_outputs_are_suffixed
--incompatible_py3_is_default
--noincompatible_py3_is_default
--incompatible_python_disable_py2
--noincompatible_python_disable_py2
--incompatible_python_disallow_native_rules
--noincompatible_python_disallow_native_rules
--incompatible_remote_use_new_exit_code_for_lost_inputs
--noincompatible_remote_use_new_exit_code_for_lost_inputs
--incompatible_remove_legacy_whole_archive
--noincompatible_remove_legacy_whole_archive
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_ctx_in_configure_features
--noincompatible_require_ctx_in_configure_features
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_sandbox_hermetic_tmp
--noincompatible_sandbox_hermetic_tmp
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_strict_action_env
--noincompatible_strict_action_env
--incompatible_strip_executable_safely
--noincompatible_strip_executable_safely
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_new_cgroup_implementation
--noincompatible_use_new_cgroup_implementation
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_use_python_toolchains
--noincompatible_use_python_toolchains
--incompatible_validate_top_level_header_inclusions
--noincompatible_validate_top_level_header_inclusions
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--incremental_dexing
--noincremental_dexing
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--interface_shared_objects
--nointerface_shared_objects
--internal_spawn_scheduler
--nointernal_spawn_scheduler
--invocation_id=
--ios_memleaks
--noios_memleaks
--ios_minimum_os=
--ios_multi_cpus=
--ios_sdk_version=
--ios_signing_cert_name=
--ios_simulator_device=
--ios_simulator_version=
--j2objc_translation_flags=
--java_debug
--java_deps
--nojava_deps
--java_header_compilation
--nojava_header_compilation
--java_language_version=
--java_launcher=label
--java_runtime_version=
--javacopt=
--jobs=
--jvm_heap_histogram_internal_object_pattern=
--jvmopt=
--keep_going
--nokeep_going
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--legacy_main_dex_list_generator=label
--legacy_whole_archive
--nolegacy_whole_archive
--linkopt=
--loading_phase_threads=
--local_cpu_resources=
--local_extra_resources=
--local_ram_resources=
--local_resources=
--local_termination_grace_seconds=
--local_test_jobs=
--lockfile_mode={off,update,refresh,error}
--logging=
--ltobackendopt=
--ltoindexopt=
--macos_cpus=
--macos_minimum_os=
--macos_sdk_version=
--materialize_param_files
--nomaterialize_param_files
--max_computation_steps=
--max_config_changes_to_show=
--max_test_output_bytes=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--memprof_profile=label
--minimum_os_version=
--modify_execution_info=
--nested_set_depth_limit=
--objc_debug_with_GLIBCXX
--noobjc_debug_with_GLIBCXX
--objc_enable_binary_stripping
--noobjc_enable_binary_stripping
--objc_generate_linkmap
--noobjc_generate_linkmap
--objc_use_dotd_pruning
--noobjc_use_dotd_pruning
--objccopt=
--one_version_enforcement_on_java_tests
--noone_version_enforcement_on_java_tests
--optimizing_dexer=label
--output_filter=
--output_groups=
--override_module=
--override_repository=
--package_path=
--per_file_copt=
--per_file_ltobackendopt=
--persistent_android_dex_desugar
--persistent_android_resource_processor
--persistent_multiplex_android_dex_desugar
--persistent_multiplex_android_resource_processor
--persistent_multiplex_android_tools
--platform_mappings=
--platform_suffix=
--platforms=
--plugin=
--portable_paths
--noportable_paths
--process_headers_in_dependencies
--noprocess_headers_in_dependencies
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--progress_report_interval=
--proguard_top=label
--propeller_optimize=label
--propeller_optimize_absolute_cc_profile=
--propeller_optimize_absolute_ld_profile=
--proto_compiler=label
--proto_profile
--noproto_profile
--proto_profile_path=label
--proto_toolchain_for_cc=label
--proto_toolchain_for_j2objc=label
--proto_toolchain_for_java=label
--proto_toolchain_for_javalite=label
--protocopt=
--python_native_rules_allowlist=label
--python_path=
--python_top=label
--python_version={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--reuse_sandbox_directories
--noreuse_sandbox_directories
--run
--norun
--run_env=
--run_under=
--run_validations
--norun_validations
--runs_per_test=
--runs_per_test_detects_flakes
--noruns_per_test_detects_flakes
--sandbox_add_mount_pair=
--sandbox_base=
--sandbox_block_path=
--sandbox_debug
--nosandbox_debug
--sandbox_default_allow_network
--nosandbox_default_allow_network
--sandbox_explicit_pseudoterminal
--nosandbox_explicit_pseudoterminal
--sandbox_fake_hostname
--nosandbox_fake_hostname
--sandbox_fake_username
--nosandbox_fake_username
--sandbox_tmpfs_path=
--sandbox_writable_path=
--save_temps
--nosave_temps
--script_path=path
--separate_aspect_deps
--noseparate_aspect_deps
--serialized_frontier_profile=
--share_native_deps
--noshare_native_deps
--shell_executable=path
--show_loading_progress
--noshow_loading_progress
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_result=
--show_timestamps
--noshow_timestamps
--skip_incompatible_explicit_targets
--noskip_incompatible_explicit_targets
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--spawn_strategy=
--stamp
--nostamp
--starlark_cpu_profile=
--strategy=
--strategy_regexp=
--strict_filesets
--nostrict_filesets
--strict_proto_deps={off,warn,error,strict,default}
--strict_public_imports={off,warn,error,strict,default}
--strict_system_includes
--nostrict_system_includes
--strip={always,sometimes,never}
--stripopt=
--subcommands={true,pretty_print,false}
--symlink_prefix=
--target_environment=
--target_pattern_file=
--target_platform_fallback=
--test_arg=
--test_env=
--test_filter=
--test_keep_going
--notest_keep_going
--test_lang_filters=
--test_output={summary,errors,all,streamed}
--test_result_expiration=
--test_runner_fail_fast
--notest_runner_fail_fast
--test_sharding_strategy=
--test_size_filters=
--test_strategy=
--test_summary={short,terse,detailed,none,testcase}
--test_tag_filters=
--test_timeout=
--test_timeout_filters=
--test_tmpdir=path
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_java_language_version=
--tool_java_runtime_version=
--tool_tag=
--toolchain_resolution_debug=
--track_incremental_state
--notrack_incremental_state
--trim_test_configuration
--notrim_test_configuration
--tvos_cpus=
--tvos_minimum_os=
--tvos_sdk_version=
--ui_actions_shown=
--ui_event_filters=
--use_ijars
--nouse_ijars
--use_target_platform_for_tests
--nouse_target_platform_for_tests
--vendor_dir=path
--verbose_explanations
--noverbose_explanations
--verbose_failures
--noverbose_failures
--visionos_cpus=
--watchfs
--nowatchfs
--watchos_cpus=
--watchos_minimum_os=
--watchos_sdk_version=
--worker_extra_flag=
--worker_max_instances=
--worker_max_multiplex_instances=
--worker_multiplex
--noworker_multiplex
--worker_quit_after_build
--noworker_quit_after_build
--worker_sandboxing
--noworker_sandboxing
--worker_verbose
--noworker_verbose
--workspace_status_command=path
--xbinary_fdo=label
--xcode_version=
--xcode_version_config=label
--zip_undeclared_test_outputs
--nozip_undeclared_test_outputs
"
BAZEL_COMMAND_SHUTDOWN_FLAGS="
--allow_yanked_versions=
--announce_rc
--noannounce_rc
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_metadata=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--color={yes,no,auto}
--config=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--curses={yes,no,auto}
--disk_cache=path
--distdir=
--downloader_config=path
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_workspace
--noenable_workspace
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_resolved_file_instead_of_workspace=
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_scale_timeouts=
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_ui_max_stdouterr_bytes=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_workspace_rules_log_file=path
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--iff_heap_size_greater_than=
--ignore_dev_dependency
--noignore_dev_dependency
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_autoload_externally=
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--inject_repository=
--invocation_id=
--jvm_heap_histogram_internal_object_pattern=
--keep_state_after_build
--nokeep_state_after_build
--legacy_important_outputs
--nolegacy_important_outputs
--lockfile_mode={off,update,refresh,error}
--logging=
--max_computation_steps=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--nested_set_depth_limit=
--override_module=
--override_repository=
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--separate_aspect_deps
--noseparate_aspect_deps
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_timestamps
--noshow_timestamps
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--starlark_cpu_profile=
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_tag=
--track_incremental_state
--notrack_incremental_state
--ui_actions_shown=
--ui_event_filters=
--vendor_dir=path
--watchfs
--nowatchfs
"
BAZEL_COMMAND_SYNC_FLAGS="
--action_env=
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--announce_rc
--noannounce_rc
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_metadata=
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--compilation_mode={fastbuild,dbg,opt}
--config=
--configure
--noconfigure
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--curses={yes,no,auto}
--define=
--deleted_packages=
--disk_cache=path
--distdir=
--downloader_config=path
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_repository_resolved_file=
--experimental_resolved_file_instead_of_workspace=
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_scale_timeouts=
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_ui_max_stdouterr_bytes=
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_workspace_rules_log_file=path
--features=
--fetch
--nofetch
--flag_alias=
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_cpu=
--host_features=
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--invocation_id=
--jvm_heap_histogram_internal_object_pattern=
--keep_going
--nokeep_going
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--loading_phase_threads=
--lockfile_mode={off,update,refresh,error}
--logging=
--max_computation_steps=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--modify_execution_info=
--nested_set_depth_limit=
--only=
--override_module=
--override_repository=
--package_path=
--platform_suffix=
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--run_under=
--separate_aspect_deps
--noseparate_aspect_deps
--show_loading_progress
--noshow_loading_progress
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_timestamps
--noshow_timestamps
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--stamp
--nostamp
--starlark_cpu_profile=
--strict_filesets
--nostrict_filesets
--target_environment=
--test_env=
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_tag=
--track_incremental_state
--notrack_incremental_state
--ui_actions_shown=
--ui_event_filters=
--vendor_dir=path
--watchfs
--nowatchfs
"
BAZEL_COMMAND_TEST_ARGUMENT="label-test"
BAZEL_COMMAND_TEST_FLAGS="
--action_env=
--allow_analysis_cache_discard
--noallow_analysis_cache_discard
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--android_compiler=
--android_databinding_use_androidx
--noandroid_databinding_use_androidx
--android_databinding_use_v3_4_args
--noandroid_databinding_use_v3_4_args
--android_dynamic_mode={off,default,fully}
--android_manifest_merger={legacy,android,force_android}
--android_manifest_merger_order={alphabetical,alphabetical_by_configuration,dependency}
--android_platforms=
--android_resource_shrinking
--noandroid_resource_shrinking
--announce_rc
--noannounce_rc
--apk_signing_method={v1,v2,v1_v2,v4}
--apple_crosstool_top=label
--apple_generate_dsym
--noapple_generate_dsym
--aspects=
--aspects_parameters=
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--auto_output_filter={none,all,packages,subpackages}
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--break_build_on_parallel_dex2oat_failure
--nobreak_build_on_parallel_dex2oat_failure
--build
--nobuild
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_manual_tests
--nobuild_manual_tests
--build_metadata=
--build_python_zip={auto,yes,no}
--nobuild_python_zip
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--build_tag_filters=
--build_test_dwp
--nobuild_test_dwp
--build_tests_only
--nobuild_tests_only
--cache_computed_file_digests=
--cache_test_results={auto,yes,no}
--nocache_test_results
--catalyst_cpus=
--cc_output_directory_tag=
--cc_proto_library_header_suffixes=
--cc_proto_library_source_suffixes=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_tests_up_to_date
--nocheck_tests_up_to_date
--check_up_to_date
--nocheck_up_to_date
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--combined_report={none,lcov}
--compilation_mode={fastbuild,dbg,opt}
--compile_one_dependency
--nocompile_one_dependency
--compiler=
--config=
--conlyopt=
--copt=
--coverage_output_generator=label
--coverage_report_generator=label
--coverage_support=label
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--cs_fdo_absolute_path=
--cs_fdo_instrument=
--cs_fdo_profile=label
--curses={yes,no,auto}
--custom_malloc=label
--cxxopt=
--debug_spawn_scheduler
--nodebug_spawn_scheduler
--default_test_resources=
--define=
--deleted_packages=
--desugar_for_android
--nodesugar_for_android
--desugar_java8_libs
--nodesugar_java8_libs
--device_debug_entitlements
--nodevice_debug_entitlements
--discard_analysis_cache
--nodiscard_analysis_cache
--disk_cache=path
--distdir=
--downloader_config=path
--dynamic_local_execution_delay=
--dynamic_local_strategy=
--dynamic_mode={off,default,fully}
--dynamic_remote_strategy=
--embed_label=
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_propeller_optimize_absolute_paths
--noenable_propeller_optimize_absolute_paths
--enable_remaining_fdo_absolute_paths
--noenable_remaining_fdo_absolute_paths
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--execution_log_binary_file=path
--execution_log_compact_file=path
--execution_log_json_file=path
--execution_log_sort
--noexecution_log_sort
--expand_test_suites
--noexpand_test_suites
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_add_exec_constraints_to_targets=
--experimental_android_compress_java_resources
--noexperimental_android_compress_java_resources
--experimental_android_databinding_v2
--noexperimental_android_databinding_v2
--experimental_android_resource_shrinking
--noexperimental_android_resource_shrinking
--experimental_android_rewrite_dexes_with_rex
--noexperimental_android_rewrite_dexes_with_rex
--experimental_android_use_parallel_dex2oat
--noexperimental_android_use_parallel_dex2oat
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cancel_concurrent_tests
--noexperimental_cancel_concurrent_tests
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_check_desugar_deps
--noexperimental_check_desugar_deps
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_local_sandbox_action_metrics
--noexperimental_collect_local_sandbox_action_metrics
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_convenience_symlinks={normal,clean,ignore,log_only}
--experimental_convenience_symlinks_bep_event
--noexperimental_convenience_symlinks_bep_event
--experimental_cpu_load_scheduling
--noexperimental_cpu_load_scheduling
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_docker_image=
--experimental_docker_privileged
--noexperimental_docker_privileged
--experimental_docker_use_customized_images
--noexperimental_docker_use_customized_images
--experimental_docker_verbose
--noexperimental_docker_verbose
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_dynamic_exclude_tools
--noexperimental_dynamic_exclude_tools
--experimental_dynamic_ignore_local_signals=
--experimental_dynamic_local_load_factor=
--experimental_dynamic_slow_remote_time=
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_docker_sandbox
--noexperimental_enable_docker_sandbox
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_skyfocus
--noexperimental_enable_skyfocus
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_extra_action_filter=
--experimental_extra_action_top_level_only
--noexperimental_extra_action_top_level_only
--experimental_fetch_all_coverage_outputs
--noexperimental_fetch_all_coverage_outputs
--experimental_filter_library_jar_with_program_jar
--noexperimental_filter_library_jar_with_program_jar
--experimental_generate_llvm_lcov
--noexperimental_generate_llvm_lcov
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_import_deps_checking=
--experimental_include_xcode_execution_requirements
--noexperimental_include_xcode_execution_requirements
--experimental_inmemory_dotd_files
--noexperimental_inmemory_dotd_files
--experimental_inmemory_jdeps_files
--noexperimental_inmemory_jdeps_files
--experimental_inmemory_sandbox_stashes
--noexperimental_inmemory_sandbox_stashes
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_j2objc_header_map
--noexperimental_j2objc_header_map
--experimental_j2objc_shorter_header_path
--noexperimental_j2objc_shorter_header_path
--experimental_java_classpath={off,javabuilder,bazel,bazel_no_fallback}
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_limit_android_lint_to_android_constrained_java
--noexperimental_limit_android_lint_to_android_constrained_java
--experimental_materialize_param_files_directly
--noexperimental_materialize_param_files_directly
--experimental_objc_fastbuild_options=
--experimental_omitfp
--noexperimental_omitfp
--experimental_one_version_enforcement={off,warning,error}
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_parallel_aquery_output
--noexperimental_parallel_aquery_output
--experimental_persistent_aar_extractor
--noexperimental_persistent_aar_extractor
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_prefer_mutual_xcode
--noexperimental_prefer_mutual_xcode
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_proto_descriptor_sets_include_source_info
--noexperimental_proto_descriptor_sets_include_source_info
--experimental_py_binaries_include_label
--noexperimental_py_binaries_include_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_eviction_retries=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_repository_resolved_file=
--experimental_resolved_file_instead_of_workspace=
--experimental_retain_test_configuration_across_testonly
--noexperimental_retain_test_configuration_across_testonly
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_android_lint_on_java_rules
--noexperimental_run_android_lint_on_java_rules
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_sandbox_async_tree_delete_idle_threads=
--experimental_sandbox_enforce_resources_regexp=
--experimental_sandbox_limits=
--experimental_sandbox_memory_limit_mb=
--experimental_sandboxfs_map_symlink_targets
--noexperimental_sandboxfs_map_symlink_targets
--experimental_save_feature_state
--noexperimental_save_feature_state
--experimental_scale_timeouts=
--experimental_shrink_worker_pool
--noexperimental_shrink_worker_pool
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_skyfocus_dump_keys={none,count,verbose}
--experimental_skyfocus_dump_post_gc_stats
--noexperimental_skyfocus_dump_post_gc_stats
--experimental_skyfocus_handling_strategy={strict,warn}
--experimental_spawn_scheduler
--experimental_split_coverage_postprocessing
--noexperimental_split_coverage_postprocessing
--experimental_split_xml_generation
--noexperimental_split_xml_generation
--experimental_starlark_cc_import
--noexperimental_starlark_cc_import
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_strict_java_deps={off,warn,error,strict,default}
--experimental_total_worker_memory_limit_mb=
--experimental_ui_max_stdouterr_bytes=
--experimental_unsupported_and_brittle_include_scanning
--noexperimental_unsupported_and_brittle_include_scanning
--experimental_use_hermetic_linux_sandbox
--noexperimental_use_hermetic_linux_sandbox
--experimental_use_llvm_covmap
--noexperimental_use_llvm_covmap
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_use_semaphore_for_jobs
--noexperimental_use_semaphore_for_jobs
--experimental_use_validation_aspect
--noexperimental_use_validation_aspect
--experimental_use_windows_sandbox={auto,yes,no}
--noexperimental_use_windows_sandbox
--experimental_windows_sandbox_path=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_allowlist=
--experimental_worker_as_resource
--noexperimental_worker_as_resource
--experimental_worker_cancellation
--noexperimental_worker_cancellation
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_worker_memory_limit_mb=
--experimental_worker_metrics_poll_interval=
--experimental_worker_multiplex_sandboxing
--noexperimental_worker_multiplex_sandboxing
--experimental_worker_sandbox_hardening
--noexperimental_worker_sandbox_hardening
--experimental_worker_sandbox_inmemory_tracking=
--experimental_worker_strict_flagfiles
--noexperimental_worker_strict_flagfiles
--experimental_working_set=
--experimental_workspace_rules_log_file=path
--explain=path
--explicit_java_test_deps
--noexplicit_java_test_deps
--extra_execution_platforms=
--extra_toolchains=
--fat_apk_hwasan
--nofat_apk_hwasan
--fdo_instrument=
--fdo_optimize=
--fdo_prefetch_hints=label
--fdo_profile=label
--features=
--fetch
--nofetch
--fission=
--flag_alias=
--flaky_test_attempts=
--force_pic
--noforce_pic
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--genrule_strategy=
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--grte_top=label
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--high_priority_workers=
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_compiler=
--host_conlyopt=
--host_copt=
--host_cpu=
--host_cxxopt=
--host_features=
--host_force_python={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--host_grte_top=label
--host_java_launcher=label
--host_javacopt=
--host_jvmopt=
--host_linkopt=
--host_macos_minimum_os=
--host_per_file_copt=
--host_platform=label
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--ignore_unsupported_sandboxing
--noignore_unsupported_sandboxing
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_sharding_support
--noincompatible_check_sharding_support
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_check_visibility_for_toolchains
--noincompatible_check_visibility_for_toolchains
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_default_to_explicit_init_py
--noincompatible_default_to_explicit_init_py
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_android_rules
--noincompatible_disable_native_android_rules
--incompatible_disable_native_apple_binary_rule
--noincompatible_disable_native_apple_binary_rule
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_legacy_py_provider
--noincompatible_disallow_legacy_py_provider
--incompatible_disallow_sdk_frameworks_attributes
--noincompatible_disallow_sdk_frameworks_attributes
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_dont_enable_host_nonhost_crosstool_features
--noincompatible_dont_enable_host_nonhost_crosstool_features
--incompatible_dont_use_javasourceinfoprovider
--noincompatible_dont_use_javasourceinfoprovider
--incompatible_enable_apple_toolchain_resolution
--noincompatible_enable_apple_toolchain_resolution
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_exclusive_test_sandboxed
--noincompatible_exclusive_test_sandboxed
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_legacy_local_fallback
--noincompatible_legacy_local_fallback
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_make_thinlto_command_lines_standalone
--noincompatible_make_thinlto_command_lines_standalone
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_objc_alwayslink_by_default
--noincompatible_objc_alwayslink_by_default
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_py2_outputs_are_suffixed
--noincompatible_py2_outputs_are_suffixed
--incompatible_py3_is_default
--noincompatible_py3_is_default
--incompatible_python_disable_py2
--noincompatible_python_disable_py2
--incompatible_python_disallow_native_rules
--noincompatible_python_disallow_native_rules
--incompatible_remote_use_new_exit_code_for_lost_inputs
--noincompatible_remote_use_new_exit_code_for_lost_inputs
--incompatible_remove_legacy_whole_archive
--noincompatible_remove_legacy_whole_archive
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_ctx_in_configure_features
--noincompatible_require_ctx_in_configure_features
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_sandbox_hermetic_tmp
--noincompatible_sandbox_hermetic_tmp
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_strict_action_env
--noincompatible_strict_action_env
--incompatible_strip_executable_safely
--noincompatible_strip_executable_safely
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_new_cgroup_implementation
--noincompatible_use_new_cgroup_implementation
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_use_python_toolchains
--noincompatible_use_python_toolchains
--incompatible_validate_top_level_header_inclusions
--noincompatible_validate_top_level_header_inclusions
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--incremental_dexing
--noincremental_dexing
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--interface_shared_objects
--nointerface_shared_objects
--internal_spawn_scheduler
--nointernal_spawn_scheduler
--invocation_id=
--ios_memleaks
--noios_memleaks
--ios_minimum_os=
--ios_multi_cpus=
--ios_sdk_version=
--ios_signing_cert_name=
--ios_simulator_device=
--ios_simulator_version=
--j2objc_translation_flags=
--java_debug
--java_deps
--nojava_deps
--java_header_compilation
--nojava_header_compilation
--java_language_version=
--java_launcher=label
--java_runtime_version=
--javacopt=
--jobs=
--jvm_heap_histogram_internal_object_pattern=
--jvmopt=
--keep_going
--nokeep_going
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--legacy_main_dex_list_generator=label
--legacy_whole_archive
--nolegacy_whole_archive
--linkopt=
--loading_phase_threads=
--local_cpu_resources=
--local_extra_resources=
--local_ram_resources=
--local_resources=
--local_termination_grace_seconds=
--local_test_jobs=
--lockfile_mode={off,update,refresh,error}
--logging=
--ltobackendopt=
--ltoindexopt=
--macos_cpus=
--macos_minimum_os=
--macos_sdk_version=
--materialize_param_files
--nomaterialize_param_files
--max_computation_steps=
--max_config_changes_to_show=
--max_test_output_bytes=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--memprof_profile=label
--minimum_os_version=
--modify_execution_info=
--nested_set_depth_limit=
--objc_debug_with_GLIBCXX
--noobjc_debug_with_GLIBCXX
--objc_enable_binary_stripping
--noobjc_enable_binary_stripping
--objc_generate_linkmap
--noobjc_generate_linkmap
--objc_use_dotd_pruning
--noobjc_use_dotd_pruning
--objccopt=
--one_version_enforcement_on_java_tests
--noone_version_enforcement_on_java_tests
--optimizing_dexer=label
--output_filter=
--output_groups=
--override_module=
--override_repository=
--package_path=
--per_file_copt=
--per_file_ltobackendopt=
--persistent_android_dex_desugar
--persistent_android_resource_processor
--persistent_multiplex_android_dex_desugar
--persistent_multiplex_android_resource_processor
--persistent_multiplex_android_tools
--platform_mappings=
--platform_suffix=
--platforms=
--plugin=
--print_relative_test_log_paths
--noprint_relative_test_log_paths
--process_headers_in_dependencies
--noprocess_headers_in_dependencies
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--progress_report_interval=
--proguard_top=label
--propeller_optimize=label
--propeller_optimize_absolute_cc_profile=
--propeller_optimize_absolute_ld_profile=
--proto_compiler=label
--proto_profile
--noproto_profile
--proto_profile_path=label
--proto_toolchain_for_cc=label
--proto_toolchain_for_j2objc=label
--proto_toolchain_for_java=label
--proto_toolchain_for_javalite=label
--protocopt=
--python_native_rules_allowlist=label
--python_path=
--python_top=label
--python_version={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--reuse_sandbox_directories
--noreuse_sandbox_directories
--run_under=
--run_validations
--norun_validations
--runs_per_test=
--runs_per_test_detects_flakes
--noruns_per_test_detects_flakes
--sandbox_add_mount_pair=
--sandbox_base=
--sandbox_block_path=
--sandbox_debug
--nosandbox_debug
--sandbox_default_allow_network
--nosandbox_default_allow_network
--sandbox_explicit_pseudoterminal
--nosandbox_explicit_pseudoterminal
--sandbox_fake_hostname
--nosandbox_fake_hostname
--sandbox_fake_username
--nosandbox_fake_username
--sandbox_tmpfs_path=
--sandbox_writable_path=
--save_temps
--nosave_temps
--separate_aspect_deps
--noseparate_aspect_deps
--serialized_frontier_profile=
--share_native_deps
--noshare_native_deps
--shell_executable=path
--show_loading_progress
--noshow_loading_progress
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_result=
--show_timestamps
--noshow_timestamps
--skip_incompatible_explicit_targets
--noskip_incompatible_explicit_targets
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--spawn_strategy=
--stamp
--nostamp
--starlark_cpu_profile=
--strategy=
--strategy_regexp=
--strict_filesets
--nostrict_filesets
--strict_proto_deps={off,warn,error,strict,default}
--strict_public_imports={off,warn,error,strict,default}
--strict_system_includes
--nostrict_system_includes
--strip={always,sometimes,never}
--stripopt=
--subcommands={true,pretty_print,false}
--symlink_prefix=
--target_environment=
--target_pattern_file=
--target_platform_fallback=
--test_arg=
--test_env=
--test_filter=
--test_keep_going
--notest_keep_going
--test_lang_filters=
--test_output={summary,errors,all,streamed}
--test_result_expiration=
--test_runner_fail_fast
--notest_runner_fail_fast
--test_sharding_strategy=
--test_size_filters=
--test_strategy=
--test_summary={short,terse,detailed,none,testcase}
--test_tag_filters=
--test_timeout=
--test_timeout_filters=
--test_tmpdir=path
--test_verbose_timeout_warnings
--notest_verbose_timeout_warnings
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_java_language_version=
--tool_java_runtime_version=
--tool_tag=
--toolchain_resolution_debug=
--track_incremental_state
--notrack_incremental_state
--trim_test_configuration
--notrim_test_configuration
--tvos_cpus=
--tvos_minimum_os=
--tvos_sdk_version=
--ui_actions_shown=
--ui_event_filters=
--use_ijars
--nouse_ijars
--use_target_platform_for_tests
--nouse_target_platform_for_tests
--vendor_dir=path
--verbose_explanations
--noverbose_explanations
--verbose_failures
--noverbose_failures
--verbose_test_summary
--noverbose_test_summary
--visionos_cpus=
--watchfs
--nowatchfs
--watchos_cpus=
--watchos_minimum_os=
--watchos_sdk_version=
--worker_extra_flag=
--worker_max_instances=
--worker_max_multiplex_instances=
--worker_multiplex
--noworker_multiplex
--worker_quit_after_build
--noworker_quit_after_build
--worker_sandboxing
--noworker_sandboxing
--worker_verbose
--noworker_verbose
--workspace_status_command=path
--xbinary_fdo=label
--xcode_version=
--xcode_version_config=label
--zip_undeclared_test_outputs
--nozip_undeclared_test_outputs
"
BAZEL_COMMAND_VENDOR_FLAGS="
--action_env=
--allow_analysis_cache_discard
--noallow_analysis_cache_discard
--allow_analysis_failures
--noallow_analysis_failures
--allow_yanked_versions=
--allowed_cpu_values=
--analysis_testing_deps_limit=
--android_compiler=
--android_databinding_use_androidx
--noandroid_databinding_use_androidx
--android_databinding_use_v3_4_args
--noandroid_databinding_use_v3_4_args
--android_dynamic_mode={off,default,fully}
--android_manifest_merger={legacy,android,force_android}
--android_manifest_merger_order={alphabetical,alphabetical_by_configuration,dependency}
--android_platforms=
--android_resource_shrinking
--noandroid_resource_shrinking
--announce_rc
--noannounce_rc
--apk_signing_method={v1,v2,v1_v2,v4}
--apple_crosstool_top=label
--apple_generate_dsym
--noapple_generate_dsym
--aspects=
--aspects_parameters=
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--auto_output_filter={none,all,packages,subpackages}
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--break_build_on_parallel_dex2oat_failure
--nobreak_build_on_parallel_dex2oat_failure
--build
--nobuild
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_manual_tests
--nobuild_manual_tests
--build_metadata=
--build_python_zip={auto,yes,no}
--nobuild_python_zip
--build_runfile_links
--nobuild_runfile_links
--build_runfile_manifests
--nobuild_runfile_manifests
--build_tag_filters=
--build_test_dwp
--nobuild_test_dwp
--build_tests_only
--nobuild_tests_only
--cache_computed_file_digests=
--cache_test_results={auto,yes,no}
--nocache_test_results
--catalyst_cpus=
--cc_output_directory_tag=
--cc_proto_library_header_suffixes=
--cc_proto_library_source_suffixes=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--check_licenses
--nocheck_licenses
--check_tests_up_to_date
--nocheck_tests_up_to_date
--check_up_to_date
--nocheck_up_to_date
--check_visibility
--nocheck_visibility
--collect_code_coverage
--nocollect_code_coverage
--color={yes,no,auto}
--combined_report={none,lcov}
--compilation_mode={fastbuild,dbg,opt}
--compile_one_dependency
--nocompile_one_dependency
--compiler=
--config=
--conlyopt=
--copt=
--coverage_output_generator=label
--coverage_report_generator=label
--coverage_support=label
--cpu=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--cs_fdo_absolute_path=
--cs_fdo_instrument=
--cs_fdo_profile=label
--curses={yes,no,auto}
--custom_malloc=label
--cxxopt=
--debug_spawn_scheduler
--nodebug_spawn_scheduler
--default_test_resources=
--define=
--deleted_packages=
--desugar_for_android
--nodesugar_for_android
--desugar_java8_libs
--nodesugar_java8_libs
--device_debug_entitlements
--nodevice_debug_entitlements
--discard_analysis_cache
--nodiscard_analysis_cache
--disk_cache=path
--distdir=
--downloader_config=path
--dynamic_local_execution_delay=
--dynamic_local_strategy=
--dynamic_mode={off,default,fully}
--dynamic_remote_strategy=
--embed_label=
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_propeller_optimize_absolute_paths
--noenable_propeller_optimize_absolute_paths
--enable_remaining_fdo_absolute_paths
--noenable_remaining_fdo_absolute_paths
--enable_runfiles={auto,yes,no}
--noenable_runfiles
--enable_workspace
--noenable_workspace
--enforce_constraints
--noenforce_constraints
--execution_log_binary_file=path
--execution_log_compact_file=path
--execution_log_json_file=path
--execution_log_sort
--noexecution_log_sort
--expand_test_suites
--noexpand_test_suites
--experimental_action_listener=
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_add_exec_constraints_to_targets=
--experimental_android_compress_java_resources
--noexperimental_android_compress_java_resources
--experimental_android_databinding_v2
--noexperimental_android_databinding_v2
--experimental_android_resource_shrinking
--noexperimental_android_resource_shrinking
--experimental_android_rewrite_dexes_with_rex
--noexperimental_android_rewrite_dexes_with_rex
--experimental_android_use_parallel_dex2oat
--noexperimental_android_use_parallel_dex2oat
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cancel_concurrent_tests
--noexperimental_cancel_concurrent_tests
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_check_desugar_deps
--noexperimental_check_desugar_deps
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_code_coverage_for_generated_files
--noexperimental_collect_code_coverage_for_generated_files
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_local_sandbox_action_metrics
--noexperimental_collect_local_sandbox_action_metrics
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_convenience_symlinks={normal,clean,ignore,log_only}
--experimental_convenience_symlinks_bep_event
--noexperimental_convenience_symlinks_bep_event
--experimental_cpu_load_scheduling
--noexperimental_cpu_load_scheduling
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_docker_image=
--experimental_docker_privileged
--noexperimental_docker_privileged
--experimental_docker_use_customized_images
--noexperimental_docker_use_customized_images
--experimental_docker_verbose
--noexperimental_docker_verbose
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_dynamic_exclude_tools
--noexperimental_dynamic_exclude_tools
--experimental_dynamic_ignore_local_signals=
--experimental_dynamic_local_load_factor=
--experimental_dynamic_slow_remote_time=
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_docker_sandbox
--noexperimental_enable_docker_sandbox
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_skyfocus
--noexperimental_enable_skyfocus
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_extra_action_filter=
--experimental_extra_action_top_level_only
--noexperimental_extra_action_top_level_only
--experimental_fetch_all_coverage_outputs
--noexperimental_fetch_all_coverage_outputs
--experimental_filter_library_jar_with_program_jar
--noexperimental_filter_library_jar_with_program_jar
--experimental_generate_llvm_lcov
--noexperimental_generate_llvm_lcov
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_import_deps_checking=
--experimental_include_xcode_execution_requirements
--noexperimental_include_xcode_execution_requirements
--experimental_inmemory_dotd_files
--noexperimental_inmemory_dotd_files
--experimental_inmemory_jdeps_files
--noexperimental_inmemory_jdeps_files
--experimental_inmemory_sandbox_stashes
--noexperimental_inmemory_sandbox_stashes
--experimental_inprocess_symlink_creation
--noexperimental_inprocess_symlink_creation
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_j2objc_header_map
--noexperimental_j2objc_header_map
--experimental_j2objc_shorter_header_path
--noexperimental_j2objc_shorter_header_path
--experimental_java_classpath={off,javabuilder,bazel,bazel_no_fallback}
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_limit_android_lint_to_android_constrained_java
--noexperimental_limit_android_lint_to_android_constrained_java
--experimental_materialize_param_files_directly
--noexperimental_materialize_param_files_directly
--experimental_objc_fastbuild_options=
--experimental_omitfp
--noexperimental_omitfp
--experimental_one_version_enforcement={off,warning,error}
--experimental_output_paths={off,content,strip}
--experimental_override_name_platform_in_output_dir=
--experimental_parallel_aquery_output
--noexperimental_parallel_aquery_output
--experimental_persistent_aar_extractor
--noexperimental_persistent_aar_extractor
--experimental_platform_in_output_dir
--noexperimental_platform_in_output_dir
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_prefer_mutual_xcode
--noexperimental_prefer_mutual_xcode
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_proto_descriptor_sets_include_source_info
--noexperimental_proto_descriptor_sets_include_source_info
--experimental_py_binaries_include_label
--noexperimental_py_binaries_include_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remotable_source_manifests
--noexperimental_remotable_source_manifests
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_eviction_retries=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_repository_resolved_file=
--experimental_resolved_file_instead_of_workspace=
--experimental_retain_test_configuration_across_testonly
--noexperimental_retain_test_configuration_across_testonly
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_android_lint_on_java_rules
--noexperimental_run_android_lint_on_java_rules
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_sandbox_async_tree_delete_idle_threads=
--experimental_sandbox_enforce_resources_regexp=
--experimental_sandbox_limits=
--experimental_sandbox_memory_limit_mb=
--experimental_sandboxfs_map_symlink_targets
--noexperimental_sandboxfs_map_symlink_targets
--experimental_save_feature_state
--noexperimental_save_feature_state
--experimental_scale_timeouts=
--experimental_shrink_worker_pool
--noexperimental_shrink_worker_pool
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_skyfocus_dump_keys={none,count,verbose}
--experimental_skyfocus_dump_post_gc_stats
--noexperimental_skyfocus_dump_post_gc_stats
--experimental_skyfocus_handling_strategy={strict,warn}
--experimental_spawn_scheduler
--experimental_split_coverage_postprocessing
--noexperimental_split_coverage_postprocessing
--experimental_split_xml_generation
--noexperimental_split_xml_generation
--experimental_starlark_cc_import
--noexperimental_starlark_cc_import
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_strict_fileset_output
--noexperimental_strict_fileset_output
--experimental_strict_java_deps={off,warn,error,strict,default}
--experimental_total_worker_memory_limit_mb=
--experimental_ui_max_stdouterr_bytes=
--experimental_unsupported_and_brittle_include_scanning
--noexperimental_unsupported_and_brittle_include_scanning
--experimental_use_hermetic_linux_sandbox
--noexperimental_use_hermetic_linux_sandbox
--experimental_use_llvm_covmap
--noexperimental_use_llvm_covmap
--experimental_use_platforms_in_output_dir_legacy_heuristic
--noexperimental_use_platforms_in_output_dir_legacy_heuristic
--experimental_use_semaphore_for_jobs
--noexperimental_use_semaphore_for_jobs
--experimental_use_validation_aspect
--noexperimental_use_validation_aspect
--experimental_use_windows_sandbox={auto,yes,no}
--noexperimental_use_windows_sandbox
--experimental_windows_sandbox_path=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_allowlist=
--experimental_worker_as_resource
--noexperimental_worker_as_resource
--experimental_worker_cancellation
--noexperimental_worker_cancellation
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_worker_memory_limit_mb=
--experimental_worker_metrics_poll_interval=
--experimental_worker_multiplex_sandboxing
--noexperimental_worker_multiplex_sandboxing
--experimental_worker_sandbox_hardening
--noexperimental_worker_sandbox_hardening
--experimental_worker_sandbox_inmemory_tracking=
--experimental_worker_strict_flagfiles
--noexperimental_worker_strict_flagfiles
--experimental_working_set=
--experimental_workspace_rules_log_file=path
--explain=path
--explicit_java_test_deps
--noexplicit_java_test_deps
--extra_execution_platforms=
--extra_toolchains=
--fat_apk_hwasan
--nofat_apk_hwasan
--fdo_instrument=
--fdo_optimize=
--fdo_prefetch_hints=label
--fdo_profile=label
--features=
--fetch
--nofetch
--fission=
--flag_alias=
--flaky_test_attempts=
--force_pic
--noforce_pic
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--genrule_strategy=
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--grte_top=label
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--high_priority_workers=
--host_action_env=
--host_compilation_mode={fastbuild,dbg,opt}
--host_compiler=
--host_conlyopt=
--host_copt=
--host_cpu=
--host_cxxopt=
--host_features=
--host_force_python={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--host_grte_top=label
--host_java_launcher=label
--host_javacopt=
--host_jvmopt=
--host_linkopt=
--host_macos_minimum_os=
--host_per_file_copt=
--host_platform=label
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--ignore_unsupported_sandboxing
--noignore_unsupported_sandboxing
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_always_include_files_in_data
--noincompatible_always_include_files_in_data
--incompatible_auto_exec_groups
--noincompatible_auto_exec_groups
--incompatible_autoload_externally=
--incompatible_bazel_test_exec_run_under
--noincompatible_bazel_test_exec_run_under
--incompatible_check_sharding_support
--noincompatible_check_sharding_support
--incompatible_check_testonly_for_output_files
--noincompatible_check_testonly_for_output_files
--incompatible_check_visibility_for_toolchains
--noincompatible_check_visibility_for_toolchains
--incompatible_config_setting_private_default_visibility
--noincompatible_config_setting_private_default_visibility
--incompatible_default_to_explicit_init_py
--noincompatible_default_to_explicit_init_py
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_android_rules
--noincompatible_disable_native_android_rules
--incompatible_disable_native_apple_binary_rule
--noincompatible_disable_native_apple_binary_rule
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_legacy_py_provider
--noincompatible_disallow_legacy_py_provider
--incompatible_disallow_sdk_frameworks_attributes
--noincompatible_disallow_sdk_frameworks_attributes
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_dont_enable_host_nonhost_crosstool_features
--noincompatible_dont_enable_host_nonhost_crosstool_features
--incompatible_dont_use_javasourceinfoprovider
--noincompatible_dont_use_javasourceinfoprovider
--incompatible_enable_apple_toolchain_resolution
--noincompatible_enable_apple_toolchain_resolution
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_config_setting_visibility
--noincompatible_enforce_config_setting_visibility
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_exclusive_test_sandboxed
--noincompatible_exclusive_test_sandboxed
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_legacy_local_fallback
--noincompatible_legacy_local_fallback
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_make_thinlto_command_lines_standalone
--noincompatible_make_thinlto_command_lines_standalone
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_merge_genfiles_directory
--noincompatible_merge_genfiles_directory
--incompatible_modify_execution_info_additive
--noincompatible_modify_execution_info_additive
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_objc_alwayslink_by_default
--noincompatible_objc_alwayslink_by_default
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_py2_outputs_are_suffixed
--noincompatible_py2_outputs_are_suffixed
--incompatible_py3_is_default
--noincompatible_py3_is_default
--incompatible_python_disable_py2
--noincompatible_python_disable_py2
--incompatible_python_disallow_native_rules
--noincompatible_python_disallow_native_rules
--incompatible_remote_use_new_exit_code_for_lost_inputs
--noincompatible_remote_use_new_exit_code_for_lost_inputs
--incompatible_remove_legacy_whole_archive
--noincompatible_remove_legacy_whole_archive
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_ctx_in_configure_features
--noincompatible_require_ctx_in_configure_features
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_sandbox_hermetic_tmp
--noincompatible_sandbox_hermetic_tmp
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_strict_action_env
--noincompatible_strict_action_env
--incompatible_strip_executable_safely
--noincompatible_strip_executable_safely
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_new_cgroup_implementation
--noincompatible_use_new_cgroup_implementation
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_use_python_toolchains
--noincompatible_use_python_toolchains
--incompatible_validate_top_level_header_inclusions
--noincompatible_validate_top_level_header_inclusions
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--incremental_dexing
--noincremental_dexing
--inject_repository=
--instrument_test_targets
--noinstrument_test_targets
--instrumentation_filter=
--interface_shared_objects
--nointerface_shared_objects
--internal_spawn_scheduler
--nointernal_spawn_scheduler
--invocation_id=
--ios_memleaks
--noios_memleaks
--ios_minimum_os=
--ios_multi_cpus=
--ios_sdk_version=
--ios_signing_cert_name=
--ios_simulator_device=
--ios_simulator_version=
--j2objc_translation_flags=
--java_debug
--java_deps
--nojava_deps
--java_header_compilation
--nojava_header_compilation
--java_language_version=
--java_launcher=label
--java_runtime_version=
--javacopt=
--jobs=
--jvm_heap_histogram_internal_object_pattern=
--jvmopt=
--keep_going
--nokeep_going
--keep_state_after_build
--nokeep_state_after_build
--legacy_external_runfiles
--nolegacy_external_runfiles
--legacy_important_outputs
--nolegacy_important_outputs
--legacy_main_dex_list_generator=label
--legacy_whole_archive
--nolegacy_whole_archive
--linkopt=
--loading_phase_threads=
--local_cpu_resources=
--local_extra_resources=
--local_ram_resources=
--local_resources=
--local_termination_grace_seconds=
--local_test_jobs=
--lockfile_mode={off,update,refresh,error}
--logging=
--ltobackendopt=
--ltoindexopt=
--macos_cpus=
--macos_minimum_os=
--macos_sdk_version=
--materialize_param_files
--nomaterialize_param_files
--max_computation_steps=
--max_config_changes_to_show=
--max_test_output_bytes=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--memprof_profile=label
--minimum_os_version=
--modify_execution_info=
--nested_set_depth_limit=
--objc_debug_with_GLIBCXX
--noobjc_debug_with_GLIBCXX
--objc_enable_binary_stripping
--noobjc_enable_binary_stripping
--objc_generate_linkmap
--noobjc_generate_linkmap
--objc_use_dotd_pruning
--noobjc_use_dotd_pruning
--objccopt=
--one_version_enforcement_on_java_tests
--noone_version_enforcement_on_java_tests
--optimizing_dexer=label
--output_filter=
--output_groups=
--override_module=
--override_repository=
--package_path=
--per_file_copt=
--per_file_ltobackendopt=
--persistent_android_dex_desugar
--persistent_android_resource_processor
--persistent_multiplex_android_dex_desugar
--persistent_multiplex_android_resource_processor
--persistent_multiplex_android_tools
--platform_mappings=
--platform_suffix=
--platforms=
--plugin=
--print_relative_test_log_paths
--noprint_relative_test_log_paths
--process_headers_in_dependencies
--noprocess_headers_in_dependencies
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--progress_report_interval=
--proguard_top=label
--propeller_optimize=label
--propeller_optimize_absolute_cc_profile=
--propeller_optimize_absolute_ld_profile=
--proto_compiler=label
--proto_profile
--noproto_profile
--proto_profile_path=label
--proto_toolchain_for_cc=label
--proto_toolchain_for_j2objc=label
--proto_toolchain_for_java=label
--proto_toolchain_for_javalite=label
--protocopt=
--python_native_rules_allowlist=label
--python_path=
--python_top=label
--python_version={py2,py3,py2and3,py2only,py3only,_internal_sentinel}
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo=
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--reuse_sandbox_directories
--noreuse_sandbox_directories
--run_under=
--run_validations
--norun_validations
--runs_per_test=
--runs_per_test_detects_flakes
--noruns_per_test_detects_flakes
--sandbox_add_mount_pair=
--sandbox_base=
--sandbox_block_path=
--sandbox_debug
--nosandbox_debug
--sandbox_default_allow_network
--nosandbox_default_allow_network
--sandbox_explicit_pseudoterminal
--nosandbox_explicit_pseudoterminal
--sandbox_fake_hostname
--nosandbox_fake_hostname
--sandbox_fake_username
--nosandbox_fake_username
--sandbox_tmpfs_path=
--sandbox_writable_path=
--save_temps
--nosave_temps
--separate_aspect_deps
--noseparate_aspect_deps
--serialized_frontier_profile=
--share_native_deps
--noshare_native_deps
--shell_executable=path
--show_loading_progress
--noshow_loading_progress
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_result=
--show_timestamps
--noshow_timestamps
--skip_incompatible_explicit_targets
--noskip_incompatible_explicit_targets
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--spawn_strategy=
--stamp
--nostamp
--starlark_cpu_profile=
--strategy=
--strategy_regexp=
--strict_filesets
--nostrict_filesets
--strict_proto_deps={off,warn,error,strict,default}
--strict_public_imports={off,warn,error,strict,default}
--strict_system_includes
--nostrict_system_includes
--strip={always,sometimes,never}
--stripopt=
--subcommands={true,pretty_print,false}
--symlink_prefix=
--target_environment=
--target_pattern_file=
--target_platform_fallback=
--test_arg=
--test_env=
--test_filter=
--test_keep_going
--notest_keep_going
--test_lang_filters=
--test_output={summary,errors,all,streamed}
--test_result_expiration=
--test_runner_fail_fast
--notest_runner_fail_fast
--test_sharding_strategy=
--test_size_filters=
--test_strategy=
--test_summary={short,terse,detailed,none,testcase}
--test_tag_filters=
--test_timeout=
--test_timeout_filters=
--test_tmpdir=path
--test_verbose_timeout_warnings
--notest_verbose_timeout_warnings
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_java_language_version=
--tool_java_runtime_version=
--tool_tag=
--toolchain_resolution_debug=
--track_incremental_state
--notrack_incremental_state
--trim_test_configuration
--notrim_test_configuration
--tvos_cpus=
--tvos_minimum_os=
--tvos_sdk_version=
--ui_actions_shown=
--ui_event_filters=
--use_ijars
--nouse_ijars
--use_target_platform_for_tests
--nouse_target_platform_for_tests
--vendor_dir=path
--verbose_explanations
--noverbose_explanations
--verbose_failures
--noverbose_failures
--verbose_test_summary
--noverbose_test_summary
--visionos_cpus=
--watchfs
--nowatchfs
--watchos_cpus=
--watchos_minimum_os=
--watchos_sdk_version=
--worker_extra_flag=
--worker_max_instances=
--worker_max_multiplex_instances=
--worker_multiplex
--noworker_multiplex
--worker_quit_after_build
--noworker_quit_after_build
--worker_sandboxing
--noworker_sandboxing
--worker_verbose
--noworker_verbose
--workspace_status_command=path
--xbinary_fdo=label
--xcode_version=
--xcode_version_config=label
--zip_undeclared_test_outputs
--nozip_undeclared_test_outputs
"
BAZEL_COMMAND_VERSION_FLAGS="
--allow_yanked_versions=
--announce_rc
--noannounce_rc
--attempt_to_print_relative_paths
--noattempt_to_print_relative_paths
--auto_cpu_environment_group=
--bep_maximum_open_remote_upload_files=
--bes_backend=
--bes_check_preceding_lifecycle_events
--nobes_check_preceding_lifecycle_events
--bes_header=
--bes_instance_name=
--bes_keywords=
--bes_lifecycle_events
--nobes_lifecycle_events
--bes_oom_finish_upload_timeout=
--bes_outerr_buffer_size=
--bes_outerr_chunk_size=
--bes_proxy=
--bes_results_url=
--bes_system_keywords=
--bes_timeout=
--bes_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_binary_file=
--build_event_binary_file_path_conversion
--nobuild_event_binary_file_path_conversion
--build_event_binary_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_json_file=
--build_event_json_file_path_conversion
--nobuild_event_json_file_path_conversion
--build_event_json_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_max_named_set_of_file_entries=
--build_event_publish_all_actions
--nobuild_event_publish_all_actions
--build_event_text_file=
--build_event_text_file_path_conversion
--nobuild_event_text_file_path_conversion
--build_event_text_file_upload_mode={wait_for_upload_complete,nowait_for_upload_complete,fully_async}
--build_event_upload_max_retries=
--build_metadata=
--check_bazel_compatibility={error,warning,off}
--check_bzl_visibility
--nocheck_bzl_visibility
--check_direct_dependencies={off,warning,error}
--color={yes,no,auto}
--config=
--credential_helper=
--credential_helper_cache_duration=
--credential_helper_timeout=
--curses={yes,no,auto}
--disk_cache=path
--distdir=
--downloader_config=path
--enable_bzlmod
--noenable_bzlmod
--enable_platform_specific_config
--noenable_platform_specific_config
--enable_workspace
--noenable_workspace
--experimental_action_resource_set
--noexperimental_action_resource_set
--experimental_bep_target_summary
--noexperimental_bep_target_summary
--experimental_build_event_expand_filesets
--noexperimental_build_event_expand_filesets
--experimental_build_event_fully_resolve_fileset_symlinks
--noexperimental_build_event_fully_resolve_fileset_symlinks
--experimental_build_event_output_group_mode=
--experimental_build_event_upload_retry_minimum_delay=
--experimental_build_event_upload_strategy=
--experimental_bzl_visibility
--noexperimental_bzl_visibility
--experimental_cc_shared_library
--noexperimental_cc_shared_library
--experimental_cc_static_library
--noexperimental_cc_static_library
--experimental_circuit_breaker_strategy={failure}
--experimental_collect_load_average_in_profiler
--noexperimental_collect_load_average_in_profiler
--experimental_collect_pressure_stall_indicators
--noexperimental_collect_pressure_stall_indicators
--experimental_collect_resource_estimation
--noexperimental_collect_resource_estimation
--experimental_collect_skyframe_counts_in_profiler
--noexperimental_collect_skyframe_counts_in_profiler
--experimental_collect_system_network_usage
--noexperimental_collect_system_network_usage
--experimental_collect_worker_data_in_profiler
--noexperimental_collect_worker_data_in_profiler
--experimental_command_profile={cpu,wall,alloc,lock}
--experimental_disable_external_package
--noexperimental_disable_external_package
--experimental_disk_cache_gc_idle_delay=
--experimental_disk_cache_gc_max_age=
--experimental_disk_cache_gc_max_size=
--experimental_dormant_deps
--noexperimental_dormant_deps
--experimental_enable_android_migration_apis
--noexperimental_enable_android_migration_apis
--experimental_enable_first_class_macros
--noexperimental_enable_first_class_macros
--experimental_enable_scl_dialect
--noexperimental_enable_scl_dialect
--experimental_enable_starlark_set
--noexperimental_enable_starlark_set
--experimental_google_legacy_api
--noexperimental_google_legacy_api
--experimental_install_base_gc_max_age=
--experimental_isolated_extension_usages
--noexperimental_isolated_extension_usages
--experimental_java_library_export
--noexperimental_java_library_export
--experimental_platforms_api
--noexperimental_platforms_api
--experimental_profile_additional_tasks=
--experimental_profile_include_primary_output
--noexperimental_profile_include_primary_output
--experimental_profile_include_target_configuration
--noexperimental_profile_include_target_configuration
--experimental_profile_include_target_label
--noexperimental_profile_include_target_label
--experimental_record_metrics_for_all_mnemonics
--noexperimental_record_metrics_for_all_mnemonics
--experimental_record_skyframe_metrics
--noexperimental_record_skyframe_metrics
--experimental_remote_cache_compression_threshold=
--experimental_remote_cache_lease_extension
--noexperimental_remote_cache_lease_extension
--experimental_remote_cache_ttl=
--experimental_remote_capture_corrupted_outputs=path
--experimental_remote_discard_merkle_trees
--noexperimental_remote_discard_merkle_trees
--experimental_remote_downloader=
--experimental_remote_downloader_local_fallback
--noexperimental_remote_downloader_local_fallback
--experimental_remote_downloader_propagate_credentials
--noexperimental_remote_downloader_propagate_credentials
--experimental_remote_execution_keepalive
--noexperimental_remote_execution_keepalive
--experimental_remote_failure_rate_threshold=
--experimental_remote_failure_window_interval=
--experimental_remote_mark_tool_inputs
--noexperimental_remote_mark_tool_inputs
--experimental_remote_merkle_tree_cache
--noexperimental_remote_merkle_tree_cache
--experimental_remote_merkle_tree_cache_size=
--experimental_remote_output_service=
--experimental_remote_output_service_output_path_prefix=
--experimental_remote_require_cached
--noexperimental_remote_require_cached
--experimental_remote_scrubbing_config=
--experimental_repo_remote_exec
--noexperimental_repo_remote_exec
--experimental_repository_cache_hardlinks
--noexperimental_repository_cache_hardlinks
--experimental_repository_ctx_execute_wasm
--noexperimental_repository_ctx_execute_wasm
--experimental_repository_downloader_retries=
--experimental_resolved_file_instead_of_workspace=
--experimental_rule_extension_api
--noexperimental_rule_extension_api
--experimental_run_bep_event_include_residue
--noexperimental_run_bep_event_include_residue
--experimental_scale_timeouts=
--experimental_sibling_repository_layout
--noexperimental_sibling_repository_layout
--experimental_single_package_toolchain_binding
--noexperimental_single_package_toolchain_binding
--experimental_stream_log_file_uploads
--noexperimental_stream_log_file_uploads
--experimental_ui_max_stdouterr_bytes=
--experimental_windows_watchfs
--noexperimental_windows_watchfs
--experimental_worker_for_repo_fetching={off,platform,virtual,auto}
--experimental_workspace_rules_log_file=path
--gc_thrashing_limits=
--gc_thrashing_threshold=
--generate_json_trace_profile={auto,yes,no}
--nogenerate_json_trace_profile
--gnu_format
--nognu_format
--google_auth_scopes=
--google_credentials=
--google_default_credentials
--nogoogle_default_credentials
--grpc_keepalive_time=
--grpc_keepalive_timeout=
--guard_against_concurrent_changes={off,lite,full}
--heap_dump_on_oom
--noheap_dump_on_oom
--heuristically_drop_nodes
--noheuristically_drop_nodes
--http_connector_attempts=
--http_connector_retry_max_timeout=
--http_max_parallel_downloads=
--http_timeout_scaling=
--ignore_dev_dependency
--noignore_dev_dependency
--incompatible_allow_tags_propagation
--noincompatible_allow_tags_propagation
--incompatible_always_check_depset_elements
--noincompatible_always_check_depset_elements
--incompatible_autoload_externally=
--incompatible_depset_for_java_output_source_jars
--noincompatible_depset_for_java_output_source_jars
--incompatible_depset_for_libraries_to_link_getter
--noincompatible_depset_for_libraries_to_link_getter
--incompatible_disable_autoloads_in_main_repo
--noincompatible_disable_autoloads_in_main_repo
--incompatible_disable_native_repo_rules
--noincompatible_disable_native_repo_rules
--incompatible_disable_non_executable_java_binary
--noincompatible_disable_non_executable_java_binary
--incompatible_disable_objc_library_transition
--noincompatible_disable_objc_library_transition
--incompatible_disable_starlark_host_transitions
--noincompatible_disable_starlark_host_transitions
--incompatible_disable_target_default_provider_fields
--noincompatible_disable_target_default_provider_fields
--incompatible_disable_target_provider_fields
--noincompatible_disable_target_provider_fields
--incompatible_disallow_ctx_resolve_tools
--noincompatible_disallow_ctx_resolve_tools
--incompatible_disallow_empty_glob
--noincompatible_disallow_empty_glob
--incompatible_disallow_struct_provider_syntax
--noincompatible_disallow_struct_provider_syntax
--incompatible_do_not_split_linking_cmdline
--noincompatible_do_not_split_linking_cmdline
--incompatible_enable_deprecated_label_apis
--noincompatible_enable_deprecated_label_apis
--incompatible_enable_proto_toolchain_resolution
--noincompatible_enable_proto_toolchain_resolution
--incompatible_enforce_starlark_utf8={off,warning,error}
--incompatible_fail_on_unknown_attributes
--noincompatible_fail_on_unknown_attributes
--incompatible_fix_package_group_reporoot_syntax
--noincompatible_fix_package_group_reporoot_syntax
--incompatible_java_common_parameters
--noincompatible_java_common_parameters
--incompatible_locations_prefers_executable
--noincompatible_locations_prefers_executable
--incompatible_merge_fixed_and_default_shell_env
--noincompatible_merge_fixed_and_default_shell_env
--incompatible_new_actions_api
--noincompatible_new_actions_api
--incompatible_no_attr_license
--noincompatible_no_attr_license
--incompatible_no_implicit_file_export
--noincompatible_no_implicit_file_export
--incompatible_no_implicit_watch_label
--noincompatible_no_implicit_watch_label
--incompatible_no_rule_outputs_param
--noincompatible_no_rule_outputs_param
--incompatible_package_group_has_public_syntax
--noincompatible_package_group_has_public_syntax
--incompatible_repo_env_ignores_action_env
--noincompatible_repo_env_ignores_action_env
--incompatible_require_linker_input_cc_api
--noincompatible_require_linker_input_cc_api
--incompatible_run_shell_command_string
--noincompatible_run_shell_command_string
--incompatible_simplify_unconditional_selects_in_rule_attrs
--noincompatible_simplify_unconditional_selects_in_rule_attrs
--incompatible_stop_exporting_build_file_path
--noincompatible_stop_exporting_build_file_path
--incompatible_stop_exporting_language_modules
--noincompatible_stop_exporting_language_modules
--incompatible_top_level_aspects_require_providers
--noincompatible_top_level_aspects_require_providers
--incompatible_unambiguous_label_stringification
--noincompatible_unambiguous_label_stringification
--incompatible_use_cc_configure_from_rules_cc
--noincompatible_use_cc_configure_from_rules_cc
--incompatible_use_plus_in_repo_names
--noincompatible_use_plus_in_repo_names
--incompatible_visibility_private_attributes_at_definition
--noincompatible_visibility_private_attributes_at_definition
--inject_repository=
--invocation_id=
--jvm_heap_histogram_internal_object_pattern=
--keep_state_after_build
--nokeep_state_after_build
--legacy_important_outputs
--nolegacy_important_outputs
--lockfile_mode={off,update,refresh,error}
--logging=
--max_computation_steps=
--memory_profile=path
--memory_profile_stable_heap_parameters=
--nested_set_depth_limit=
--override_module=
--override_repository=
--profile=path
--profiles_to_retain=
--progress_in_terminal_title
--noprogress_in_terminal_title
--record_full_profiler_data
--norecord_full_profiler_data
--redirect_local_instrumentation_output_writes
--noredirect_local_instrumentation_output_writes
--registry=
--remote_accept_cached
--noremote_accept_cached
--remote_build_event_upload={all,minimal}
--remote_bytestream_uri_prefix=
--remote_cache=
--remote_cache_async
--noremote_cache_async
--remote_cache_compression
--noremote_cache_compression
--remote_cache_header=
--remote_default_exec_properties=
--remote_default_platform_properties=
--remote_download_all
--remote_download_minimal
--remote_download_outputs={all,minimal,toplevel}
--remote_download_regex=
--remote_download_symlink_template=
--remote_download_toplevel
--remote_downloader_header=
--remote_exec_header=
--remote_execution_priority=
--remote_executor=
--remote_grpc_log=path
--remote_header=
--remote_instance_name=
--remote_local_fallback
--noremote_local_fallback
--remote_local_fallback_strategy=
--remote_max_connections=
--remote_print_execution_messages={failure,success,all}
--remote_proxy=
--remote_result_cache_priority=
--remote_retries=
--remote_retry_max_delay=
--remote_timeout=
--remote_upload_local_results
--noremote_upload_local_results
--remote_verify_downloads
--noremote_verify_downloads
--repo_contents_cache=path
--repo_contents_cache_gc_idle_delay=
--repo_contents_cache_gc_max_age=
--repo_env=
--repositories_without_autoloads=
--repository_cache=path
--repository_disable_download
--norepository_disable_download
--separate_aspect_deps
--noseparate_aspect_deps
--show_progress
--noshow_progress
--show_progress_rate_limit=
--show_timestamps
--noshow_timestamps
--skyframe_high_water_mark_full_gc_drops_per_invocation=
--skyframe_high_water_mark_minor_gc_drops_per_invocation=
--skyframe_high_water_mark_threshold=
--slim_profile
--noslim_profile
--starlark_cpu_profile=
--tls_certificate=
--tls_client_certificate=
--tls_client_key=
--tool_tag=
--track_incremental_state
--notrack_incremental_state
--ui_actions_shown=
--ui_event_filters=
--vendor_dir=path
--watchfs
--nowatchfs
"
