utils.py 16.4 KB
Newer Older
1
import torch
2
from torch import Tensor
3
import torch.utils.data
4
import math
5
from collections import defaultdict
6
from typing import Tuple, NamedTuple, Optional
Ignacio Pickering's avatar
Ignacio Pickering committed
7
from torchani.units import sqrt_mhessian2invcm, sqrt_mhessian2milliev, mhessian2fconst
8
from .nn import SpeciesEnergies
9
10


11
def stack_with_padding(properties, padding):
12
    output = defaultdict(list)
13
14
    for p in properties:
        for k, v in p.items():
15
            output[k].append(torch.as_tensor(v))
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
    for k, v in output.items():
        if v[0].dim() == 0:
            output[k] = torch.stack(v)
        else:
            output[k] = torch.nn.utils.rnn.pad_sequence(v, True, padding[k])
    return output


def broadcast_first_dim(properties):
    num_molecule = 1
    for k, v in properties.items():
        shape = list(v.shape)
        n = shape[0]
        if num_molecule != 1:
            assert n == 1 or n == num_molecule, "unable to broadcast"
        else:
            num_molecule = n
    for k, v in properties.items():
        shape = list(v.shape)
        shape[0] = num_molecule
        properties[k] = v.expand(shape)
    return properties


def pad_atomic_properties(properties, padding_values=defaultdict(lambda: 0.0, species=-1)):
41
    """Put a sequence of atomic properties together into single tensor.
Gao, Xiang's avatar
Gao, Xiang committed
42

43
44
    Inputs are `[{'species': ..., ...}, {'species': ..., ...}, ...]` and the outputs
    are `{'species': padded_tensor, ...}`
Gao, Xiang's avatar
Gao, Xiang committed
45
46

    Arguments:
47
        properties (:class:`collections.abc.Sequence`): sequence of properties.
48
        padding_values (dict): the value to fill to pad tensors to same size
Gao, Xiang's avatar
Gao, Xiang committed
49
    """
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
    vectors = [k for k in properties[0].keys() if properties[0][k].dim() > 1]
    scalars = [k for k in properties[0].keys() if properties[0][k].dim() == 1]
    padded_sizes = {k: max(x[k].shape[1] for x in properties) for k in vectors}
    num_molecules = [x[vectors[0]].shape[0] for x in properties]
    total_num_molecules = sum(num_molecules)
    output = {}
    for k in scalars:
        output[k] = torch.stack([x[k] for x in properties])
    for k in vectors:
        tensor = properties[0][k]
        shape = list(tensor.shape)
        device = tensor.device
        dtype = tensor.dtype
        shape[0] = total_num_molecules
        shape[1] = padded_sizes[k]
        output[k] = torch.full(shape, padding_values[k], device=device, dtype=dtype)
        index0 = 0
        for n, x in zip(num_molecules, properties):
            original_size = x[k].shape[1]
            output[k][index0: index0 + n, 0: original_size, ...] = x[k]
            index0 += n
    return output
72
73
74


def present_species(species):
Gao, Xiang's avatar
Gao, Xiang committed
75
76
77
78
79
80
81
82
    """Given a vector of species of atoms, compute the unique species present.

    Arguments:
        species (:class:`torch.Tensor`): 1D vector of shape ``(atoms,)``

    Returns:
        :class:`torch.Tensor`: 1D vector storing present atom types sorted.
    """
83
84
    # present_species, _ = species.flatten()._unique(sorted=True)
    present_species = species.flatten().unique(sorted=True)
85
    if present_species[0].item() == -1:
86
87
        present_species = present_species[1:]
    return present_species
88
89


90
def strip_redundant_padding(atomic_properties):
Gao, Xiang's avatar
Gao, Xiang committed
91
92
93
    """Strip trailing padding atoms.

    Arguments:
94
        atomic_properties (dict): properties to strip
Gao, Xiang's avatar
Gao, Xiang committed
95
96

    Returns:
97
        dict: same set of properties with redundant padding atoms stripped.
Gao, Xiang's avatar
Gao, Xiang committed
98
    """
99
    species = atomic_properties['species']
100
    non_padding = (species >= 0).any(dim=0).nonzero().squeeze()
101
102
103
    for k in atomic_properties:
        atomic_properties[k] = atomic_properties[k].index_select(1, non_padding)
    return atomic_properties
Gao, Xiang's avatar
Gao, Xiang committed
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
def map2central(cell, coordinates, pbc):
    """Map atoms outside the unit cell into the cell using PBC.

    Arguments:
        cell (:class:`torch.Tensor`): tensor of shape (3, 3) of the three
            vectors defining unit cell:

            .. code-block:: python

                tensor([[x1, y1, z1],
                        [x2, y2, z2],
                        [x3, y3, z3]])

        coordinates (:class:`torch.Tensor`): Tensor of shape
            ``(molecules, atoms, 3)``.

        pbc (:class:`torch.Tensor`): boolean vector of size 3 storing
            if pbc is enabled for that direction.

    Returns:
        :class:`torch.Tensor`: coordinates of atoms mapped back to unit cell.
    """
    # Step 1: convert coordinates from standard cartesian coordinate to unit
    # cell coordinates
    inv_cell = torch.inverse(cell)
    coordinates_cell = torch.matmul(coordinates, inv_cell)
    # Step 2: wrap cell coordinates into [0, 1)
133
    coordinates_cell -= coordinates_cell.floor() * pbc
134
135
136
137
138
    # Step 3: convert from cell coordinates back to standard cartesian
    # coordinate
    return torch.matmul(coordinates_cell, cell)


Gao, Xiang's avatar
Gao, Xiang committed
139
class EnergyShifter(torch.nn.Module):
Gao, Xiang's avatar
Gao, Xiang committed
140
141
142
143
144
145
146
147
148
    """Helper class for adding and subtracting self atomic energies

    This is a subclass of :class:`torch.nn.Module`, so it can be used directly
    in a pipeline as ``[input->AEVComputer->ANIModel->EnergyShifter->output]``.

    Arguments:
        self_energies (:class:`collections.abc.Sequence`): Sequence of floating
            numbers for the self energy of each atom type. The numbers should
            be in order, i.e. ``self_energies[i]`` should be atom type ``i``.
149
150
        fit_intercept (bool): Whether to calculate the intercept during the LSTSQ
            fit. The intercept will also be taken into account to shift energies.
Gao, Xiang's avatar
Gao, Xiang committed
151
    """
Gao, Xiang's avatar
Gao, Xiang committed
152

153
    def __init__(self, self_energies, fit_intercept=False):
154
        super().__init__()
155

156
        self.fit_intercept = fit_intercept
157
158
159
        if self_energies is not None:
            self_energies = torch.tensor(self_energies, dtype=torch.double)

160
        self.register_buffer('self_energies', self_energies)
Gao, Xiang's avatar
Gao, Xiang committed
161
162

    def sae(self, species):
Gao, Xiang's avatar
Gao, Xiang committed
163
164
165
166
167
168
169
170
171
172
173
174
        """Compute self energies for molecules.

        Padding atoms will be automatically excluded.

        Arguments:
            species (:class:`torch.Tensor`): Long tensor in shape
                ``(conformations, atoms)``.

        Returns:
            :class:`torch.Tensor`: 1D vector in shape ``(conformations,)``
            for molecular self energies.
        """
175
176
177
178
        intercept = 0.0
        if self.fit_intercept:
            intercept = self.self_energies[-1]

179
        self_energies = self.self_energies[species]
180
        self_energies[species == torch.tensor(-1, device=species.device)] = torch.tensor(0, device=species.device, dtype=torch.double)
181
        return self_energies.sum(dim=1) + intercept
Gao, Xiang's avatar
Gao, Xiang committed
182

183
184
185
    def forward(self, species_energies: Tuple[Tensor, Tensor],
                cell: Optional[Tensor] = None,
                pbc: Optional[Tensor] = None) -> SpeciesEnergies:
Gao, Xiang's avatar
Gao, Xiang committed
186
187
        """(species, molecular energies)->(species, molecular energies + sae)
        """
Gao, Xiang's avatar
Gao, Xiang committed
188
        species, energies = species_energies
189
190
        sae = self.sae(species)
        return SpeciesEnergies(species, energies + sae)
191
192


Gao, Xiang's avatar
Gao, Xiang committed
193
class ChemicalSymbolsToInts:
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
    r"""Helper that can be called to convert chemical symbol string to integers

    On initialization the class should be supplied with a :class:`list` (or in
    general :class:`collections.abc.Sequence`) of :class:`str`. The returned
    instance is a callable object, which can be called with an arbitrary list
    of the supported species that is converted into a tensor of dtype
    :class:`torch.long`. Usage example:

    .. code-block:: python

       from torchani.utils import ChemicalSymbolsToInts


       # We initialize ChemicalSymbolsToInts with the supported species
       species_to_tensor = ChemicalSymbolsToInts(['H', 'C', 'Fe', 'Cl'])

       # We have a species list which we want to convert to an index tensor
       index_tensor = species_to_tensor(['H', 'C', 'H', 'H', 'C', 'Cl', 'Fe'])

       # index_tensor is now [0 1 0 0 1 3 2]


    .. warning::

        If the input is a string python will iterate over
        characters, this means that a string such as 'CHClFe' will be
        intepreted as 'C' 'H' 'C' 'l' 'F' 'e'. It is recommended that you
        input either a :class:`list` or a :class:`numpy.ndarray` ['C', 'H', 'Cl', 'Fe'],
        and not a string. The output of a call does NOT correspond to a
        tensor of atomic numbers.
Gao, Xiang's avatar
Gao, Xiang committed
224
225
226

    Arguments:
        all_species (:class:`collections.abc.Sequence` of :class:`str`):
Ignacio Pickering's avatar
Ignacio Pickering committed
227
228
        sequence of all supported species, in order (it is recommended to order
        according to atomic number).
Gao, Xiang's avatar
Gao, Xiang committed
229
230
231
    """

    def __init__(self, all_species):
232
        self.rev_species = {s: i for i, s in enumerate(all_species)}
Gao, Xiang's avatar
Gao, Xiang committed
233
234

    def __call__(self, species):
235
        r"""Convert species from sequence of strings to 1D tensor"""
Gao, Xiang's avatar
Gao, Xiang committed
236
237
238
        rev = [self.rev_species[s] for s in species]
        return torch.tensor(rev, dtype=torch.long)

239
240
241
    def __len__(self):
        return len(self.rev_species)

Gao, Xiang's avatar
Gao, Xiang committed
242

243
244
245
246
247
class FreqsModes(NamedTuple):
    freqs: Tensor
    modes: Tensor


248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
class VibAnalysis(NamedTuple):
    freqs: Tensor
    modes: Tensor
    fconstants: Tensor
    rmasses: Tensor


def vibrational_analysis(masses, hessian, mode_type='MDU', unit='cm^-1'):
    """Computing the vibrational wavenumbers from hessian.

    Note that normal modes in many popular software packages such as
    Gaussian and ORCA are output as mass deweighted normalized (MDN).
    Normal modes in ASE are output as mass deweighted unnormalized (MDU).
    Some packages such as Psi4 let ychoose different normalizations.
    Force constants and reduced masses are calculated as in Gaussian.

    mode_type should be one of:
    - MWN (mass weighted normalized)
    - MDU (mass deweighted unnormalized)
    - MDN (mass deweighted normalized)

Ignacio Pickering's avatar
Ignacio Pickering committed
269
270
271
    MDU modes are not orthogonal, and not normalized,
    MDN modes are not orthogonal, and normalized.
    MWN modes are orthonormal, but they correspond
272
273
    to mass weighted cartesian coordinates (x' = sqrt(m)x).
    """
Ignacio Pickering's avatar
Ignacio Pickering committed
274
275
276
277
278
    if unit == 'meV':
        unit_converter = sqrt_mhessian2milliev
    elif unit == 'cm^-1':
        unit_converter = sqrt_mhessian2invcm
    else:
Gao, Xiang's avatar
Gao, Xiang committed
279
        raise ValueError('Only meV and cm^-1 are supported right now')
Ignacio Pickering's avatar
Ignacio Pickering committed
280

281
    assert hessian.shape[0] == 1, 'Currently only supporting computing one molecule a time'
282
283
    degree_of_freedom = hessian.shape[1] * hessian.shape[2]
    hessian = hessian.reshape(1, degree_of_freedom, degree_of_freedom)
284
285
286
287
288
289
    # Solving the eigenvalue problem: Hq = w^2 * T q
    # where H is the Hessian matrix, q is the normal coordinates,
    # T = diag(m1, m1, m1, m2, m2, m2, ....) is the mass
    # We solve this eigenvalue problem through Lowdin diagnolization:
    # Hq = w^2 * Tq ==> Hq = w^2 * T^(1/2) T^(1/2) q
    # Letting q' = T^(1/2) q, we then have
290
    # T^(-1/2) H T^(-1/2) q' = w^2 * q'
291
292
293
294
295
    inv_sqrt_mass = (1 / masses.sqrt()).repeat_interleave(3, dim=1)  # shape (molecule, 3 * atoms)
    mass_scaled_hessian = hessian * inv_sqrt_mass.unsqueeze(1) * inv_sqrt_mass.unsqueeze(2)
    if mass_scaled_hessian.shape[0] != 1:
        raise ValueError('The input should contain only one molecule')
    mass_scaled_hessian = mass_scaled_hessian.squeeze(0)
296
    eigenvalues, eigenvectors = torch.symeig(mass_scaled_hessian, eigenvectors=True)
297
298
    angular_frequencies = eigenvalues.sqrt()
    frequencies = angular_frequencies / (2 * math.pi)
Ignacio Pickering's avatar
Ignacio Pickering committed
299
300
    # converting from sqrt(hartree / (amu * angstrom^2)) to cm^-1 or meV
    wavenumbers = unit_converter(frequencies)
301
302
303
304

    # Note that the normal modes are the COLUMNS of the eigenvectors matrix
    mw_normalized = eigenvectors.t()
    md_unnormalized = mw_normalized * inv_sqrt_mass
305
    norm_factors = 1 / torch.linalg.norm(md_unnormalized, dim=1)  # units are sqrt(AMU)
306
307
308
    md_normalized = md_unnormalized * norm_factors.unsqueeze(1)

    rmasses = norm_factors**2  # units are AMU
Ignacio Pickering's avatar
Ignacio Pickering committed
309
310
    # The conversion factor for Ha/(AMU*A^2) to mDyne/(A*AMU) is about 4.3597482
    fconstants = mhessian2fconst(eigenvalues) * rmasses  # units are mDyne/A
311
312
313
314
315
316
317
318
319

    if mode_type == 'MDN':
        modes = (md_normalized).reshape(frequencies.numel(), -1, 3)
    elif mode_type == 'MDU':
        modes = (md_unnormalized).reshape(frequencies.numel(), -1, 3)
    elif mode_type == 'MWN':
        modes = (mw_normalized).reshape(frequencies.numel(), -1, 3)

    return VibAnalysis(wavenumbers, modes, fconstants, rmasses)
320
321


322
def get_atomic_masses(species):
Ignacio Pickering's avatar
Ignacio Pickering committed
323
    r"""Convert a tensor of atomic numbers ("periodic table indices") into a tensor of atomic masses
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

    Atomic masses supported are the first 119 elements, and are taken from:

    Atomic weights of the elements 2013 (IUPAC Technical Report). Meija, J.,
    Coplen, T., Berglund, M., et al. (2016). Pure and Applied Chemistry, 88(3), pp.
    265-291. Retrieved 30 Nov. 2016, from doi:10.1515/pac-2015-0305

    They are all consistent with those used in ASE

    Arguments:
        species (:class:`torch.Tensor`): tensor with atomic numbers

    Returns:
        :class:`torch.Tensor`: Tensor of dtype :class:`torch.double`, with
        atomic masses, with the same shape as the input.
    """
    # Note that there should not be any atoms with index zero, because that is
    # not an element
    assert len((species == 0).nonzero()) == 0
    default_atomic_masses = torch.tensor(
            [0.        ,   1.008     ,   4.002602  ,   6.94      , # noqa
             9.0121831 ,  10.81      ,  12.011     ,  14.007     , # noqa
            15.999     ,  18.99840316,  20.1797    ,  22.98976928, # noqa
            24.305     ,  26.9815385 ,  28.085     ,  30.973762  , # noqa
            32.06      ,  35.45      ,  39.948     ,  39.0983    , # noqa
            40.078     ,  44.955908  ,  47.867     ,  50.9415    , # noqa
            51.9961    ,  54.938044  ,  55.845     ,  58.933194  , # noqa
            58.6934    ,  63.546     ,  65.38      ,  69.723     , # noqa
            72.63      ,  74.921595  ,  78.971     ,  79.904     , # noqa
            83.798     ,  85.4678    ,  87.62      ,  88.90584   , # noqa
            91.224     ,  92.90637   ,  95.95      ,  97.90721   , # noqa
           101.07      , 102.9055    , 106.42      , 107.8682    , # noqa
           112.414     , 114.818     , 118.71      , 121.76      , # noqa
           127.6       , 126.90447   , 131.293     , 132.90545196, # noqa
           137.327     , 138.90547   , 140.116     , 140.90766   , # noqa
           144.242     , 144.91276   , 150.36      , 151.964     , # noqa
           157.25      , 158.92535   , 162.5       , 164.93033   , # noqa
           167.259     , 168.93422   , 173.054     , 174.9668    , # noqa
           178.49      , 180.94788   , 183.84      , 186.207     , # noqa
           190.23      , 192.217     , 195.084     , 196.966569  , # noqa
           200.592     , 204.38      , 207.2       , 208.9804    , # noqa
           208.98243   , 209.98715   , 222.01758   , 223.01974   , # noqa
           226.02541   , 227.02775   , 232.0377    , 231.03588   , # noqa
           238.02891   , 237.04817   , 244.06421   , 243.06138   , # noqa
           247.07035   , 247.07031   , 251.07959   , 252.083     , # noqa
           257.09511   , 258.09843   , 259.101     , 262.11      , # noqa
           267.122     , 268.126     , 271.134     , 270.133     , # noqa
           269.1338    , 278.156     , 281.165     , 281.166     , # noqa
           285.177     , 286.182     , 289.19      , 289.194     , # noqa
           293.204     , 293.208     , 294.214], # noqa
Gao, Xiang's avatar
Gao, Xiang committed
374
        dtype=torch.double, device=species.device) # noqa
375
376
377
378
    masses = default_atomic_masses[species]
    return masses


Gao, Xiang's avatar
Gao, Xiang committed
379
380
381
382
# This constant, when indexed with the corresponding atomic number, gives the
# element associated with it. Note that there is no element with atomic number
# 0, so 'Dummy' returned in this case.
PERIODIC_TABLE = ['Dummy'] + """
383
384
385
386
387
388
389
390
391
392
    H                                                                                                                           He
    Li  Be                                                                                                  B   C   N   O   F   Ne
    Na  Mg                                                                                                  Al  Si  P   S   Cl  Ar
    K   Ca  Sc                                                          Ti  V   Cr  Mn  Fe  Co  Ni  Cu  Zn  Ga  Ge  As  Se  Br  Kr
    Rb  Sr  Y                                                           Zr  Nb  Mo  Tc  Ru  Rh  Pd  Ag  Cd  In  Sn  Sb  Te  I   Xe
    Cs  Ba  La  Ce  Pr  Nd  Pm  Sm  Eu  Gd  Tb  Dy  Ho  Er  Tm  Yb  Lu  Hf  Ta  W   Re  Os  Ir  Pt  Au  Hg  Tl  Pb  Bi  Po  At  Rn
    Fr  Ra  Ac  Th  Pa  U   Np  Pu  Am  Cm  Bk  Cf  Es  Fm  Md  No  Lr  Rf  Db  Sg  Bh  Hs  Mt  Ds  Rg  Cn  Nh  Fl  Mc  Lv  Ts  Og
    """.strip().split()


393
394
__all__ = ['pad_atomic_properties', 'present_species', 'vibrational_analysis',
           'strip_redundant_padding', 'ChemicalSymbolsToInts', 'get_atomic_masses']