Source code for calorine.calculators.gpunep

import os
import tempfile
import shutil
import subprocess
import warnings
from collections.abc import Iterable
from typing import Any, List, Tuple

import numpy as np
from ase import Atoms
from ase.calculators.calculator import FileIOCalculator
from ase.io import read as ase_read
from ase.units import GPa
from ..gpumd import write_xyz


[docs]class GPUNEP(FileIOCalculator): """This class provides an ASE calculator for NEP calculations with GPUMD. This calculator writes files that are input to the `gpumd` executable. It is thus likely to be slow if many calculations are to be performed. Parameters ---------- model_filename : str Path to file in ``nep.txt`` format with model parameters. directory : str Directory to run GPUMD in. If None, a temporary directory will be created and removed once the calculations are finished. If specified, the directory will not be deleted. In the latter case, it is advisable to do no more than one calculation with this calculator (unless you know exactly what you are doing). label : str Label for this calculator. atoms : Atoms Atoms to attach to this calculator. command : str Command to run GPUMD with. Default: ``gpumd`` prefix : str Filename (excluding file ending) for run script. Default: ``to_run`` Example ------- >>> calc = GPUNEP('nep.txt') >>> atoms.calc = calc >>> atoms.get_potential_energy() """ command = 'gpumd' implemented_properties = ['energy', 'forces', 'stress'] discard_results_on_any_change = True # We use list of tuples to define parameters for # MD simulations. Looks like a dictionary, but sometimes # we want to repeat the same keyword. single_point_parameters = [('dump_thermo', 1), ('dump_force', 1), ('dump_position', 1), ('velocity', 1e-24), ('time_step', 1e-6), # 1 zeptosecond ('ensemble', 'nve'), ('run', 1)] def __init__(self, model_filename: str, directory: str = None, label: str = 'GPUNEP', atoms: Atoms = None, command: str = command): # Determine run command # Determine whether to save stdout or not if directory is None and '>' not in command: # No need to save stdout if we run in temporary directory command += ' > /dev/null' elif '>' not in command: command += ' > stdout' self.command = command self.model_filename = model_filename # Determine directory to run in self._use_temporary_directory = directory is None self._directory = directory if self._use_temporary_directory: self._make_new_tmp_directory() else: self._potential_path = os.path.relpath( os.path.abspath(self.model_filename), self._directory) FileIOCalculator.__init__(self, directory=self._directory, label=label, atoms=atoms) # If the model file is missing we should abort immediately # such that we can provide a more clear error message # (otherwise the code would fail without telling what is wrong). if not os.path.exists(model_filename): raise FileNotFoundError(f'{model_filename} does not exist.') # Read species from nep.txt with open(model_filename, 'r') as f: for line in f: if 'nep' in line: self.species = line.split()[2:]
[docs] def run_custom_md( self, parameters: List[Tuple[str, Any]], return_last_atoms: bool = False, only_prepare: bool = False, ): """ Run a custom MD simulation. Parameters ---------- parameters Parameters to be specified in the run.in file. The potential keyword is set automatically, all other keywords need to be set via this argument. Example:: [('dump_thermo', 100), ('dump_position', 1000), ('velocity', 300), ('time_step', 1), ('ensemble', ['nvt_ber', 300, 300, 100]), ('run', 10000)] return_last_atoms If ``True`` the last saved snapshot will be returned. only_prepare If ``True`` the necessary input files will be written but theMD run will not be executed. Returns ------- The last snapshot if :attr:`return_last_atoms` is ``True``. """ if self._use_temporary_directory: self._make_new_tmp_directory() if self._use_temporary_directory and not return_last_atoms: raise ValueError('Refusing to run in temporary directory ' 'and not returning atoms; all results will be gone.') if self._use_temporary_directory and only_prepare: raise ValueError('Refusing to only prepare in temporary directory, ' 'all files will be removed.') # Write files and run FileIOCalculator.write_input(self, self.atoms) self._write_runfile(parameters) write_xyz(filename=os.path.join(self._directory, 'model.xyz'), structure=self.atoms) if only_prepare: return None # Execute the calculation. # Once a new release of ASE is made # (>3.22.1), the below lines can be replaced with # self.execute() command = self.command proc = subprocess.Popen(command, shell=True, cwd=self.directory) errorcode = proc.wait() if errorcode: path = os.path.abspath(self.directory) msg = ('Calculator "{}" failed with command "{}" failed in ' '{} with error code {}'.format(self.name, command, path, errorcode)) raise RuntimeError(msg) # Extract last snapshot if needed if return_last_atoms: last_atoms = ase_read(os.path.join(self._directory, 'movie.xyz'), format='extxyz', index=-1) if self._use_temporary_directory: self._clean() if return_last_atoms: return last_atoms else: return None
def write_input(self, atoms, properties=None, system_changes=None): """ Write the input files necessary for a single-point calculation. """ if self._use_temporary_directory: self._make_new_tmp_directory() FileIOCalculator.write_input(self, atoms, properties, system_changes) self._write_runfile(parameters=self.single_point_parameters) write_xyz(filename=os.path.join(self._directory, 'model.xyz'), structure=atoms) def _write_runfile(self, parameters): """Write run.in file to define input parameters for MD simulation. Parameters ---------- parameters : dict Defines all key-value pairs used in run.in file (see GPUMD documentation for a complete list). Values can be either floats, integers, or lists/tuples. """ if len(os.listdir(self._directory)) > 0: warnings.warn(f'{self._directory} is not empty.') with open(os.path.join(self._directory, 'run.in'), 'w') as f: # Custom potential is allowed but normally it can be deduced if 'potential' not in [keyval[0] for keyval in parameters]: f.write(f'potential {self._potential_path} \n') # Write all keywords with parameter(s) for key, val in parameters: f.write(f'{key} ') if isinstance(val, Iterable) and not isinstance(val, str): for v in val: f.write(f'{v} ') else: f.write(f'{val}') f.write('\n') def get_potential_energy_and_stresses_from_file(self): """ Extract potential energy (third column of last line in thermo.out) and stresses from thermo.out """ data = np.loadtxt(os.path.join(self._directory, 'thermo.out')) if len(data.shape) == 1: line = data else: line = data[-1, :] # Energy energy = line[2] # Stress stress = [v for v in line[3:9]] stress = -GPa * np.array(stress) # to eV/A^3 if np.any(np.isnan(stress)) or np.isnan(energy): raise ValueError(f'Failed to extract energy and/or stresses:\n {line}') return energy, stress def _read_potential_energy_and_stresses(self): """Reads potential energy and stresses.""" self.results['energy'], self.results['stress'] = \ self.get_potential_energy_and_stresses_from_file() def get_forces_from_file(self): """ Extract forces (in eV/A) from last snapshot in force.out """ data = np.loadtxt(os.path.join(self._directory, 'force.out')) return data[-len(self.atoms):, :] def _read_forces(self): """Reads forces (the last snapshot in force.out) in eV/A""" self.results['forces'] = self.get_forces_from_file() def read_results(self): """ Read results from last step of MD calculation. """ self._read_potential_energy_and_stresses() self._read_forces() if self._use_temporary_directory: self._clean() def _clean(self): """ Remove directory with calculations. """ shutil.rmtree(self._directory) def _make_new_tmp_directory(self): """ Create a new temporary directory. """ # We do not need to create a new temporary directory # if the current one is empty if self._directory is None or \ (os.path.isdir(self._directory) and len(os.listdir(self._directory)) > 0): self._directory = tempfile.mkdtemp() self._potential_path = os.path.relpath(os.path.abspath(self.model_filename), self._directory)
[docs] def set_atoms(self, atoms): """ Set Atoms object. Used also when attaching calculator to Atoms object. """ self.atoms = atoms self.results = {}
[docs] def set_directory(self, directory): """ Set path to a new directory. This makes it possible to run several calculations with the same calculator while saving all results """ self._directory = directory self._use_temporary_directory = False self._potential_path = os.path.relpath(os.path.abspath(self.model_filename), self._directory)