Python unittest.SkipTest() Examples
The following are 30
code examples of unittest.SkipTest().
You can vote up the ones you like or vote down the ones you don't like,
and go to the original project or source file by following the links above each example.
You may also want to check out all available functions/classes of the module
unittest
, or try the search function
.
Example #1
Source File: test_fetcher.py From pyspider with Apache License 2.0 | 7 votes |
def test_70_phantomjs_url(self): if not self.phantomjs: raise unittest.SkipTest('no phantomjs') request = copy.deepcopy(self.sample_task_http) request['url'] = self.httpbin + '/get' request['fetch']['fetch_type'] = 'phantomjs' result = self.fetcher.sync_fetch(request) response = rebuild_response(result) self.assertEqual(response.status_code, 200, result) self.assertEqual(response.orig_url, request['url']) self.assertEqual(response.save, request['fetch']['save']) data = json.loads(response.doc('pre').text()) self.assertEqual(data['headers'].get('A'), 'b', response.content) self.assertIn('c=d', data['headers'].get('Cookie'), response.content) self.assertIn('a=b', data['headers'].get('Cookie'), response.content)
Example #2
Source File: support.py From ironpython2 with Apache License 2.0 | 6 votes |
def copy_xxmodule_c(directory): """Helper for tests that need the xxmodule.c source file. Example use: def test_compile(self): copy_xxmodule_c(self.tmpdir) self.assertIn('xxmodule.c', os.listdir(self.tmpdir)) If the source file can be found, it will be copied to *directory*. If not, the test will be skipped. Errors during copy are not caught. """ filename = _get_xxmodule_path() if filename is None: raise unittest.SkipTest('cannot find xxmodule.c (test must run in ' 'the python build dir)') shutil.copy(filename, directory)
Example #3
Source File: test_gdb.py From ironpython2 with Apache License 2.0 | 6 votes |
def get_gdb_version(): try: proc = subprocess.Popen(["gdb", "-nx", "--version"], stdout=subprocess.PIPE, stderr=subprocess.PIPE, universal_newlines=True) version = proc.communicate()[0] except OSError: # This is what "no gdb" looks like. There may, however, be other # errors that manifest this way too. raise unittest.SkipTest("Couldn't find gdb on the path") # Regex to parse: # 'GNU gdb (GDB; SUSE Linux Enterprise 12) 7.7\n' -> 7.7 # 'GNU gdb (GDB) Fedora 7.9.1-17.fc22\n' -> 7.9 # 'GNU gdb 6.1.1 [FreeBSD]\n' -> 6.1 # 'GNU gdb (GDB) Fedora (7.5.1-37.fc18)\n' -> 7.5 match = re.search(r"^GNU gdb.*?\b(\d+)\.(\d+)", version) if match is None: raise Exception("unable to parse GDB version: %r" % version) return (version, int(match.group(1)), int(match.group(2)))
Example #4
Source File: test_testing.py From calmjs with GNU General Public License v2.0 | 6 votes |
def test_setup_class_install_environment_predefined_no_dir(self): from calmjs.cli import PackageManagerDriver from calmjs import cli utils.stub_os_environ(self) utils.stub_mod_call(self, cli) cwd = mkdtemp(self) # we have the mock_tempfile context... self.assertEqual(self.mock_tempfile.count, 1) os.chdir(cwd) # a very common use case os.environ['CALMJS_TEST_ENV'] = '.' TestCase = type('TestCase', (unittest.TestCase,), {}) # the directory not there. with self.assertRaises(unittest.SkipTest): utils.setup_class_install_environment( TestCase, PackageManagerDriver, []) # temporary directory should not be created as the skip will # also stop the teardown from running self.assertEqual(self.mock_tempfile.count, 1) # this is still set, but irrelevant. self.assertEqual(TestCase._env_root, cwd) # tmpdir not set. self.assertFalse(hasattr(TestCase, '_cls_tmpdir'))
Example #5
Source File: test_setups.py From jawfish with MIT License | 6 votes |
def test_skiptest_in_setupclass(self): class Test(unittest.TestCase): @classmethod def setUpClass(cls): raise unittest.SkipTest('foo') def test_one(self): pass def test_two(self): pass result = self.runTests(Test) self.assertEqual(result.testsRun, 0) self.assertEqual(len(result.errors), 0) self.assertEqual(len(result.skipped), 1) skipped = result.skipped[0][0] self.assertEqual(str(skipped), 'setUpClass (%s.Test)' % __name__)
Example #6
Source File: test_setups.py From jawfish with MIT License | 6 votes |
def test_skiptest_in_setupmodule(self): class Test(unittest.TestCase): def test_one(self): pass def test_two(self): pass class Module(object): @staticmethod def setUpModule(): raise unittest.SkipTest('foo') Test.__module__ = 'Module' sys.modules['Module'] = Module result = self.runTests(Test) self.assertEqual(result.testsRun, 0) self.assertEqual(len(result.errors), 0) self.assertEqual(len(result.skipped), 1) skipped = result.skipped[0][0] self.assertEqual(str(skipped), 'setUpModule (Module)')
Example #7
Source File: __init__.py From ironpython2 with Apache License 2.0 | 6 votes |
def get_tests(package, mask, verbosity, exclude=()): """Return a list of skipped test modules, and a list of test cases.""" tests = [] skipped = [] for modname in find_package_modules(package, mask): if modname.split(".")[-1] in exclude: skipped.append(modname) if verbosity > 1: print >> sys.stderr, "Skipped %s: excluded" % modname continue try: mod = __import__(modname, globals(), locals(), ['*']) except (ResourceDenied, unittest.SkipTest) as detail: skipped.append(modname) if verbosity > 1: print >> sys.stderr, "Skipped %s: %s" % (modname, detail) continue for name in dir(mod): if name.startswith("_"): continue o = getattr(mod, name) if type(o) is type(unittest.TestCase) and issubclass(o, unittest.TestCase): tests.append(o) return skipped, tests
Example #8
Source File: test_setups.py From ironpython2 with Apache License 2.0 | 6 votes |
def test_skiptest_in_setupmodule(self): class Test(unittest.TestCase): def test_one(self): pass def test_two(self): pass class Module(object): @staticmethod def setUpModule(): raise unittest.SkipTest('foo') Test.__module__ = 'Module' sys.modules['Module'] = Module result = self.runTests(Test) self.assertEqual(result.testsRun, 0) self.assertEqual(len(result.errors), 0) self.assertEqual(len(result.skipped), 1) skipped = result.skipped[0][0] self.assertEqual(str(skipped), 'setUpModule (Module)')
Example #9
Source File: support.py From jawfish with MIT License | 6 votes |
def requires(resource, msg=None): """Raise ResourceDenied if the specified resource is not available. If the caller's module is __main__ then automatically return True. The possibility of False being returned occurs when regrtest.py is executing. """ if resource == 'gui' and not _is_gui_available(): raise unittest.SkipTest("Cannot use the 'gui' resource") # see if the caller's module is __main__ - if so, treat as if # the resource was set if sys._getframe(1).f_globals.get("__name__") == "__main__": return if not is_resource_enabled(resource): if msg is None: msg = "Use of the %r resource not enabled" % resource raise ResourceDenied(msg)
Example #10
Source File: test_setups.py From ironpython2 with Apache License 2.0 | 6 votes |
def test_skiptest_in_setupclass(self): class Test(unittest.TestCase): @classmethod def setUpClass(cls): raise unittest.SkipTest('foo') def test_one(self): pass def test_two(self): pass result = self.runTests(Test) self.assertEqual(result.testsRun, 0) self.assertEqual(len(result.errors), 0) self.assertEqual(len(result.skipped), 1) skipped = result.skipped[0][0] self.assertEqual(str(skipped), 'setUpClass (%s.Test)' % __name__)
Example #11
Source File: testcases.py From GTDWeb with GNU General Public License v2.0 | 6 votes |
def _deferredSkip(condition, reason): def decorator(test_func): if not (isinstance(test_func, type) and issubclass(test_func, unittest.TestCase)): @wraps(test_func) def skip_wrapper(*args, **kwargs): if condition(): raise unittest.SkipTest(reason) return test_func(*args, **kwargs) test_item = skip_wrapper else: # Assume a class is decorated test_item = test_func test_item.__unittest_skip__ = CheckCondition(condition) test_item.__unittest_skip_why__ = reason return test_item return decorator
Example #12
Source File: support.py From jawfish with MIT License | 6 votes |
def bigaddrspacetest(f): """Decorator for tests that fill the address space.""" def wrapper(self): if max_memuse < MAX_Py_ssize_t: if MAX_Py_ssize_t >= 2**63 - 1 and max_memuse >= 2**31: raise unittest.SkipTest( "not enough memory: try a 32-bit build instead") else: raise unittest.SkipTest( "not enough memory: %.1fG minimum needed" % (MAX_Py_ssize_t / (1024 ** 3))) else: return f(self) return wrapper #======================================================================= # unittest integration.
Example #13
Source File: support.py From verge3d-blender-addon with GNU General Public License v3.0 | 6 votes |
def requires(resource, msg=None): """Raise ResourceDenied if the specified resource is not available. If the caller's module is __main__ then automatically return True. The possibility of False being returned occurs when regrtest.py is executing. """ if resource == 'gui' and not _is_gui_available(): raise unittest.SkipTest("Cannot use the 'gui' resource") # see if the caller's module is __main__ - if so, treat as if # the resource was set if sys._getframe(1).f_globals.get("__name__") == "__main__": return if not is_resource_enabled(resource): if msg is None: msg = "Use of the %r resource not enabled" % resource raise ResourceDenied(msg)
Example #14
Source File: test_pyeclib_api.py From pyeclib with BSD 2-Clause "Simplified" License | 6 votes |
def __new__(meta, cls_name, cls_bases, cls_dict): for ec_type in ALL_EC_TYPES: def dummy(self, ec_type=ec_type): if ec_type not in VALID_EC_TYPES: raise unittest.SkipTest if ec_type == 'shss': k = 10 m = 4 elif ec_type == 'libphazr': k = 4 m = 4 else: k = 10 m = 5 ECDriver(k=k, m=m, ec_type=ec_type) dummy.__name__ = 'test_%s_available' % ec_type cls_dict[dummy.__name__] = dummy return type.__new__(meta, cls_name, cls_bases, cls_dict)
Example #15
Source File: support.py From verge3d-blender-addon with GNU General Public License v3.0 | 6 votes |
def bigaddrspacetest(f): """Decorator for tests that fill the address space.""" def wrapper(self): if max_memuse < MAX_Py_ssize_t: if MAX_Py_ssize_t >= 2**63 - 1 and max_memuse >= 2**31: raise unittest.SkipTest( "not enough memory: try a 32-bit build instead") else: raise unittest.SkipTest( "not enough memory: %.1fG minimum needed" % (MAX_Py_ssize_t / (1024 ** 3))) else: return f(self) return wrapper #======================================================================= # unittest integration.
Example #16
Source File: support.py From jawfish with MIT License | 6 votes |
def _requires_unix_version(sysname, min_version): """Decorator raising SkipTest if the OS is `sysname` and the version is less than `min_version`. For example, @_requires_unix_version('FreeBSD', (7, 2)) raises SkipTest if the FreeBSD version is less than 7.2. """ def decorator(func): @functools.wraps(func) def wrapper(*args, **kw): if platform.system() == sysname: version_txt = platform.release().split('-', 1)[0] try: version = tuple(map(int, version_txt.split('.'))) except ValueError: pass else: if version < min_version: min_version_txt = '.'.join(map(str, min_version)) raise unittest.SkipTest( "%s version %s or higher required, not %s" % (sysname, min_version_txt, version_txt)) return wrapper return decorator
Example #17
Source File: test_interface.py From gradio-UI with Apache License 2.0 | 6 votes |
def test_pytorch_model(self): try: import torch except: raise unittest.SkipTest("Need torch installed to do pytorch-based tests") class TwoLayerNet(torch.nn.Module): def __init__(self): super(TwoLayerNet, self).__init__() self.linear1 = torch.nn.Linear(3, 4) self.linear2 = torch.nn.Linear(4, 5) def forward(self, x): h_relu = torch.nn.functional.relu(self.linear1(x)) y_pred = self.linear2(h_relu) return y_pred model = TwoLayerNet() io = gr.Interface(inputs='SketCHPad', outputs='textBOX', fn=model) # pred = io.predict(np.ones(shape=(1, 3), dtype=np.float32)) # self.assertEqual(pred.shape, (1, 5))
Example #18
Source File: test_ossaudiodev.py From ironpython2 with Apache License 2.0 | 5 votes |
def test_main(): try: dsp = ossaudiodev.open('w') except (ossaudiodev.error, IOError), msg: if msg.args[0] in (errno.EACCES, errno.ENOENT, errno.ENODEV, errno.EBUSY): raise unittest.SkipTest(msg) raise
Example #19
Source File: test_ossaudiodev.py From ironpython2 with Apache License 2.0 | 5 votes |
def play_sound_file(self, data, rate, ssize, nchannels): try: dsp = ossaudiodev.open('w') except IOError, msg: if msg.args[0] in (errno.EACCES, errno.ENOENT, errno.ENODEV, errno.EBUSY): raise unittest.SkipTest(msg) raise # at least check that these methods can be invoked
Example #20
Source File: test_ssl.py From ironpython2 with Apache License 2.0 | 5 votes |
def skip_if_broken_ubuntu_ssl(func): if hasattr(ssl, 'PROTOCOL_SSLv2'): @functools.wraps(func) def f(*args, **kwargs): try: ssl.SSLContext(ssl.PROTOCOL_SSLv2) except ssl.SSLError: if (ssl.OPENSSL_VERSION_INFO == (0, 9, 8, 15, 15) and platform.linux_distribution() == ('debian', 'squeeze/sid', '')): raise unittest.SkipTest("Patched Ubuntu OpenSSL breaks behaviour") return func(*args, **kwargs) return f else: return func
Example #21
Source File: test_interface.py From gradio-UI with Apache License 2.0 | 5 votes |
def test_keras_model(self): try: import tensorflow as tf except: raise unittest.SkipTest("Need tensorflow installed to do keras-based tests") inputs = tf.keras.Input(shape=(3,)) x = tf.keras.layers.Dense(4, activation=tf.nn.relu)(inputs) outputs = tf.keras.layers.Dense(5, activation=tf.nn.softmax)(x) model = tf.keras.Model(inputs=inputs, outputs=outputs) io = gr.Interface(inputs='SketCHPad', outputs='textBOX', fn=model) # pred = io.predict(np.ones(shape=(1, 3), )) # self.assertEqual(pred.shape, (1, 5))
Example #22
Source File: test_fetcher.py From pyspider with Apache License 2.0 | 5 votes |
def test_zzzz_issue375(self): phantomjs_proxy = self.fetcher.phantomjs_proxy self.fetcher.phantomjs_proxy = '127.0.0.1:20000' if not self.phantomjs: raise unittest.SkipTest('no phantomjs') request = copy.deepcopy(self.sample_task_http) request['url'] = self.httpbin + '/get' request['fetch']['fetch_type'] = 'phantomjs' result = self.fetcher.sync_fetch(request) response = rebuild_response(result) self.assertEqual(response.status_code, 599, result) self.fetcher.phantomjs_proxy = phantomjs_proxy
Example #23
Source File: test_node.py From Paradrop with Apache License 2.0 | 5 votes |
def find_one_chute(): result = invoke("node list-chutes") chutes = yaml.safe_load(result.output) if not isinstance(chutes, list) or len(chutes) == 0: raise unittest.SkipTest("No chutes installed on test node") return chutes[0]
Example #24
Source File: jsengine_test.py From bilibiliupload with MIT License | 5 votes |
def skip(func): def newfunc(*args, **kwargs): global ctx if ctx: try: func(*args, **kwargs) except: ctx = JSEngine() raise else: raise unittest.SkipTest('init failed') return newfunc
Example #25
Source File: test_docstring_parameters.py From celer with BSD 3-Clause "New" or "Revised" License | 5 votes |
def test_documented(): """Test that public functions and classes are documented.""" public_modules_ = public_modules[:] doc_file = op.abspath(op.join(op.dirname(__file__), '..', '..', 'doc', 'api.rst')) if not op.isfile(doc_file): raise SkipTest('Documentation file not found: %s' % doc_file) known_names = list() with open(doc_file, 'rb') as fid: for line in fid: line = line.decode('utf-8') if not line.startswith(' '): # at least two spaces continue line = line.split() if len(line) == 1 and line[0] != ':': known_names.append(line[0].split('.')[-1]) known_names = set(known_names) missing = [] for name in public_modules_: with warnings.catch_warnings(record=True): # traits warnings module = __import__(name, globals()) for submod in name.split('.')[1:]: module = getattr(module, submod) classes = inspect.getmembers(module, inspect.isclass) functions = inspect.getmembers(module, inspect.isfunction) checks = list(classes) + list(functions) for name, cf in checks: if not name.startswith('_') and name not in known_names: from_mod = inspect.getmodule(cf).__name__ if (from_mod.startswith('celer') and from_mod not in documented_ignored_mods and name not in documented_ignored_names): missing.append('%s (%s.%s)' % (name, from_mod, name)) if len(missing) > 0: raise AssertionError('\n\nFound new public members missing from ' 'doc/python_reference.rst:\n\n* ' + '\n* '.join(sorted(set(missing))))
Example #26
Source File: test_speedups.py From qgis-cartodb with GNU General Public License v2.0 | 5 votes |
def skip_if_speedups_missing(func): def wrapper(*args, **kwargs): if not has_speedups(): if hasattr(unittest, 'SkipTest'): raise unittest.SkipTest("C Extension not available") else: sys.stdout.write("C Extension not available") return return func(*args, **kwargs) return wrapper
Example #27
Source File: test_pty.py From ironpython2 with Apache License 2.0 | 5 votes |
def test_basic(self): try: debug("Calling master_open()") master_fd, slave_name = pty.master_open() debug("Got master_fd '%d', slave_name '%s'" % (master_fd, slave_name)) debug("Calling slave_open(%r)" % (slave_name,)) slave_fd = pty.slave_open(slave_name) debug("Got slave_fd '%d'" % slave_fd) except OSError: # " An optional feature could not be imported " ... ? raise unittest.SkipTest, "Pseudo-terminals (seemingly) not functional." self.assertTrue(os.isatty(slave_fd), 'slave_fd is not a tty') # Solaris requires reading the fd before anything is returned. # My guess is that since we open and close the slave fd # in master_open(), we need to read the EOF. # Ensure the fd is non-blocking in case there's nothing to read. orig_flags = fcntl.fcntl(master_fd, fcntl.F_GETFL) fcntl.fcntl(master_fd, fcntl.F_SETFL, orig_flags | os.O_NONBLOCK) try: s1 = os.read(master_fd, 1024) self.assertEqual('', s1) except OSError, e: if e.errno != errno.EAGAIN: raise # Restore the original flags.
Example #28
Source File: test_style.py From pagure with GNU General Public License v2.0 | 5 votes |
def test_code_with_flake8(self): """Enforce PEP-8 compliance on the codebase. This test runs flake8 on the code, and will fail if it returns a non-zero exit code. """ # We ignore E712, which disallows non-identity comparisons with True and False # We ignore W503, which disallows line break before binary operator flake8_command = [ sys.executable, "-m", "flake8", "--ignore=E712,W503,E203,E902", REPO_PATH, ] # check if we have an old flake8 or not import flake8 flake8_v = flake8.__version__.split(".") for idx, val in enumerate(flake8_v): try: val = int(val) except ValueError: pass flake8_v[idx] = val old_flake = tuple(flake8_v) < (3, 0) if old_flake: raise unittest.SkipTest("Flake8 version too old to be useful") proc = subprocess.Popen( flake8_command, stdout=subprocess.PIPE, cwd=REPO_PATH ) print(proc.communicate()) self.assertEqual(proc.returncode, 0)
Example #29
Source File: __init__.py From data-repository-service-schemas with Apache License 2.0 | 5 votes |
def test_requires(*operations): """ This is a decorator that identifies what DOS operations a given test case uses (where each DOS operation is named by its `operationId` in the schema, e.g. ListBundles, UpdateObject, GetServiceInfo, etc.) and skips them if the operation is not supported by the implementation under test. For example, given this test setup:: class Test(AbstractComplianceTest): supports = ['UpdateBundles'] @test_requires('UpdateBundles') def test_update_data_bundles(self): self.drs_request('PUT', '/databundles/1234') @test_requires('ListBundles', 'UpdateBundles') def test_list_and_update_data_bundles(self): self.drs_request('GET', '/databundles') self.drs_request('PUT', '/databundles/1234') ``test_update_data_bundles`` would run and ``test_list_and_update_data_bundles`` would be skipped. :param str \*operations: the operations supported by the decorated test case """ def decorator(func): @functools.wraps(func) def wrapper(self): unsupported = [op for op in operations if op not in self.supports] if unsupported: raise unittest.SkipTest("not supported: " + ", ".join(unsupported)) return func(self) return wrapper return decorator
Example #30
Source File: test_pyeclib_c.py From pyeclib with BSD 2-Clause "Simplified" License | 5 votes |
def iter_available_types(self, ec_types): found_one = False for ec_type in ec_types: if ec_type.name not in VALID_EC_TYPES: continue found_one = True yield ec_type if not found_one: type_list = ', '.join(t.name for t in ec_types) raise unittest.SkipTest('No backend available in types: %r' % type_list)