/usr/share/pyshared/MMTK/Visualization.py is in python-mmtk 2.7.9-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 | # This module contains interfaces to external visualization programs
# and a visualization base class
#
# Written by Konrad Hinsen
#
"""
Visualization of chemical objects, including animation
This module provides visualization of chemical objects and animated
visualization of normal modes and sequences of configurations, including
trajectories. Visualization depends on external visualization programs.
On Unix systems, these programs are defined by environment variables.
Under Windows NT, the system definitions for files with extension
"pdb" and "wrl" are used.
A viewer for PDB files can be defined by the environment variable
'PDBVIEWER'. For showing a PDB file, MMTK will execute a command
consisting of the value of this variable followed by a space
and the name of the PDB file.
A viewer for VRML files can be defined by the environment variable
'VRMLVIEWER'. For showing a VRML file, MMTK will execute a command
consisting of the value of this variable followed by a space
and the name of the VRML file.
Since there is no standard for launching viewers for animation,
MMTK supports only two programs: VMD and XMol. MMTK detects
these programs by inspecting the value of the environment variable
'PDBVIEWER'. This value must be the file name of the executable,
and must give "vmd" or "xmol" after stripping off an optional
directory specification.
"""
__docformat__ = 'restructuredtext'
from MMTK import Units, Utility
from Scientific import N
import subprocess, sys, tempfile, os
#
# If you want temporary files in a non-standard directory, make
# its name the value of this variable:
#
tempdir = None
#
# Identify OS
#
running_on_windows = sys.platform == 'win32'
running_on_macosx = sys.platform.startswith('darwin')
running_on_linux = sys.platform.startswith('linux')
#
# Get visualization program names
#
viewer = {}
try:
pdbviewer = os.environ['PDBVIEWER']
prog = os.path.split(pdbviewer)[1].lower().split('.')[0]
viewer['pdb'] = (prog, pdbviewer)
except KeyError: pass
try:
vrmlviewer = os.environ['VRMLVIEWER']
prog = os.path.split(vrmlviewer)[1].lower().split('.')[0]
viewer['vrml'] = (prog, vrmlviewer)
except KeyError: pass
def definePDBViewer(progname, exec_path):
"""
Define the program used to view PDB files.
:param progname: the canonical name of the PDB viewer. If it is
a known one (one of "vmd", "xmol", "imol"),
special features such as animation may be
available.
:type progname: str
:param exec_path: the path to the executable program
:type exec_path: str
"""
viewer['pdb'] = (progname.lower(), exec_path)
def defineVRMLiewer(progname, exec_path):
"""
Define the program used to view VRML files.
:param progname: the canonical name of the VRML viewer
:type progname: str
:param exec_path: the path to the executable program
:type exec_path: str
"""
viewer['vrml'] = (progname.lower(), exec_path)
#
# Visualization base class. Defines methods for general visualization
# tasks.
#
class Viewable(object):
"""
Any viewable chemical object
This is a mix-in class that defines a general
visualization method for all viewable objects, i.e. chemical
objects (atoms, molecules, etc.), collections, and universes.
"""
def graphicsObjects(self, **options):
"""
:keyword configuration: the configuration in which the objects
are drawn (default: the current configuration)
:type configuration: :class:`~MMTK.ParticleProperties.Configuration`
:keyword model: the graphical representation to be used (one of
"wireframe", "tube", "ball_and_stick", "vdw" and
"vdw_and_stick"). The vdw models use balls
with the radii taken from the atom objects.
Default is "wireframe".
:type model: str
:keyword ball_radius: the radius of the balls representing the atoms
in a ball_and_stick model, default: 0.03
This is also used in vdw and vdw_and_stick when
an atom does not supply a radius.
:type ball_radius: float
:keyword stick_radius: the radius of the sticks representing the bonds
in a ball_and_stick, vdw_and_stick or tube model.
Default: 0.02 for the tube model, 0.01 for the
ball_and_stick and vdw_and_stick models
:type stick_radius: float
:keyword graphics_module: the module in which the elementary graphics
objects are defined
(default: Scientific.Visualization.VRML)
:type graphics_module: module
:keyword color_values: a color value for each atom which defines
the color via the color scale object specified
by the option color_scale. If no value is
given, the atoms' colors are taken from the
attribute 'color' of each atom object (default
values for each chemical element are provided
in the chemical database).
:type color_values: :class:`~MMTK.ParticleProperties.ParticleScalar`
:keyword color_scale: an object that returns a color object (as defined
in the module Scientific.Visualization.Color)
when called with a number argument. Suitable
objects are defined by
Scientific.Visualization.Color.ColorScale and
Scientific.Visualization.Color.SymmetricColorScale.
The object is used only when the option
color_values is specified as well. The default
is a blue-to-red color scale that covers the
range of the values given in color_values.
:type color_scale: callable
:keyword color: a color name predefined in the module
Scientific.Visualization.Color. The corresponding
color is applied to all graphics objects that are
returned.
:returns: a list of graphics objects that represent
the object for which the method is called.
:rtype: list
"""
conf = options.get('configuration', None)
model = options.get('model', 'wireframe')
if model == 'tube':
model = 'ball_and_stick'
radius = options.get('stick_radius', 0.02)
options['stick_radius'] = radius
options['ball_radius'] = radius
try:
module = options['graphics_module']
except KeyError:
from Scientific.Visualization import VRML
module = VRML
color = options.get('color', None)
if color is None:
color_values = options.get('color_values', None)
if color_values is not None:
lower = N.minimum.reduce(color_values.array)
upper = N.maximum.reduce(color_values.array)
options['color_scale'] = module.ColorScale((lower, upper))
try:
distance_fn = self.universe().distanceVector
except AttributeError:
from MMTK import Universe
distance_fn = Universe.InfiniteUniverse().distanceVector
return self._graphics(conf, distance_fn, model, module, options)
def _atomColor(self, atom, options):
color = options.get('color', None)
if color is not None:
return color
color_values = options.get('color_values', None)
if color_values is None:
return atom.color
else:
scale = options['color_scale']
return scale(color_values[atom])
#
# View anything viewable.
#
def view(object, *parameters):
"Equivalent to object.view(parameters)."
object.view(*parameters)
#
# Display an object or a collection of objects using an external
# viewing program.
#
def genericViewConfiguration(object, configuration = None, format = 'pdb',
label = None):
format = format.lower()
viewer_format = format.split('.')[0]
tempfile.tempdir = tempdir
filename = tempfile.mktemp()
tempfile.tempdir = None
if viewer_format == 'pdb':
filename = filename + '.pdb'
elif viewer_format == 'vrml':
filename = filename + '.wrl'
if running_on_windows:
object.writeToFile(filename, configuration, format)
try:
os.startfile(filename)
except win32api.error, error_number:
#Looking for error 31, SE_ERR_NOASSOC, in particular
file_type = os.path.splitext(filename)[1]
if error_number[0]==31:
print ('There is no program associated with .%s files,' + \
' please install a suitable viewer') % file_type
else:
print 'Unexpected error attempting to open .%s file' % file_type
print sys.exc_value
elif viewer.has_key(viewer_format):
# On Unix-like systems, give priority to a user-specified viewer.
object.writeToFile(filename, configuration, format)
if os.fork() == 0:
pipe = os.popen(viewer[format][1] + ' ' + filename + \
' 1> /dev/null 2>&1', 'w')
pipe.close()
os.unlink(filename)
os._exit(0)
elif running_on_macosx:
object.writeToFile(filename, configuration, format)
subprocess.call(["/usr/bin/open", filename])
elif running_on_linux:
object.writeToFile(filename, configuration, format)
subprocess.call(["xdg-open", filename])
else:
Utility.warning('No viewer for %s defined.' % viewer_format)
return
def viewConfiguration(*args, **kwargs):
pdbviewer, exec_path = viewer.get('pdb', (None, None))
function = {'vmd': viewConfigurationVMD,
'xmol': viewConfigurationXMol,
'imol': viewConfigurationIMol} \
.get(pdbviewer,genericViewConfiguration)
function(*args, **kwargs)
#
# Normal mode and trajectory animation
#
def viewSequence(object, conf_list, periodic = False, label = None):
"""
Launches an animation using an external viewer.
:param object: the object for which the animation is displayed.
:type object: :class:`~MMTK.Collections.GroupOfAtoms`
:param conf_list: a sequence of configurations that define the animation
:type conf_list: sequence
:param periodic: if True, turn animation into a loop
:param label: an optional text string that some interfaces
use to pass a description of the object to the
visualization system.
:type label: str
"""
pdbviewer, exec_path = viewer.get('pdb', (None, None))
function = {'vmd': viewSequenceVMD,
'xmol': viewSequenceXMol,
'imol': viewSequenceIMol,
None: None}[pdbviewer]
if function is None:
Utility.warning('No viewer with animation feature defined.')
else:
function(object, conf_list, periodic, label)
def viewTrajectory(trajectory, first=0, last=None, skip=1, subset = None,
label = None):
"""
Launches an animation based on a trajectory using an external viewer.
:param trajectory: the trajectory
:type trajectory: :class:`~MMTK.Trajectory.Trajectory`
:param first: the first trajectory step to be used
:type first: int
:param last: the first trajectory step NOT to be used
:type last: int
:param skip: the distance between two consecutive steps shown
:type skip: int
:param subset: the subset of the universe that is shown
(default: the whole universe)
:type subset: :class:`~MMTK.Collections.GroupOfAtoms`
:param label: an optional text string that some interfaces
use to pass a description of the object to the
visualization system.
:type label: str
"""
if type(trajectory) == type(''):
from MMTK.Trajectory import Trajectory
trajectory = Trajectory(None, trajectory, 'r')
if last is None:
last = len(trajectory)
elif last < 0:
last = len(trajectory) + last
universe = trajectory.universe
if subset is None:
subset = universe
viewSequence(subset, trajectory.configuration[first:last:skip], label)
def viewMode(mode, factor=1., subset=None, label=None):
universe = mode.universe
if subset is None:
subset = universe
conf = universe.configuration()
viewSequence(subset, [conf, conf+factor*mode, conf, conf-factor*mode], 1,
label)
#
# XMol support
#
#
# Animation with XMol.
#
viewConfigurationXMol = viewConfiguration
def viewSequenceXMol(object, conf_list, periodic = 0, label = None):
tempfile.tempdir = tempdir
file_list = []
for conf in conf_list:
file = tempfile.mktemp()
file_list.append(file)
object.writeToFile(file, conf, 'pdb')
bigfile = tempfile.mktemp()
tempfile.tempdir = None
subprocess.call(['cat'] + file_list + ['>', bigfile])
for file in file_list:
os.unlink(file)
if os.fork() == 0:
pipe = os.popen('xmol -readFormat pdb ' + bigfile + \
' 1> /dev/null 2>&1', 'w')
pipe.close()
os.unlink(bigfile)
os._exit(0)
#
# VMD support
#
#
# View configuration
#
def isCalpha(object):
from MMTK.Proteins import isProtein, isPeptideChain
from MMTK.Universe import isUniverse
from MMTK.Collections import isCollection
if isProtein(object):
chain_list = list(object)
elif isPeptideChain(object):
chain_list = [object]
elif isUniverse(object) or isCollection(object):
chain_list = []
for element in object:
if isProtein(element):
chain_list = chain_list + list(element)
elif isPeptideChain(element):
chain_list.append(element)
else:
return False
else:
return False
for chain in chain_list:
try:
if chain.model != 'calpha':
return False
except AttributeError:
return False
return True
def viewConfigurationVMD(object, configuration = None, format = 'pdb',
label = None):
from MMTK import Universe
format = format.lower()
if format != 'pdb':
return genericViewConfiguration(object, configuration, format)
tempfile.tempdir = tempdir
filename = tempfile.mktemp()
filename_tcl = filename.replace('\\', '\\\\')
script = tempfile.mktemp()
script_tcl = script.replace('\\', '\\\\')
tempfile.tempdir = None
object.writeToFile(filename, configuration, format)
file = open(script, 'w')
file.write('mol load pdb ' + filename_tcl + '\n')
if isCalpha(object):
file.write('mol modstyle 0 all trace\n')
file.write('color Name 1 white\n')
file.write('color Name 2 white\n')
file.write('color Name 3 white\n')
if Universe.isUniverse(object):
# add a box around periodic universes
basis = object.basisVectors()
if basis is not None:
v1, v2, v3 = basis
p = -0.5*(v1+v2+v3)
for p1, p2 in [(p, p+v1), (p, p+v2), (p+v1, p+v1+v2),
(p+v2, p+v1+v2), (p, p+v3), (p+v1, p+v1+v3),
(p+v2, p+v2+v3), (p+v1+v2, p+v1+v2+v3),
(p+v3, p+v1+v3), (p+v3, p+v2+v3),
(p+v1+v3, p+v1+v2+v3), (p+v2+v3, p+v1+v2+v3)]:
file.write('graphics 0 line {%f %f %f} {%f %f %f}\n' %
(tuple(p1/Units.Ang) + tuple(p2/Units.Ang)))
file.write('file delete ' + filename_tcl + '\n')
if sys.platform != 'win32':
# Under Windows, it seems to be impossible to delete
# the script file while it is still in use. For the moment
# we just don't delete it at all.
file.write('file delete ' + script_tcl + '\n')
file.close()
subprocess.Popen([viewer['pdb'][1], '-nt', '-e', script])
#
# Animate sequence
#
def viewSequenceVMD(object, conf_list, periodic = 0, label=None):
tempfile.tempdir = tempdir
script = tempfile.mktemp()
script_tcl = script.replace('\\', '\\\\')
np = object.numberOfPoints()
universe = object.universe()
if np == universe.numberOfPoints() \
and len(conf_list) > 2:
from MMTK import DCD
pdbfile = tempfile.mktemp()
pdbfile_tcl = pdbfile.replace('\\', '\\\\')
dcdfile = tempfile.mktemp()
dcdfile_tcl = dcdfile.replace('\\', '\\\\')
tempfile.tempdir = None
sequence = DCD.writePDB(universe, conf_list[0], pdbfile)
indices = map(lambda a: a.index, sequence)
DCD.writeDCD(conf_list[1:], dcdfile, 1./Units.Ang, indices)
file = open(script, 'w')
file.write('mol load pdb ' + pdbfile_tcl + '\n')
if isCalpha(object):
file.write('mol modstyle 0 all trace\n')
file.write('animate read dcd ' + dcdfile_tcl + '\n')
if periodic:
file.write('animate style loop\n')
else:
file.write('animate style once\n')
file.write('animate forward\n')
file.write('file delete ' + pdbfile_tcl + '\n')
file.write('file delete ' + dcdfile_tcl + '\n')
if sys.platform != 'win32':
# Under Windows, it seems to be impossible to delete
# the script file while it is still in use. For the moment
# we just don't delete it at all.
file.write('file delete ' + script_tcl + '\n')
file.close()
else:
file_list = []
for conf in conf_list:
file = tempfile.mktemp()
file_list.append(file)
object.writeToFile(file, conf, 'pdb')
tempfile.tempdir = None
file = open(script, 'w')
file.write('mol load pdb ' + file_list[0] + '\n')
for conf in file_list[1:]:
file.write('animate read pdb ' + conf.replace('\\', '\\\\') + '\n')
if periodic:
file.write('animate style loop\n')
else:
file.write('animate style once\n')
file.write('animate forward\n')
for conf in file_list:
file.write('file delete ' + conf.replace('\\', '\\\\') + '\n')
if sys.platform != 'win32':
# Under Windows, it seems to be impossible to delete
# the script file while it is still in use. For the moment
# we just don't delete it at all.
file.write('file delete ' + script_tcl + '\n')
file.close()
subprocess.Popen([viewer['pdb'][1], '-nt', '-e', script])
#
# iMol support
#
#
# View configuration
#
def viewConfigurationIMol(object, configuration = None, format = 'pdb',
label = None):
format = format.lower()
if format != 'pdb':
return genericViewConfiguration(object, configuration, format)
tempfile.tempdir = tempdir
filename = tempfile.mktemp() + '.pdb'
tempfile.tempdir = None
object.writeToFile(filename, configuration, format)
subprocess.call(['open', '-a', prog, filename])
#
# Animate sequence
#
def viewSequenceIMol(object, conf_list, periodic = 0, label=None):
from MMTK import PDB
tempfile.tempdir = tempdir
filename = tempfile.mktemp() + '.pdb'
file = PDB.PDBOutputFile(filename)
for conf in conf_list:
file.nextModel()
file.write(object, conf)
file.close()
tempfile.tempdir = None
subprocess.call(['open', '-a', prog, filename])
#
# PyMOL support
#
from MMTK import PyMOL
if PyMOL.in_pymol:
_representation = None
def viewConfiguration(object, configuration = None, format = 'pdb',
label = None):
global _representation
if label is None:
label = "MMTK Object"
if _representation is not None:
_representation.remove()
_representation = PyMOL.Representation(object, label, configuration)
_representation.show()
def viewSequence(object, conf_list, periodic = 0, label = None):
global _representation
if label is None:
label = "MMTK Object"
if _representation is not None:
_representation.remove()
_representation = PyMOL.Representation(object, label,
conf_list[0])
_representation.movie(conf_list)
genericViewMode = viewMode
def viewMode(mode, factor=1., subset=None, label=None):
from pymol import cmd
cmd.set("movie_delay","200",log=1)
genericViewMode(mode, factor, subset, label)
|