• Home
  • Features
  • Pricing
  • Docs
  • Announcements
  • Sign In

pyta-uoft / pyta / 13618144272

02 Mar 2025 06:25PM UTC coverage: 92.07% (-0.8%) from 92.914%
13618144272

Pull #1156

github

web-flow
Merge 22378039d into 89ce63ced
Pull Request #1156: Integrate Watchdog for Live Code Re-Checking

52 of 83 new or added lines in 1 file covered. (62.65%)

8 existing lines in 1 file now uncovered.

3274 of 3556 relevant lines covered (92.07%)

17.52 hits per line

Source File
Press 'n' to go to next uncovered line, 'b' for previous

83.33
/python_ta/__init__.py
1
"""Python Teaching Assistant
2

3
The goal of this module is to provide automated feedback to students in our
4
introductory Python courses, using static analysis of their code.
5

6
To run the checker, call the check function on the name of the module to check.
7

8
> import python_ta
9
> python_ta.check_all('mymodule.py')
10

11
Or, put the following code in your Python module:
12

13
if __name__ == '__main__':
14
    import python_ta
15
    python_ta.check_all()
16
"""
17

18
from __future__ import annotations
20✔
19

20
__version__ = "2.10.2.dev"  # Version number
20✔
21
# First, remove underscore from builtins if it has been bound in the REPL.
22
# Must appear before other imports from pylint/python_ta.
23
import builtins
20✔
24
import subprocess
20✔
25

26
from pylint.reporters import BaseReporter, MultiReporter
20✔
27

28
try:
20✔
29
    del builtins._
20✔
30
except AttributeError:
20✔
31
    pass
20✔
32

33
import importlib.util
20✔
34
import logging
20✔
35
import os
20✔
36
import sys
20✔
37
import time
20✔
38
import tokenize
20✔
39
import webbrowser
20✔
40
from builtins import FileNotFoundError
20✔
41
from os import listdir
20✔
42
from typing import Any, AnyStr, Generator, Optional, TextIO, Tuple, Union
20✔
43

44
import pylint.config
20✔
45
import pylint.lint
20✔
46
import pylint.utils
20✔
47
from astroid import MANAGER, modutils
20✔
48
from pylint.lint import PyLinter
20✔
49
from pylint.utils.pragma_parser import OPTION_PO
20✔
50
from watchdog.events import FileSystemEventHandler
20✔
51
from watchdog.observers import Observer
20✔
52

53
from .config import (
20✔
54
    find_local_config,
55
    load_config,
56
    load_messages_config,
57
    override_config,
58
)
59
from .patches import patch_all
20✔
60
from .reporters import REPORTERS
20✔
61
from .reporters.core import PythonTaReporter
20✔
62
from .upload import upload_to_server
20✔
63
from .util.autoformat import run_autoformat
20✔
64

65
HELP_URL = "http://www.cs.toronto.edu/~david/pyta/checkers/index.html"
20✔
66

67
# Flag to determine if we've previously patched pylint
68
PYLINT_PATCHED = False
20✔
69

70

71
def check_errors(
20✔
72
    module_name: Union[list[str], str] = "",
73
    config: Union[dict[str, Any], str] = "",
74
    output: Optional[str] = None,
75
    load_default_config: bool = True,
76
    autoformat: Optional[bool] = False,
77
) -> PythonTaReporter:
78
    """Check a module for errors, printing a report."""
79
    return _check(
×
80
        module_name=module_name,
81
        level="error",
82
        local_config=config,
83
        output=output,
84
        load_default_config=load_default_config,
85
        autoformat=autoformat,
86
    )
87

88

89
def check_all(
20✔
90
    module_name: Union[list[str], str] = "",
91
    config: Union[dict[str, Any], str] = "",
92
    output: Optional[str] = None,
93
    load_default_config: bool = True,
94
    autoformat: Optional[bool] = False,
95
) -> PythonTaReporter:
96
    """Analyse one or more Python modules for code issues and display the results.
97

98
    Args:
99
        module_name:
100
            If an empty string (default), the module where this function is called is checked.
101
            If a non-empty string, it is interpreted as a path to a single Python module or a
102
            directory containing Python modules. If the latter, all Python modules in the directory
103
            are checked.
104
            If a list of strings, each string is interpreted as a path to a module or directory,
105
            and all modules across all paths are checked.
106
        config:
107
            If a string, a path to a configuration file to use.
108
            If a dictionary, a map of configuration options (each key is the name of an option).
109
        output:
110
            If provided, the PythonTA report is written to this path. Otherwise, the report
111
            is written to standard out or automatically displayed in a web browser, depending
112
            on which reporter is used.
113
        load_default_config:
114
            If True (default), additional configuration passed with the ``config`` option is
115
            merged with the default PythonTA configuration file.
116
            If False, the default PythonTA configuration is not used.
117
        autoformat:
118
            If True, autoformat all modules using the black formatting tool before analyzing code.
119

120
    Returns:
121
        The ``PythonTaReporter`` object that generated the report.
122
    """
123
    return _check(
20✔
124
        module_name=module_name,
125
        level="all",
126
        local_config=config,
127
        output=output,
128
        load_default_config=load_default_config,
129
        autoformat=autoformat,
130
    )
131

132

133
def _setup_linter(
20✔
134
    local_config: Union[dict[str, Any], str],
135
    load_default_config: bool,
136
    output: Optional[str],
137
) -> tuple[PyLinter, BaseReporter | MultiReporter]:
138
    """Set up the linter and reporter for the check."""
139
    linter = reset_linter(config=local_config, load_default_config=load_default_config)
20✔
140
    current_reporter = linter.reporter
20✔
141
    current_reporter.set_output(output)
20✔
142
    messages_config_path = linter.config.messages_config_path
20✔
143
    messages_config_default_path = linter._option_dicts["messages-config-path"]["default"]
20✔
144
    use_pyta_error_messages = linter.config.use_pyta_error_messages
20✔
145
    messages_config = load_messages_config(
20✔
146
        messages_config_path, messages_config_default_path, use_pyta_error_messages
147
    )
148

149
    global PYLINT_PATCHED
150
    if not PYLINT_PATCHED:
20✔
151
        patch_all(
20✔
152
            messages_config, linter.config.z3
153
        )  # Monkeypatch pylint (override certain methods)
154
        PYLINT_PATCHED = True
20✔
155
    return linter, current_reporter
20✔
156

157

158
def _check_file(
20✔
159
    linter: PyLinter,
160
    file_py: AnyStr,
161
    local_config: Union[dict[str, Any], str],
162
    load_default_config: bool,
163
    autoformat: Optional[bool],
164
    is_any_file_checked: bool,
165
    current_reporter: BaseReporter | MultiReporter,
166
    level: str,
167
    f_paths: list,
168
) -> tuple[bool, BaseReporter | MultiReporter, PyLinter]:
169
    """Check the file that called this function."""
170
    logging.basicConfig(format="[%(levelname)s] %(message)s", level=logging.INFO)
20✔
171
    allowed_pylint = linter.config.allow_pylint_comments
20✔
172
    if not _verify_pre_check(file_py, allowed_pylint):
20✔
NEW
173
        return is_any_file_checked, current_reporter, linter
×
174
    # Load config file in user location. Construct new linter each
175
    # time, so config options don't bleed to unintended files.
176
    # Reuse the same reporter each time to accumulate the results across different files.
177
    linter = reset_linter(
20✔
178
        config=local_config,
179
        file_linted=file_py,
180
        load_default_config=load_default_config,
181
    )
182

183
    if autoformat:
20✔
184
        run_autoformat(file_py, linter.config.autoformat_options, linter.config.max_line_length)
20✔
185

186
    if not is_any_file_checked:
20✔
187
        prev_output = current_reporter.out
20✔
188
        current_reporter = linter.reporter
20✔
189
        current_reporter.out = prev_output
20✔
190

191
        # At this point, the only possible errors are those from parsing the config file
192
        # so print them, if there are any.
193
        if current_reporter.messages:
20✔
194
            current_reporter.print_messages()
20✔
195
    else:
196
        linter.set_reporter(current_reporter)
20✔
197

198
    # The current file was checked so update the flag
199
    is_any_file_checked = True
20✔
200

201
    module_name = os.path.splitext(os.path.basename(file_py))[0]
20✔
202
    if module_name in MANAGER.astroid_cache:  # Remove module from astroid cache
20✔
203
        del MANAGER.astroid_cache[module_name]
20✔
204
    linter.check([file_py])  # Lint !
20✔
205
    if linter.config.pyta_file_permission:
20✔
NEW
206
        f_paths.append(file_py)  # Appending paths for upload
×
207
    logging.debug(
20✔
208
        "File: {} was checked using the configuration file: {}".format(file_py, linter.config_file)
209
    )
210
    logging.debug(
20✔
211
        "File: {} was checked using the messages-config file: {}".format(
212
            file_py, linter.config.messages_config_path
213
        )
214
    )
215
    return is_any_file_checked, current_reporter, linter
20✔
216

217

218
def _upload_to_server(
20✔
219
    linter: PyLinter,
220
    current_reporter: BaseReporter | MultiReporter,
221
    f_paths: list,
222
    local_config: Union[dict[str, Any], str],
223
):
224
    config = {}  # Configuration settings for data submission
20✔
225
    errs = []  # Errors caught in files for data submission
20✔
226
    if linter.config.pyta_error_permission:
20✔
NEW
227
        errs = list(current_reporter.messages.values())
×
228
    if f_paths != [] or errs != []:  # Only call upload_to_server() if there's something to upload
20✔
229
        # Checks if default configuration was used without changing options through the local_config argument
NEW
230
        if linter.config_file[-19:-10] != "python_ta" or local_config != "":
×
NEW
231
            config = linter.config.__dict__
×
NEW
232
        upload_to_server(
×
233
            errors=errs,
234
            paths=f_paths,
235
            config=config,
236
            url=linter.config.pyta_server_address,
237
            version=__version__,
238
        )
239

240

241
def _check(
20✔
242
    module_name: Union[list[str], str] = "",
243
    level: str = "all",
244
    local_config: Union[dict[str, Any], str] = "",
245
    output: Optional[str] = None,
246
    load_default_config: bool = True,
247
    autoformat: Optional[bool] = False,
248
) -> PythonTaReporter:
249
    """Check a module for problems, printing a report.
250

251
    The `module_name` can take several inputs:
252
      - string of a directory, or file to check (`.py` extension optional).
253
      - list of strings of directories or files -- can have multiple.
254
      - no argument -- checks the python file containing the function call.
255
    `level` is used to specify which checks should be made.
256
    `local_config` is a dict of config options or string (config file name).
257
    `output` is an absolute or relative path to capture pyta data output. If None, stdout is used.
258
    `load_default_config` is used to specify whether to load the default .pylintrc file that comes
259
    with PythonTA. It will load it by default.
260
    `autoformat` is used to specify whether the black formatting tool is run. It is not run by default.
261
    """
262
    # Configuring logger
263
    logging.basicConfig(format="[%(levelname)s] %(message)s", level=logging.INFO)
20✔
264
    linter, current_reporter = _setup_linter(local_config, load_default_config, output)
20✔
265
    try:
20✔
266
        # Flag indicating whether at least one file has been checked
267
        is_any_file_checked = False
20✔
268
        linted_files = set()
20✔
269
        for locations in _get_valid_files_to_check(module_name):
20✔
270
            f_paths = []  # Paths to files for data submission
20✔
271
            for file_py in get_file_paths(locations):
20✔
272
                linted_files.add(file_py)
20✔
273
                is_any_file_checked, current_reporter, linter = _check_file(
20✔
274
                    linter,
275
                    file_py,
276
                    local_config,
277
                    load_default_config,
278
                    autoformat,
279
                    is_any_file_checked,
280
                    current_reporter,
281
                    level,
282
                    f_paths,
283
                )
284
                current_reporter.print_messages(level)
20✔
285
            _upload_to_server(linter, current_reporter, f_paths, local_config)
20✔
286
        # Only generate reports (display the webpage) if there were valid files to check
287
        if is_any_file_checked:
20✔
288
            linter.generate_reports()
20✔
289
            if linter.config.watch:
20✔
NEW
290
                watch_files(
×
291
                    linted_files,
292
                    level,
293
                    local_config,
294
                    load_default_config,
295
                    autoformat,
296
                    linter,
297
                    current_reporter,
298
                )
299
        return current_reporter
20✔
300
    except Exception as e:
20✔
301
        logging.error(
20✔
302
            "Unexpected error encountered! Please report this to your instructor (and attach the code that caused the error)."
303
        )
304
        logging.error('Error message: "{}"'.format(e))
20✔
305
        raise e
20✔
306

307

308
def reset_linter(
20✔
309
    config: Optional[Union[dict, str]] = None,
310
    file_linted: Optional[AnyStr] = None,
311
    load_default_config: bool = True,
312
) -> PyLinter:
313
    """Construct a new linter. Register config and checker plugins.
314

315
    To determine which configuration to use:
316
    - If the option is enabled, load the default PythonTA config file,
317
    - If the config argument is a string, use the config found at that location,
318
    - Otherwise,
319
        - Try to use the config file at directory of the file being linted,
320
        - If the config argument is a dictionary, apply those options afterward.
321
    Do not re-use a linter object. Returns a new linter.
322
    """
323

324
    # Tuple of custom options. Note: 'type' must map to a value equal a key in the pylint/config/option.py `VALIDATORS` dict.
325
    new_checker_options = (
20✔
326
        (
327
            "server-port",
328
            {
329
                "default": 0,
330
                "type": "int",
331
                "metavar": "<port>",
332
                "help": "Port number for the HTML report server",
333
            },
334
        ),
335
        (
336
            "watch",
337
            {
338
                "default": False,
339
                "type": "yn",
340
                "metavar": "<yn>",
341
                "help": "Run the HTML report server in persistent mode",
342
            },
343
        ),
344
        (
345
            "pyta-number-of-messages",
346
            {
347
                "default": 0,  # If the value is 0, all messages are displayed.
348
                "type": "int",
349
                "metavar": "<number_messages>",
350
                "help": "The maximum number of occurrences of each check to report.",
351
            },
352
        ),
353
        (
354
            "pyta-template-file",
355
            {
356
                "default": "",
357
                "type": "string",
358
                "metavar": "<pyta_reporter>",
359
                "help": "HTML template file for the HTMLReporter.",
360
            },
361
        ),
362
        (
363
            "pyta-error-permission",
364
            {
365
                "default": False,
366
                "type": "yn",
367
                "metavar": "<yn>",
368
                "help": "Permission to anonymously submit errors",
369
            },
370
        ),
371
        (
372
            "pyta-file-permission",
373
            {
374
                "default": False,
375
                "type": "yn",
376
                "metavar": "<yn>",
377
                "help": "Permission to anonymously submit files and errors",
378
            },
379
        ),
380
        (
381
            "pyta-server-address",
382
            {
383
                "default": "http://127.0.0.1:5000",
384
                "type": "string",
385
                "metavar": "<server-url>",
386
                "help": "Server address to submit anonymous data",
387
            },
388
        ),
389
        (
390
            "messages-config-path",
391
            {
392
                "default": os.path.join(
393
                    os.path.dirname(__file__), "config", "messages_config.toml"
394
                ),
395
                "type": "string",
396
                "metavar": "<messages_config>",
397
                "help": "Path to patch config toml file.",
398
            },
399
        ),
400
        (
401
            "allow-pylint-comments",
402
            {
403
                "default": False,
404
                "type": "yn",
405
                "metavar": "<yn>",
406
                "help": "Allows or disallows 'pylint:' comments",
407
            },
408
        ),
409
        (
410
            "use-pyta-error-messages",
411
            {
412
                "default": True,
413
                "type": "yn",
414
                "metavar": "<yn>",
415
                "help": "Overwrite the default pylint error messages with PythonTA's messages",
416
            },
417
        ),
418
        (
419
            "autoformat-options",
420
            {
421
                "default": ["skip-string-normalization"],
422
                "type": "csv",
423
                "metavar": "<autoformatter options>",
424
                "help": "List of command-line arguments for black",
425
            },
426
        ),
427
    )
428

429
    parent_dir_path = os.path.dirname(__file__)
20✔
430
    custom_checkers = [
20✔
431
        ("python_ta.checkers." + os.path.splitext(f)[0])
432
        for f in listdir(parent_dir_path + "/checkers")
433
        if f != "__init__.py" and os.path.splitext(f)[1] == ".py"
434
    ]
435

436
    # Register new options to a checker here to allow references to
437
    # options in `.pylintrc` config file.
438
    # Options stored in linter: `linter._all_options`, `linter._external_opts`
439
    linter = pylint.lint.PyLinter(options=new_checker_options)
20✔
440
    linter.load_default_plugins()  # Load checkers, reporters
20✔
441
    linter.load_plugin_modules(custom_checkers)
20✔
442
    linter.load_plugin_modules(["python_ta.transforms.setendings"])
20✔
443

444
    default_config_path = find_local_config(os.path.dirname(__file__))
20✔
445
    set_config = load_config
20✔
446

447
    if load_default_config:
20✔
448
        load_config(linter, default_config_path)
20✔
449
        # If we do specify to load the default config, we just need to override the options later.
450
        set_config = override_config
20✔
451

452
    if isinstance(config, str) and config != "":
20✔
453
        set_config(linter, config)
20✔
454
    else:
455
        # If available, use config file at directory of the file being linted.
456
        pylintrc_location = None
20✔
457
        if file_linted:
20✔
458
            pylintrc_location = find_local_config(file_linted)
20✔
459

460
        # Load or override the options if there is a config file in the current directory.
461
        if pylintrc_location:
20✔
462
            set_config(linter, pylintrc_location)
×
463

464
        # Override part of the default config, with a dict of config options.
465
        # Note: these configs are overridden by config file in user's codebase
466
        # location.
467
        if isinstance(config, dict):
20✔
468
            for key in config:
20✔
469
                linter.set_option(key, config[key])
20✔
470

471
    return linter
20✔
472

473

474
def get_file_paths(rel_path: AnyStr) -> Generator[AnyStr, None, None]:
20✔
475
    """A generator for iterating python files within a directory.
476
    `rel_path` is a relative path to a file or directory.
477
    Returns paths to all files in a directory.
478
    """
479
    if not os.path.isdir(rel_path):
20✔
480
        yield rel_path  # Don't do anything; return the file name.
20✔
481
    else:
482
        for root, _, files in os.walk(rel_path):
20✔
483
            for filename in (f for f in files if f.endswith(".py")):
20✔
484
                yield os.path.join(root, filename)  # Format path, from root.
20✔
485

486

487
def _verify_pre_check(filepath: AnyStr, allow_pylint_comments: bool) -> bool:
20✔
488
    """Check student code for certain issues.
489
    The additional allow_pylint_comments parameter indicates whether we want the user to be able to add comments
490
    beginning with pylint which can be used to locally disable checks.
491
    """
492
    # Make sure the program doesn't crash for students.
493
    # Could use some improvement for better logging and error reporting.
494
    try:
20✔
495
        # Check for inline "pylint:" comment, which may indicate a student
496
        # trying to disable a check.
497
        if allow_pylint_comments:
20✔
498
            return True
20✔
499
        with tokenize.open(os.path.expanduser(filepath)) as f:
20✔
500
            for tok_type, content, _, _, _ in tokenize.generate_tokens(f.readline):
20✔
501
                if tok_type != tokenize.COMMENT:
20✔
502
                    continue
20✔
503
                match = OPTION_PO.search(content)
20✔
504
                if match is not None:
20✔
505
                    logging.error(
20✔
506
                        'String "pylint:" found in comment. '
507
                        + "No check run on file `{}.`\n".format(filepath)
508
                    )
509
                    return False
20✔
510
    except IndentationError as e:
20✔
511
        logging.error(
20✔
512
            "python_ta could not check your code due to an "
513
            + "indentation error at line {}.".format(e.lineno)
514
        )
515
        return False
20✔
516
    except tokenize.TokenError as e:
20✔
517
        logging.error(
20✔
518
            "python_ta could not check your code due to a " + "syntax error in your file."
519
        )
520
        return False
20✔
521
    except UnicodeDecodeError:
20✔
522
        logging.error(
20✔
523
            "python_ta could not check your code due to an "
524
            + "invalid character. Please check the following lines "
525
            "in your file and all characters that are marked with a �."
526
        )
527
        with open(os.path.expanduser(filepath), encoding="utf-8", errors="replace") as f:
20✔
528
            for i, line in enumerate(f):
20✔
529
                if "�" in line:
20✔
530
                    logging.error(f"  Line {i + 1}: {line}")
20✔
531
        return False
20✔
532
    return True
20✔
533

534

535
def _get_valid_files_to_check(module_name: Union[list[str], str]) -> Generator[AnyStr, None, None]:
20✔
536
    """A generator for all valid files to check."""
537
    # Allow call to check with empty args
538
    if module_name == "":
20✔
539
        m = sys.modules["__main__"]
10✔
540
        spec = importlib.util.spec_from_file_location(m.__name__, m.__file__)
10✔
541
        module_name = [spec.origin]
10✔
542
    # Enforce API to expect 1 file or directory if type is list
543
    elif isinstance(module_name, str):
20✔
544
        module_name = [module_name]
20✔
545
    # Otherwise, enforce API to expect `module_name` type as list
546
    elif not isinstance(module_name, list):
20✔
547
        logging.error(
20✔
548
            "No checks run. Input to check, `{}`, has invalid type, must be a list of strings.".format(
549
                module_name
550
            )
551
        )
552
        return
20✔
553

554
    # Filter valid files to check
555
    for item in module_name:
20✔
556
        if not isinstance(item, str):  # Issue errors for invalid types
20✔
557
            logging.error(
20✔
558
                "No check run on file `{}`, with invalid type. Must be type: str.\n".format(item)
559
            )
560
        elif os.path.isdir(item):
20✔
561
            yield item
20✔
562
        elif not os.path.exists(os.path.expanduser(item)):
20✔
563
            try:
20✔
564
                # For files with dot notation, e.g., `examples.<filename>`
565
                filepath = modutils.file_from_modpath(item.split("."))
20✔
566
                if os.path.exists(filepath):
×
567
                    yield filepath
×
568
                else:
569
                    logging.error("Could not find the file called, `{}`\n".format(item))
×
570
            except ImportError:
20✔
571
                logging.error("Could not find the file called, `{}`\n".format(item))
20✔
572
        else:
573
            yield item  # Check other valid files.
20✔
574

575

576
def doc(msg_id: str) -> None:
20✔
577
    """Open the PythonTA documentation page for the given error message id.
578

579
    Args:
580
        msg_id: The five-character error code, e.g. ``"E0401"``.
581
    """
582
    msg_url = HELP_URL + "#" + msg_id.lower()
20✔
583
    print("Opening {} in a browser.".format(msg_url))
20✔
584
    webbrowser.open(msg_url)
20✔
585

586

587
def watch_files(
20✔
588
    file_paths: set,
589
    level: str,
590
    local_config: Union[dict[str, Any], str],
591
    load_default_config: bool,
592
    autoformat: Optional[bool],
593
    linter: PyLinter,
594
    current_reporter: BaseReporter | MultiReporter,
595
):
596
    """Watch a list of files for modifications and trigger a callback when changes occur."""
597

NEW
598
    class FileChangeHandler(FileSystemEventHandler):
×
599
        """Internal class to handle file modifications."""
600

NEW
601
        def __init__(self, files_to_watch):
×
NEW
602
            self.files_to_watch = set(files_to_watch)
×
NEW
603
            self.linter = linter
×
NEW
604
            self.current_reporter = current_reporter
×
605

NEW
606
        def on_modified(self, event):
×
607
            """Trigger the callback when a watched file is modified."""
NEW
608
            if event.src_path in self.files_to_watch:
×
NEW
609
                print(f"File modified: {event.src_path}, re-running checks...")
×
610

NEW
611
                if event.src_path in self.current_reporter.messages:
×
NEW
612
                    del self.current_reporter.messages[event.src_path]
×
613

NEW
614
                _, self.current_reporter, self.linter = _check_file(
×
615
                    self.linter,
616
                    event.src_path,
617
                    local_config,
618
                    load_default_config,
619
                    autoformat,
620
                    True,
621
                    self.current_reporter,
622
                    level,
623
                    [],
624
                )
625

NEW
626
                self.current_reporter.print_messages(level)
×
NEW
627
                self.linter.generate_reports()
×
628

NEW
629
    directories_to_watch = {os.path.dirname(file) for file in file_paths}
×
NEW
630
    event_handler = FileChangeHandler(file_paths)
×
NEW
631
    observer = Observer()
×
NEW
632
    for directory in directories_to_watch:
×
NEW
633
        observer.schedule(event_handler, path=directory, recursive=False)
×
NEW
634
    observer.start()
×
635

NEW
636
    try:
×
637
        while True:
NEW
638
            time.sleep(1)
×
NEW
639
    except KeyboardInterrupt:
×
NEW
640
        observer.stop()
×
641

NEW
642
    observer.join()
×
STATUS · Troubleshooting · Open an Issue · Sales · Support · CAREERS · ENTERPRISE · START FREE · SCHEDULE DEMO
ANNOUNCEMENTS · TWITTER · TOS & SLA · Supported CI Services · What's a CI service? · Automated Testing

© 2026 Coveralls, Inc