1 """Config file for coverage.py"""
4 from coverage
.backward
import string_class
, iitems
6 # In py3, # ConfigParser was renamed to the more-standard configparser
8 import configparser
# pylint: disable=F0401
10 import ConfigParser
as configparser
13 class HandyConfigParser(configparser
.RawConfigParser
):
14 """Our specialization of ConfigParser."""
16 def read(self
, filename
):
17 """Read a filename as UTF-8 configuration data."""
19 if sys
.version_info
>= (3, 2):
20 kwargs
['encoding'] = "utf-8"
21 return configparser
.RawConfigParser
.read(self
, filename
, **kwargs
)
23 def get(self
, *args
, **kwargs
):
24 v
= configparser
.RawConfigParser
.get(self
, *args
, **kwargs
)
25 def dollar_replace(m
):
26 """Called for each $replacement."""
27 # Only one of the groups will have matched, just get its text.
28 word
= [w
for w
in m
.groups() if w
is not None][0]
32 return os
.environ
.get(word
, '')
34 dollar_pattern
= r
"""(?x) # Use extended regex syntax
35 \$(?: # A dollar sign, then
36 (?P<v1>\w+) | # a plain word,
37 {(?P<v2>\w+)} | # or a {-wrapped word,
38 (?P<char>[$]) # or a dollar sign.
41 v
= re
.sub(dollar_pattern
, dollar_replace
, v
)
44 def getlist(self
, section
, option
):
45 """Read a list of strings.
47 The value of `section` and `option` is treated as a comma- and newline-
48 separated list of strings. Each value is stripped of whitespace.
50 Returns the list of strings.
53 value_list
= self
.get(section
, option
)
55 for value_line
in value_list
.split('\n'):
56 for value
in value_line
.split(','):
62 def getlinelist(self
, section
, option
):
63 """Read a list of full-line strings.
65 The value of `section` and `option` is treated as a newline-separated
66 list of strings. Each value is stripped of whitespace.
68 Returns the list of strings.
71 value_list
= self
.get(section
, option
)
72 return list(filter(None, value_list
.split('\n')))
75 # The default line exclusion regexes
77 '(?i)# *pragma[: ]*no *cover',
80 # The default partial branch regexes, to be modified by the user.
82 '(?i)# *pragma[: ]*no *branch',
85 # The default partial branch regexes, based on Python semantics.
86 # These are any Python branching constructs that can't actually execute all
88 DEFAULT_PARTIAL_ALWAYS
= [
89 'while (True|1|False|0):',
90 'if (True|1|False|0):',
94 class CoverageConfig(object):
95 """Coverage.py configuration.
97 The attributes of this class are the various settings that control the
98 operation of coverage.py.
102 """Initialize the configuration attributes to their defaults."""
103 # Metadata about the config.
104 self
.attempted_config_files
= []
105 self
.config_files
= []
109 self
.cover_pylib
= False
110 self
.data_file
= ".coverage"
111 self
.parallel
= False
116 # Defaults for [report]
117 self
.exclude_list
= DEFAULT_EXCLUDE
[:]
118 self
.ignore_errors
= False
121 self
.partial_list
= DEFAULT_PARTIAL
[:]
122 self
.partial_always_list
= DEFAULT_PARTIAL_ALWAYS
[:]
124 self
.show_missing
= False
126 # Defaults for [html]
127 self
.html_dir
= "htmlcov"
128 self
.extra_css
= None
129 self
.html_title
= "Coverage report"
132 self
.xml_output
= "coverage.xml"
134 # Defaults for [paths]
137 def from_environment(self
, env_var
):
138 """Read configuration from the `env_var` environment variable."""
139 # Timidity: for nose users, read an environment variable. This is a
140 # cheap hack, since the rest of the command line arguments aren't
141 # recognized, but it solves some users' problems.
142 env
= os
.environ
.get(env_var
, '')
144 self
.timid
= ('--timid' in env
)
146 MUST_BE_LIST
= ["omit", "include", "debug"]
148 def from_args(self
, **kwargs
):
149 """Read config values from `kwargs`."""
150 for k
, v
in iitems(kwargs
):
152 if k
in self
.MUST_BE_LIST
and isinstance(v
, string_class
):
156 def from_file(self
, filename
):
157 """Read configuration from a .rc file.
159 `filename` is a file name to read.
162 self
.attempted_config_files
.append(filename
)
164 cp
= HandyConfigParser()
165 files_read
= cp
.read(filename
)
166 if files_read
is not None: # return value changed in 2.4
167 self
.config_files
.extend(files_read
)
169 for option_spec
in self
.CONFIG_FILE_OPTIONS
:
170 self
.set_attr_from_config_option(cp
, *option_spec
)
173 if cp
.has_section('paths'):
174 for option
in cp
.options('paths'):
175 self
.paths
[option
] = cp
.getlist('paths', option
)
177 CONFIG_FILE_OPTIONS
= [
179 ('branch', 'run:branch', 'boolean'),
180 ('cover_pylib', 'run:cover_pylib', 'boolean'),
181 ('data_file', 'run:data_file'),
182 ('debug', 'run:debug', 'list'),
183 ('include', 'run:include', 'list'),
184 ('omit', 'run:omit', 'list'),
185 ('parallel', 'run:parallel', 'boolean'),
186 ('source', 'run:source', 'list'),
187 ('timid', 'run:timid', 'boolean'),
190 ('exclude_list', 'report:exclude_lines', 'linelist'),
191 ('ignore_errors', 'report:ignore_errors', 'boolean'),
192 ('include', 'report:include', 'list'),
193 ('omit', 'report:omit', 'list'),
194 ('partial_list', 'report:partial_branches', 'linelist'),
195 ('partial_always_list', 'report:partial_branches_always', 'linelist'),
196 ('precision', 'report:precision', 'int'),
197 ('show_missing', 'report:show_missing', 'boolean'),
200 ('html_dir', 'html:directory'),
201 ('extra_css', 'html:extra_css'),
202 ('html_title', 'html:title'),
205 ('xml_output', 'xml:output'),
208 def set_attr_from_config_option(self
, cp
, attr
, where
, type_
=''):
209 """Set an attribute on self if it exists in the ConfigParser."""
210 section
, option
= where
.split(":")
211 if cp
.has_option(section
, option
):
212 method
= getattr(cp
, 'get'+type_
)
213 setattr(self
, attr
, method(section
, option
))