Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Pylint/Codacy clean-up #34

Merged
merged 4 commits into from
Jan 23, 2018
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
26 changes: 18 additions & 8 deletions contact_map/contact_map.py
Original file line number Diff line number Diff line change
Expand Up @@ -12,7 +12,6 @@
import mdtraj as md

from .contact_count import ContactCount
from .plot_utils import ranged_colorbar
from .py_2_3 import inspect_method_arguments

# TODO:
Expand Down Expand Up @@ -126,7 +125,7 @@ def from_dict(cls, dct):
--------
to_dict
"""
deserialize_set = lambda k: set(k)
deserialize_set = set
deserialize_atom_to_residue_dct = lambda d: {int(k): d[k] for k in d}
deserialization_helpers = {
'topology': cls._deserialize_topology,
Expand Down Expand Up @@ -211,12 +210,23 @@ def from_json(cls, json_string):
dct = json.loads(json_string)
return cls.from_dict(dct)

def _check_compatibility(self, other):
assert self.cutoff == other.cutoff
assert self.topology == other.topology
assert self.query == other.query
assert self.haystack == other.haystack
assert self.n_neighbors_ignored == other.n_neighbors_ignored
def _check_compatibility(self, other, err=AssertionError):
compatibility_attrs = ['cutoff', 'topology', 'query', 'haystack',
'n_neighbors_ignored']
failed_attr = {}
for attr in compatibility_attrs:
self_val = getattr(self, attr)
other_val = getattr(other, attr)
if self_val != other_val:
failed_attr.update({attr: (self_val, other_val)})
msg = "Incompatible ContactObjects:\n"
for (attr, vals) in failed_attr.items():
msg += " {attr}: {self} != {other}\n".format(
attr=attr, self=str(vals[0]), other=str(vals[1])
)
if failed_attr:
raise err(msg)
return True

def save_to_file(self, filename, mode="w"):
"""Save this object to the given file.
Expand Down
14 changes: 7 additions & 7 deletions contact_map/dask_runner.py
Original file line number Diff line number Diff line change
Expand Up @@ -84,16 +84,16 @@ def __init__(self, client, filename, query=None, haystack=None,
self.filename = filename
trajectory = md.load(filename, **kwargs)

self.frames = range(len(trajectory))
self.kwargs = kwargs

ContactObject.__init__(self, trajectory.topology, query, haystack,
cutoff, n_neighbors_ignored)
super(DaskContactFrequency, self).__init__(
trajectory, query, haystack, cutoff, n_neighbors_ignored
)

freq = dask_run(trajectory, client, self.run_info)
self._n_frames = freq.n_frames
self._atom_contacts = freq._atom_contacts
self._residue_contacts = freq._residue_contacts
def _build_contact_map(self, trajectory):
freq = dask_run(trajectory, self.client, self.run_info)
self._frames = freq.n_frames
return (freq._atom_contacts, freq._residue_contacts)

@property
def parameters(self):
Expand Down
31 changes: 29 additions & 2 deletions contact_map/tests/test_contact_map.py
Original file line number Diff line number Diff line change
@@ -1,6 +1,5 @@
import os
import collections
import json
import mdtraj as md

# pylint: disable=wildcard-import, missing-docstring, protected-access
Expand Down Expand Up @@ -133,7 +132,6 @@ def test_counters(self, idx):

def test_to_dict(self, idx):
m = self.maps[idx]
json_topol = json.dumps(pdb_topology_dict())
dct = m.to_dict()
# NOTE: topology only tested in a cycle; JSON order not guaranteed
assert dct['cutoff'] == 0.075
Expand Down Expand Up @@ -279,6 +277,35 @@ def test_counters(self):
}
assert residue_contacts.counter == expected_residue_contacts

def test_check_compatibility_true(self):
map2 = ContactFrequency(trajectory=traj[0:2],
cutoff=0.075,
n_neighbors_ignored=0)
assert self.map._check_compatibility(map2) == True

@pytest.mark.parametrize("diff", [
{'trajectory': traj.atom_slice([0, 1, 2, 3])},
{'cutoff': 0.45},
{'n_neighbors_ignored': 2},
{'query': [1, 2, 3, 4]},
{'haystack': [1, 2, 3, 4]}
])
def test_check_compatibility_assertion_error(self, diff):
params = {'trajectory': traj[0:2],
'cutoff': 0.075,
'n_neighbors_ignored': 0}
params.update(diff)
map2 = ContactFrequency(**params)
with pytest.raises(AssertionError):
self.map._check_compatibility(map2)

def test_check_compatibility_runtime_error(self):
map2 = ContactFrequency(trajectory=traj,
cutoff=0.45,
n_neighbors_ignored=2)
with pytest.raises(RuntimeError):
self.map._check_compatibility(map2, err=RuntimeError)

@pytest.mark.parametrize("intermediate", ["dict", "json"])
def test_serialization_cycle(self, intermediate):
serializer, deserializer = {
Expand Down
2 changes: 1 addition & 1 deletion contact_map/tests/test_dask_runner.py
Original file line number Diff line number Diff line change
Expand Up @@ -9,7 +9,7 @@
class TestDaskContactFrequency(object):
def test_dask_integration(self):
# this is an integration test to check that dask works
dask = pytest.importorskip('dask')
dask = pytest.importorskip('dask') # pylint: disable=W0612
distributed = pytest.importorskip('dask.distributed')

client = distributed.Client()
Expand Down
5 changes: 3 additions & 2 deletions contact_map/tests/test_frequency_task.py
Original file line number Diff line number Diff line change
@@ -1,5 +1,6 @@
import os
import collections
# pylint: disable=wildcard-import, missing-docstring, protected-access
# pylint: disable=attribute-defined-outside-init, invalid-name, no-self-use
# pylint: disable=wrong-import-order, unused-wildcard-import

from .utils import *
from .test_contact_map import traj
Expand Down
4 changes: 3 additions & 1 deletion contact_map/tests/utils.py
Original file line number Diff line number Diff line change
@@ -1,7 +1,9 @@
import os
import numpy as np
from pkg_resources import resource_filename

# pylint: disable=unused-import

import numpy as np
from numpy.testing import assert_array_equal, assert_allclose
import pytest

Expand Down