-
Notifications
You must be signed in to change notification settings - Fork 4
/
main.py
205 lines (175 loc) · 6.58 KB
/
main.py
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
# Copyright 2023 Garena Online Private Limited
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Entrypoint for D4FT."""
import pickle
import string
from pathlib import Path
from typing import Any
import jax
import matplotlib.pyplot as plt
import pandas as pd
import shortuuid
from absl import app, flags, logging
from ml_collections.config_flags import config_flags
from d4ft.config import D4FTConfig
from d4ft.constants import HARTREE_TO_KCAL_PER_MOL
from d4ft.solver.drivers import (
cgto_direct,
incore_cgto_pyscf_benchmark,
incore_cgto_scf,
)
from d4ft.system.refdata import get_refdata_benchmark_set
FLAGS = flags.FLAGS
flags.DEFINE_enum(
"run", "opt", ["opt", "pyscf", "reaction", "viz"], "which routine to run"
)
flags.DEFINE_string("reaction", "hf_h_hfhts", "the reaction to run")
flags.DEFINE_string("benchmark", "", "the refdata benchmark set to run")
flags.DEFINE_bool("use_f64", False, "whether to use float64")
flags.DEFINE_bool("debug_nans", False, "whether to enable debug_nans")
flags.DEFINE_bool("pyscf", False, "whether to benchmark against pyscf results")
flags.DEFINE_bool("save", False, "whether to save results and trajectories")
config_flags.DEFINE_config_file(name="config", default="d4ft/config.py")
def get_rxn_energy(rxn: str, benchmark: str, df: pd.DataFrame) -> float:
reactants, products = rxn.replace("-", "").split(">")
rxn_energy = 0.
for reactant in reactants.split("+"):
ratio, system = reactant.split("*")
rxn_energy -= float(ratio) * df.loc[f"{benchmark}-{system}", "e_total"]
for product in products.split("+"):
ratio, system = product.split("*")
rxn_energy += float(ratio) * df.loc[f"{benchmark}-{system}", "e_total"]
return rxn_energy
def main(_: Any) -> None:
jax.config.update("jax_enable_x64", FLAGS.use_f64)
jax.config.update("jax_debug_nans", FLAGS.debug_nans)
cfg: D4FTConfig = FLAGS.config
print(cfg)
if FLAGS.save:
with cfg.unlocked():
cfg.uuid = shortuuid.ShortUUID(
alphabet=string.ascii_lowercase + string.digits
).random(8)
if FLAGS.benchmark != "":
assert FLAGS.save
system_done = []
if FLAGS.benchmark in cfg.save_dir:
p = Path(cfg.save_dir)
logging.info(f"resuming {FLAGS.benchmark} benchmark set")
with cfg.unlocked():
cfg.uuid = p.name
cfg.save_dir = str(p.parent)
system_done = [f.name.split("-")[-1] for f in p.iterdir() if f.is_dir()]
else:
with cfg.unlocked():
cfg.uuid = ",".join([FLAGS.benchmark, cfg.get_core_cfg_str(), cfg.uuid])
cfg.save()
systems, _, _ = get_refdata_benchmark_set(FLAGS.benchmark)
# HACK: fix the xc grad NaN issue
system_done.append("bh76_h")
for system in systems:
if system in system_done:
logging.info(f"skipping {system}..")
continue
with cfg.unlocked():
cfg.sys_cfg.mol = "-".join([FLAGS.benchmark, system])
try:
if FLAGS.run == "opt":
cgto_direct(cfg, FLAGS.pyscf)
else:
raise NotImplementedError
except Exception as e:
logging.error(e)
return
if FLAGS.run == "opt": # optimize for ground-state energy
if cfg.solver_cfg.name == "GD":
cgto_direct(cfg, FLAGS.pyscf)
elif cfg.solver_cfg.name == "SCF":
incore_cgto_scf(cfg, FLAGS.pyscf)
elif FLAGS.run == "pyscf":
incore_cgto_pyscf_benchmark(cfg)
elif FLAGS.run == "viz":
p = Path(cfg.save_dir)
benchmark, run_cfg, _ = p.name.split(',')
runs = [f for f in p.iterdir() if f.is_dir()]
direct_df = pd.DataFrame()
pyscf_df = pd.DataFrame()
pyscf_mos = []
direct_mos = []
for run in runs:
direct_df_i = pd.read_csv(run / "direct_opt.csv").iloc[-1:]
pyscf_df_i = pd.read_csv(run / "pyscf.csv")
direct_df_i.index = [run.name]
pyscf_df_i.index = [run.name]
direct_df = pd.concat([direct_df, direct_df_i])
pyscf_df = pd.concat([pyscf_df, pyscf_df_i])
with open(run / "pyscf_mo_coeff.pkl", "rb") as f:
pyscf_mos.append(pickle.load(f))
with open(run / "traj.pkl", "rb") as f:
traj = pickle.load(f)
direct_mos.append(traj.mo_coeff)
direct_df = direct_df.rename(columns={
'Unnamed: 0': 'steps',
})
pyscf_df = pyscf_df.rename(columns={
'Unnamed: 0': 'steps',
})
diff_df = (direct_df - pyscf_df) * HARTREE_TO_KCAL_PER_MOL
diff_df['e_total'].dropna().sort_values().plot(
kind='bar', label='direct - pyscf (kcal/mol)'
)
title = f"{benchmark} benchmark set energy difference, {run_cfg}"
plt.title(title)
plt.ylabel("dE (kcal/mol)")
plt.plot(
diff_df.index, [1] * len(diff_df.index), 'r--', label='chemical accuracy'
)
plt.legend()
plt.savefig(title + ".png", dpi=300)
plt.show()
# HACK: currently H has nan in xc gradient so cannot be computed
direct_df.loc['bh76-bh76_h'] = pyscf_df.loc['bh76-bh76_h']
systems, rxns, ref_energy = get_refdata_benchmark_set(benchmark)
rxn_df = pd.DataFrame(columns=['direct', 'pyscf', 'ref'])
for rxn, ref in zip(rxns, ref_energy):
rxn_e_pyscf = get_rxn_energy(rxn, benchmark, pyscf_df)
rxn_e_pyscf *= HARTREE_TO_KCAL_PER_MOL
rxn_e_direct = get_rxn_energy(rxn, benchmark, direct_df)
rxn_e_direct *= HARTREE_TO_KCAL_PER_MOL
rxn_df.loc[rxn] = [rxn_e_direct, rxn_e_pyscf, ref]
rxn_diff_df = pd.DataFrame(columns=['direct', 'pyscf'])
rxn_diff_df['direct'] = rxn_df['direct'] - rxn_df['ref']
rxn_diff_df['pyscf'] = rxn_df['pyscf'] - rxn_df['ref']
rxn_diff_df.sort_values(by='direct').plot(kind='bar')
plt.title(
f"{benchmark} benchmark set reaction energy \
(calculated - reference), {run_cfg}"
)
plt.ylabel("dE (kcal/mol)")
plt.show()
(rxn_df['direct'] - rxn_df['pyscf']).plot(
kind='bar', label='direct - pyscf (kcal/mol)'
)
plt.plot(
rxn_df.index, [1] * len(rxn_df.index), 'r--', label='chemical accuracy'
)
plt.plot(rxn_df.index, [-1] * len(rxn_df.index), 'r--')
plt.title(
f"{benchmark} benchmark set reaction energy difference \
(direct - pyscf), {run_cfg}"
)
plt.legend()
plt.show()
if __name__ == "__main__":
app.run(main)