Skip to content

Commit d7afe37

Browse files
author
deathaxe
authored
Refactor command structure (#253)
This commit mainly intents to provide a single `unit_testing` command, which adapts its behavior based on passed arguments. - `"package"` learned to resolve `$package_name` to active view's package. - `"pattern"` learned to resolve `$file_name` to active view's filename. As a result the following obsolete commands are replaced: - unit_testing_current_package => unit_testing(package="$package_name", coverage=False) - unit_testing_current_package_coverage => unit_testing(package="$package_name", coverage=True) - unit_testing_current_file => unit_testing(package="$package_name", pattern="$file_name", coverage=False) - unit_testing_current_file_coverage => unit_testing(package="$package_name", pattern="$file_name", coverage=True) The new command integrates better with ST build systems, which rely on variables such as `$file_name`. ```json { "target": "unit_testing", "package": "$package_name", "pattern": "$file_name", "coverage": False // all known settings from unittesting.json are valid within build systems. } ``` It also significantly reduces required commands to forward tests to python 3.3 and does so as early as possible, reducing redundant function and API calls. A `BaseUnittestingCommand` window command handles shared functionality across unit tests, syntax tests and color scheme tests. A WindowCommand is chosen, to replace `sublime.active_window()` API calls across methods by `self.window`, to prevent unwanted side effects as unit tests may create and focus new windows at any time. The `JsonFile` is replaced by more use-case specific implementations as it is only used to load unittesting.json or schedule.json, which both have some unique requirements. Main functionality or test run implementation is however unchanged.
1 parent 217fab5 commit d7afe37

20 files changed

+614
-773
lines changed

Default.sublime-commands

+34-24
Original file line numberDiff line numberDiff line change
@@ -1,26 +1,36 @@
11
[
2-
{
3-
"caption": "UnitTesting",
4-
"command": "unit_testing"
5-
},
6-
{
7-
"caption": "UnitTesting: Test Current Package",
8-
"command": "unit_testing_current_package"
9-
},
10-
{
11-
"caption": "UnitTesting: Test Current Package with Coverage",
12-
"command": "unit_testing_current_package_coverage"
13-
},
14-
{
15-
"caption": "UnitTesting: Test Current File",
16-
"command": "unit_testing_current_file"
17-
},
18-
{
19-
"caption": "UnitTesting: Test Current File with Coverage",
20-
"command": "unit_testing_current_file_coverage"
21-
},
22-
{
23-
"caption": "UnitTesting: Show Output Panel",
24-
"command": "show_panel", "args": { "panel": "output.UnitTesting" }
25-
}
2+
{
3+
"caption": "UnitTesting: Test Package",
4+
"command": "unit_testing",
5+
"args": {"coverage": false}
6+
},
7+
{
8+
"caption": "UnitTesting: Test Package with Coverage",
9+
"command": "unit_testing",
10+
"args": {"coverage": true}
11+
},
12+
{
13+
"caption": "UnitTesting: Test Current Package",
14+
"command": "unit_testing",
15+
"args": {"package": "$package_name", "coverage": false}
16+
},
17+
{
18+
"caption": "UnitTesting: Test Current Package with Coverage",
19+
"command": "unit_testing",
20+
"args": {"package": "$package_name", "coverage": true}
21+
},
22+
{
23+
"caption": "UnitTesting: Test Current File",
24+
"command": "unit_testing",
25+
"args": {"package": "$package_name", "pattern": "$file_name", "coverage": false}
26+
},
27+
{
28+
"caption": "UnitTesting: Test Current File with Coverage",
29+
"command": "unit_testing",
30+
"args": {"package": "$package_name", "pattern": "$file_name", "coverage": true}
31+
},
32+
{
33+
"caption": "UnitTesting: Show Output Panel",
34+
"command": "show_panel", "args": {"panel": "output.UnitTesting"}
35+
}
2636
]

README.md

+42-19
Original file line numberDiff line numberDiff line change
@@ -135,23 +135,28 @@ An example would be found in [here](https://github.com/randy3k/UnitTesting-examp
135135

136136
UnitTesting could be configured by providing the following settings in `unittesting.json`
137137

138-
| name | description | default value |
139-
| ---- | --- | ---- |
140-
| tests_dir | the name of the directory containing the tests | "tests" |
141-
| pattern | the pattern to discover tests | "test*.py" |
142-
| deferred | whether to use deferred test runner | true |
143-
| verbosity | verbosity level | 2 |
144-
| output | name of the test output instead of showing <br> in the panel | nil |
145-
| show_reload_progress | self explained | true |
146-
| reload_package_on_testing | reloading package will increase coverage rate | true |
147-
| start_coverage_after_reload | self explained, irrelevent if `reload_package_on_testing` is false | false |
148-
| coverage_on_worker_thread | (experimental) | false |
149-
| generate_html_report | generate coverage report for coverage | false |
150-
| capture_console | capture stdout and stderr in the test output | false |
151-
| failfast | stop early if a test fails | false |
152-
| condition_timeout | default timeout in ms for callables invoked via `yield` | 4000 |
153-
154-
## Others
138+
| name | description | default value |
139+
| --------------------------- | --------------------------------------------------------------------------------- | ------------- |
140+
| tests_dir | the name of the directory containing the tests | "tests" |
141+
| pattern | the pattern to discover tests | "test*.py" |
142+
| deferred | whether to use deferred test runner | true |
143+
| condition_timeout | default timeout in ms for callables invoked via `yield` | 4000 |
144+
| failfast | stop early if a test fails | false |
145+
| output | name of the test output instead of showing <br> in the panel | null |
146+
| verbosity | verbosity level | 2 |
147+
| capture_console | capture stdout and stderr in the test output | false |
148+
| reload_package_on_testing | reloading package will increase coverage rate | true |
149+
| show_reload_progress | print a detailed list of reloaded modules to console | false |
150+
| coverage | track test case coverage | false |
151+
| coverage_on_worker_thread | (experimental) | false |
152+
| start_coverage_after_reload | self explained, irrelevent if `coverage` or `reload_package_on_testing` are false | false |
153+
| generate_html_report | generate HTML report for coverage | false |
154+
| generate_xml_report | generate XML report for coverage | false |
155+
156+
## Build System
157+
158+
The `unit_testing` command can be used as build system `"target"`.
159+
All available options can be put into a build system and will be used to override entries from unittesting.json.
155160

156161
### Add `Test Current Package` build
157162

@@ -162,12 +167,30 @@ It is recommended to add the following in your `.sublime-project` file so that <
162167
[
163168
{
164169
"name": "Test Current Package",
165-
"target": "unit_testing_current_package",
170+
"target": "unit_testing",
171+
"package": "$package_name",
166172
}
167173
]
168174
```
169175

170-
### Credits
176+
### Add `Test Current File` build
177+
178+
It is recommended to add the following in your `.sublime-project` file so that <kbd>c</kbd>+<kbd>b</kbd> would invoke the testing action.
179+
180+
```json
181+
"build_systems":
182+
[
183+
{
184+
"name": "Test Current File",
185+
"target": "unit_testing",
186+
"package": "$package_name",
187+
"pattern": "$file_name",
188+
}
189+
]
190+
```
191+
192+
## Credits
193+
171194
Thanks [guillermooo](https://github.com/guillermooo) and [philippotto](https://github.com/philippotto) for their early efforts in AppVeyor and Travis CI macOS support (though these services are not supported now).
172195

173196

plugin.py

+3-36
Original file line numberDiff line numberDiff line change
@@ -16,23 +16,13 @@
1616
prefix = None
1717

1818
from .unittesting.color_scheme import UnitTestingColorSchemeCommand
19-
from .unittesting.coverage import UnitTestingCoverageCommand
20-
from .unittesting.current import UnitTestingCurrentFileCommand
21-
from .unittesting.current import UnitTestingCurrentFileCoverageCommand
22-
from .unittesting.current import UnitTestingCurrentPackageCommand
23-
from .unittesting.current import UnitTestingCurrentPackageCoverageCommand
24-
from .unittesting.package import UnitTestingCommand
2519
from .unittesting.syntax import UnitTestingSyntaxCommand
2620
from .unittesting.syntax import UnitTestingSyntaxCompatibilityCommand
21+
from .unittesting.unit import UnitTestingCommand
2722

2823

2924
__all__ = [
3025
"UnitTestingCommand",
31-
"UnitTestingCoverageCommand",
32-
"UnitTestingCurrentFileCommand",
33-
"UnitTestingCurrentFileCoverageCommand",
34-
"UnitTestingCurrentPackageCommand",
35-
"UnitTestingCurrentPackageCoverageCommand",
3626
"UnitTestingSyntaxCommand",
3727
"UnitTestingSyntaxCompatibilityCommand",
3828
"UnitTestingColorSchemeCommand",
@@ -44,34 +34,11 @@
4434
sys.modules["unittesting"] = sys.modules["UnitTesting"].unittesting
4535

4636
UT33_CODE = """
47-
from UnitTesting import plugin as ut38 # noqa
37+
from UnitTesting import plugin as ut38
4838
4939
5040
class UnitTesting33Command(ut38.UnitTestingCommand):
51-
pass
52-
53-
54-
class UnitTesting33CoverageCommand(ut38.UnitTestingCoverageCommand):
55-
pass
56-
57-
58-
class UnitTesting33CurrentPackageCommand(ut38.UnitTestingCurrentPackageCommand):
59-
pass
60-
61-
62-
class UnitTesting33CurrentPackageCoverageCommand(ut38.UnitTestingCurrentPackageCoverageCommand):
63-
pass
64-
65-
66-
class UnitTesting33CurrentFileCommand(ut38.UnitTestingCurrentFileCommand):
67-
pass
68-
69-
70-
class UnitTesting33CurrentFileCoverageCommand(ut38.UnitTestingCurrentFileCoverageCommand):
71-
pass
72-
73-
74-
class UnitTesting33ColorSchemeCommand(ut38.UnitTestingColorSchemeCommand):
41+
\"\"\"Execute unit tests for python 3.3 plugins.\"\"\"
7542
pass
7643
"""
7744

sublime-package.json

+11-1
Original file line numberDiff line numberDiff line change
@@ -44,6 +44,11 @@
4444
"default": true,
4545
"markdownDescription": "Reloading package will increase coverage rate.",
4646
},
47+
"coverage": {
48+
"type": "boolean",
49+
"default": false,
50+
"markdownDescription": "Create coverage report.",
51+
},
4752
"start_coverage_after_reload": {
4853
"type": "boolean",
4954
"default": false,
@@ -57,7 +62,12 @@
5762
"generate_html_report": {
5863
"type": "boolean",
5964
"default": false,
60-
"markdownDescription": "Generate coverage report for coverage.",
65+
"markdownDescription": "Generate html report for coverage.",
66+
},
67+
"generate_xml_report": {
68+
"type": "boolean",
69+
"default": false,
70+
"markdownDescription": "Generate xml report for coverage.",
6171
},
6272
"capture_console": {
6373
"type": "boolean",

tests/test_3141596.py

+12-9
Original file line numberDiff line numberDiff line change
@@ -61,13 +61,13 @@ def real_wrapper(self):
6161
kwargs["output"] = outfile
6262

6363
if syntax_test:
64-
sublime.run_command("unit_testing_syntax", kwargs)
64+
sublime.active_window().run_command("unit_testing_syntax", kwargs)
6565
elif syntax_compatibility:
66-
sublime.run_command("unit_testing_syntax_compatibility", kwargs)
66+
sublime.active_window().run_command("unit_testing_syntax_compatibility", kwargs)
6767
elif color_scheme_test:
68-
sublime.run_command("unit_testing_color_scheme", kwargs)
68+
sublime.active_window().run_command("unit_testing_color_scheme", kwargs)
6969
else:
70-
sublime.run_command("unit_testing", kwargs)
70+
sublime.active_window().run_command("unit_testing", kwargs)
7171

7272
def condition():
7373
try:
@@ -77,7 +77,7 @@ def condition():
7777
except FileNotFoundError:
7878
return False
7979

80-
yield {"condition": condition, "period": 200, "timeout": wait_timeout}
80+
yield {"condition": condition, "timeout": wait_timeout}
8181

8282
with open(result_file, 'r') as f:
8383
txt = f.read()
@@ -96,14 +96,17 @@ def condition():
9696
class UnitTestingTestCase(DeferrableTestCase):
9797
fixtures = ()
9898

99-
def setUp(self):
100-
for fixture in self.fixtures:
99+
@classmethod
100+
def setUpClass(cls):
101+
for fixture in cls.fixtures:
101102
setup_package(fixture)
102103
yield 500
103104

104-
def tearDown(self):
105-
for fixture in self.fixtures:
105+
@classmethod
106+
def tearDownClass(cls):
107+
for fixture in cls.fixtures:
106108
cleanup_package(fixture)
109+
yield
107110

108111
def assertRegexContains(self, txt, expr, msg=None):
109112
if re.search(expr, txt, re.MULTILINE) is None:

unittesting.json

+1-2
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,5 @@
11
// do not copy
22
{
33
"coverage_on_worker_thread": true,
4-
"reload_package_on_testing": false,
5-
"show_reload_progress": false,
4+
"reload_package_on_testing": false
65
}

unittesting/base.py

+109
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,109 @@
1+
import os
2+
import re
3+
import sublime
4+
import sublime_plugin
5+
6+
from collections import ChainMap
7+
from fnmatch import fnmatch
8+
from glob import glob
9+
10+
from .utils import OutputPanel
11+
12+
DEFAULT_SETTINGS = {
13+
# input
14+
"tests_dir": "tests",
15+
"pattern": "test*.py",
16+
# runner
17+
"async": False, # deprecated
18+
"deferred": True,
19+
"condition_timeout": 4000,
20+
"failfast": False,
21+
# output
22+
"output": None,
23+
"verbosity": 2,
24+
"capture_console": False,
25+
# reloader
26+
"reload_package_on_testing": True,
27+
"show_reload_progress": False,
28+
# coverage
29+
"coverage": False,
30+
"start_coverage_after_reload": False,
31+
"coverage_on_worker_thread": False, # experimental
32+
"generate_html_report": False,
33+
"generate_xml_report": False,
34+
}
35+
36+
DONE_MESSAGE = "UnitTesting: Done.\n"
37+
38+
39+
def casedpath(path):
40+
# path on Windows may not be properly cased
41+
r = glob(re.sub(r"([^:/\\])(?=[/\\]|$)", r"[\1]", path))
42+
return r and r[0] or path
43+
44+
45+
def relative_to_spp(path):
46+
spp = sublime.packages_path()
47+
spp_real = casedpath(os.path.realpath(spp))
48+
for p in [path, casedpath(os.path.realpath(path))]:
49+
for sp in [spp, spp_real]:
50+
if p.startswith(sp + os.sep):
51+
return p[len(sp) :]
52+
return None
53+
54+
55+
class BaseUnittestingCommand(sublime_plugin.WindowCommand):
56+
def current_package_name(self):
57+
view = self.window.active_view()
58+
if view and view.file_name():
59+
file_path = relative_to_spp(view.file_name())
60+
if file_path and file_path.endswith(".py"):
61+
return file_path.split(os.sep)[1]
62+
63+
folders = self.window.folders()
64+
if folders and len(folders) > 0:
65+
first_folder = relative_to_spp(folders[0])
66+
if first_folder:
67+
return os.path.basename(first_folder)
68+
69+
return None
70+
71+
def current_test_file(self, pattern):
72+
view = self.window.active_view()
73+
if view:
74+
current_file = os.path.basename(view.file_name() or "")
75+
if current_file and fnmatch(current_file, pattern):
76+
self.window.settings().set("UnitTesting.last_test_file", current_file)
77+
return current_file
78+
79+
return self.window.settings().get("UnitTesting.last_test_file")
80+
81+
def load_stream(self, package, settings):
82+
output = settings["output"]
83+
if not output or output == "<panel>":
84+
output_panel = OutputPanel(
85+
self.window, "exec", file_regex=r'File "([^"]*)", line (\d+)'
86+
)
87+
output_panel.show()
88+
return output_panel
89+
90+
if not os.path.isabs(output):
91+
output = os.path.join(sublime.packages_path(), package, output)
92+
os.makedirs(os.path.dirname(output), exist_ok=True)
93+
return open(output, "w", encoding="utf-8")
94+
95+
def load_unittesting_settings(self, package, options):
96+
file_name = os.path.join(sublime.packages_path(), package, "unittesting.json")
97+
98+
try:
99+
with open(file_name, "r", encoding="utf-8") as fp:
100+
json_data = sublime.decode_value(fp.read())
101+
if not isinstance(json_data, dict):
102+
raise ValueError("unittesting.json content must be an object!")
103+
except FileNotFoundError:
104+
json_data = {}
105+
except Exception as e:
106+
json_data = {}
107+
print("ERROR: Unable to load 'unittesting.json'\n ", str(e))
108+
109+
return ChainMap(options, json_data, DEFAULT_SETTINGS)

0 commit comments

Comments
 (0)