/usr/share/pyshared/ase/io/cif.py is in python-ase 3.6.0.2515-1.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 | """Module to read and write atoms in cif file format.
See http://www.iucr.org/resources/cif/spec/version1.1/cifsyntax for a
description of the file format. STAR extensions as save frames,
global blocks, nested loops and multi-data values are not supported.
"""
import shlex
import re
import numpy as np
from ase.parallel import paropen
from ase.lattice.spacegroup import crystal
from ase.lattice.spacegroup.spacegroup import spacegroup_from_data
def get_lineno(fileobj):
"""Returns the line number of current line in fileobj."""
pos = fileobj.tell()
try:
fileobj.seek(0)
s = fileobj.read(pos)
lineno = s.count('\n')
finally:
fileobj.seek(pos)
return lineno
def unread_line(fileobj):
"""Unread the last line read from *fileobj*."""
# If previous line ends with CRLF, we have to back up one extra
# character before entering the loop below
if fileobj.tell() > 2:
fileobj.seek(-2, 1)
if fileobj.read(2) == '\r\n':
fileobj.seek(-1, 1)
while True:
if fileobj.tell() == 0:
break
fileobj.seek(-2, 1)
if fileobj.read(1) in ('\n', '\r'):
break
def convert_value(value):
"""Convert CIF value string to corresponding python type."""
value = value.strip()
if re.match('(".*")|(\'.*\')$', value):
return value[1:-1]
elif re.match(r'[+-]?\d+$', value):
return int(value)
elif re.match(r'[+-]?(?:\d+(?:\.\d*)?|\.\d+)(?:[eE][+-]?\d+)?$', value):
return float(value)
elif re.match(r'[+-]?(?:\d+(?:\.\d*)?|\.\d+)(?:[eE][+-]?\d+)?\(\d+\)$',
value):
return float(value[:value.index('(')]) # strip off uncertainties
else:
return value
def parse_multiline_string(fileobj, line):
"""Parse semicolon-enclosed multiline string and return it."""
assert line[0] == ';'
lines = [line[1:].lstrip()]
while True:
line = fileobj.readline().strip()
if line == ';':
break
lines.append(line)
return '\n'.join(lines).strip()
def parse_singletag(fileobj, line):
"""Parse a CIF tag (entries starting with underscore). Returns
a key-value pair."""
kv = line.split(None, 1)
if len(kv) == 1:
key = line
line = fileobj.readline().strip()
while not line or line[0] == '#':
line = fileobj.readline().strip()
if line[0] == ';':
value = parse_multiline_string(fileobj, line)
else:
value = line
else:
key, value = kv
return key, convert_value(value)
def parse_loop(fileobj):
"""Parse a CIF loop. Returns a dict with column tag names as keys
and a lists of the column content as values."""
header = []
line = fileobj.readline().strip()
while line.startswith('_'):
header.append(line.lower())
line = fileobj.readline().strip()
columns = dict([(h, []) for h in header])
tokens = []
while True:
lowerline = line.lower()
if (not line or
line.startswith('_') or
lowerline.startswith('data_') or
lowerline.startswith('loop_')):
break
if line.startswith('#'):
line = fileobj.readline().strip()
continue
if line.startswith(';'):
t = [parse_multiline_string(fileobj, line)]
else:
t = shlex.split(line)
line = fileobj.readline().strip()
tokens.extend(t)
if len(tokens) < len(columns):
continue
assert len(tokens) == len(header)
for h, t in zip(header, tokens):
columns[h].append(convert_value(t))
tokens = []
if line:
unread_line(fileobj)
return columns
def parse_items(fileobj, line):
"""Parse a CIF data items and return a dict with all tags."""
tags = {}
while True:
line = fileobj.readline()
if not line:
break
line = line.strip()
lowerline = line.lower()
if not line or line.startswith('#'):
continue
elif line.startswith('_'):
key, value = parse_singletag(fileobj, line)
tags[key.lower()] = value
elif lowerline.startswith('loop_'):
tags.update(parse_loop(fileobj))
elif lowerline.startswith('data_'):
unread_line(fileobj)
break
elif line.startswith(';'):
temp = parse_multiline_string(fileobj, line)
else:
raise ValueError('%s:%d: Unexpected CIF file entry: "%s"'%(
fileobj.name, get_lineno(fileobj), line))
return tags
def parse_block(fileobj, line):
"""Parse a CIF data block and return a tuple with the block name
and a dict with all tags."""
assert line.lower().startswith('data_')
blockname = line.split('_', 1)[1].rstrip()
tags = parse_items(fileobj, line)
return blockname, tags
def parse_cif(fileobj):
"""Parse a CIF file. Returns a list of blockname and tag
pairs. All tag names are converted to lower case."""
if isinstance(fileobj, basestring):
fileobj = open(fileobj)
blocks = []
while True:
line = fileobj.readline()
if not line:
break
line = line.strip()
if not line or line.startswith('#'):
continue
blocks.append(parse_block(fileobj, line))
return blocks
def tags2atoms(tags, store_tags=False, **kwargs):
"""Returns an Atoms object from a cif tags dictionary. If
*store_tags* is true, the *info* attribute of the returned Atoms
object will be populated with all the cif tags. Keyword arguments
are passed to the Atoms constructor."""
a = tags['_cell_length_a']
b = tags['_cell_length_b']
c = tags['_cell_length_c']
alpha = tags['_cell_angle_alpha']
beta = tags['_cell_angle_beta']
gamma = tags['_cell_angle_gamma']
scaled_positions = np.array([tags['_atom_site_fract_x'],
tags['_atom_site_fract_y'],
tags['_atom_site_fract_z']]).T
symbols = []
if '_atom_site_type_symbol' in tags:
labels = tags['_atom_site_type_symbol']
else:
labels = tags['_atom_site_label']
for s in labels:
# Strip off additional labeling on chemical symbols
m = re.search(r'([A-Z][a-z]?)', s)
symbol = m.group(0)
symbols.append(symbol)
# Symmetry specification, see
# http://www.iucr.org/resources/cif/dictionaries/cif_sym for a
# complete list of official keys. In addition we also try to
# support some commonly used depricated notations
no = None
if '_space_group.it_number' in tags:
no = tags['_space_group.it_number']
elif '_space_group_it_number' in tags:
no = tags['_space_group_it_number']
elif '_symmetry_int_tables_number' in tags:
no = tags['_symmetry_int_tables_number']
symbolHM = None
if '_space_group.Patterson_name_h-m' in tags:
symbolHM = tags['_space_group.patterson_name_h-m']
elif '_symmetry_space_group_name_h-m' in tags:
symbolHM = tags['_symmetry_space_group_name_h-m']
sitesym = None
if '_space_group_symop.operation_xyz' in tags:
sitesym = tags['_space_group_symop.operation_xyz']
elif '_symmetry_equiv_pos_as_xyz' in tags:
sitesym = tags['_symmetry_equiv_pos_as_xyz']
spacegroup = 1
if sitesym is not None:
spacegroup = spacegroup_from_data(no=no, symbol=symbolHM,
sitesym=sitesym)
elif no is not None:
spacegroup = no
elif symbolHM is not None:
spacegroup = symbolHM
else:
spacegroup = 1
if store_tags:
info = tags.copy()
if 'info' in kwargs:
info.update(kwargs['info'])
kwargs['info'] = info
atoms = crystal(symbols, basis=scaled_positions,
cellpar=[a, b, c, alpha, beta, gamma],
spacegroup=spacegroup, **kwargs)
return atoms
def read_cif(fileobj, index=-1, store_tags=False, **kwargs):
"""Read Atoms object from CIF file. *index* specifies the data
block number or name (if string) to return.
If *index* is None or a slice object, a list of atoms objects will
be returned. In the case of *index* is *None* or *slice(None)*,
only blocks with valid crystal data will be included.
If *store_tags* is true, the *info* attribute of the returned
Atoms object will be populated with all tags in the corresponding
cif data block.
Keyword arguments are passed on to the Atoms constructor."""
blocks = parse_cif(fileobj)
if isinstance(index, str):
tags = dict(blocks)[index]
return tags2atoms(tags, **kwargs)
elif isinstance(index, int):
name, tags = blocks[index]
return tags2atoms(tags, **kwargs)
elif index is None or index == slice(None):
# Return all CIF blocks with valid crystal data
images = []
for name, tags in blocks:
try:
atoms = tags2atoms(tags)
images.append(atoms)
except KeyError:
pass
if not images:
# No block contained a a valid atoms object
# Provide an useful error by try converting the first
# block to atoms
name, tags = blocks[0]
tags2atoms(tags)
return images
else:
return [tags2atoms(tags) for name, tags in blocks[index]]
def write_cif(fileobj, images):
"""Write *images* to CIF file."""
if isinstance(fileobj, str):
fileobj = paropen(fileobj, 'w')
if not isinstance(images, (list, tuple)):
images = [images]
for i, atoms in enumerate(images):
fileobj.write('data_image%d\n' % i)
from numpy import arccos, pi, dot
from numpy.linalg import norm
cell = atoms.cell
a = norm(cell[0])
b = norm(cell[1])
c = norm(cell[2])
alpha = arccos(dot(cell[1], cell[2])/(b*c))*180./pi
beta = arccos(dot(cell[0], cell[2])/(a*c))*180./pi
gamma = arccos(dot(cell[0], cell[1])/(a*b))*180./pi
fileobj.write('_cell_length_a %g\n' % a)
fileobj.write('_cell_length_b %g\n' % b)
fileobj.write('_cell_length_c %g\n' % c)
fileobj.write('_cell_angle_alpha %g\n' % alpha)
fileobj.write('_cell_angle_beta %g\n' % beta)
fileobj.write('_cell_angle_gamma %g\n' % gamma)
fileobj.write('\n')
if atoms.pbc.all():
fileobj.write('_symmetry_space_group_name_H-M %s\n' % 'P 1')
fileobj.write('_symmetry_int_tables_number %d\n' % 1)
fileobj.write('\n')
fileobj.write('loop_\n')
fileobj.write(' _symmetry_equiv_pos_as_xyz\n')
fileobj.write(" 'x, y, z'\n")
fileobj.write('\n')
fileobj.write('loop_\n')
fileobj.write(' _atom_site_label\n')
fileobj.write(' _atom_site_occupancy\n')
fileobj.write(' _atom_site_fract_x\n')
fileobj.write(' _atom_site_fract_y\n')
fileobj.write(' _atom_site_fract_z\n')
fileobj.write(' _atom_site_thermal_displace_type\n')
fileobj.write(' _atom_site_B_iso_or_equiv\n')
fileobj.write(' _atom_site_type_symbol\n')
scaled = atoms.get_scaled_positions()
no = {}
for i, atom in enumerate(atoms):
symbol = atom.symbol
if symbol in no:
no[symbol] += 1
else:
no[symbol] = 1
fileobj.write(
' %-8s %6.4f %7.5f %7.5f %7.5f %4s %6.3f %s\n'%(
'%s%d' % (symbol, no[symbol]),
1.0,
scaled[i][0],
scaled[i][1],
scaled[i][2],
'Biso',
1.0,
symbol))
|