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
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
mod libxc;
mod gen_grids;
use rest_tensors::{MatrixFull, MatrixFullSliceMut, TensorSliceMut, RIFull, MatrixFullSlice};
use rest_tensors::matrix_blas_lapack::{_dgemm_nn,_dgemm_tn, _einsum_01, _einsum_02};
use itertools::{Itertools, izip};
use libc::access;
use tensors::{BasicMatrix, MathMatrix, ParMathMatrix};
use tensors::external_libs::{general_dgemm_f, matr_copy};
use tensors::matrix_blas_lapack::{_dgemm, contract_vxc_0_serial};
use self::gen_grids::{radial_grid_lmg_bse};
use rayon::iter::{IntoParallelRefIterator, IndexedParallelIterator, ParallelIterator, IntoParallelRefMutIterator};
use regex::Regex;
use crate::basis_io::{Basis4Elem, cartesian_gto_cint, cartesian_gto_std, gto_value, BasCell, gto_value_debug, cint_norm_factor, gto_1st_value, spheric_gto_value_matrixfull, spheric_gto_1st_value_batch, spheric_gto_value_matrixfull_serial, spheric_gto_1st_value_batch_serial, spheric_gto_value_serial, spheric_gto_1st_value_serial};
use crate::molecule_io::Molecule;
use crate::geom_io::get_mass_charge;
use crate::scf_io::SCF;
use crate::utilities::{self, balancing};
use core::num;
use std::collections::HashMap;
use std::io::Read;
use std::iter::Zip;
use std::ops::Range;
use std::option::IntoIter;
use std::os::raw::c_int;
use std::path::Iter;
use std::sync::mpsc::channel;
use self::libxc::{XcFuncType, LibXCFamily};
#[derive(Clone,Debug)]
pub enum DFAFamily {
LDA,
GGA,
MGGA,
HybridGGA,
HybridMGGA,
XDH,
RPA,
Unknown
}
#[derive(Clone)]
pub struct DFA4REST {
pub spin_channel: usize,
pub dfa_compnt_scf: Vec<usize>,
pub dfa_paramr_scf: Vec<f64>,
pub dfa_hybrid_scf: f64,
pub dfa_family_pos: Option<DFAFamily>,
pub dfa_compnt_pos: Option<Vec<usize>>,
pub dfa_paramr_pos: Option<Vec<f64>>,
pub dfa_hybrid_pos: Option<f64>,
pub dfa_paramr_adv: Option<Vec<f64>>,
}
impl DFAFamily {
pub fn to_libxc_family(&self) -> libxc::LibXCFamily {
match self {
DFAFamily::LDA => libxc::LibXCFamily::LDA,
DFAFamily::GGA => libxc::LibXCFamily::GGA,
DFAFamily::MGGA => libxc::LibXCFamily::MGGA,
DFAFamily::HybridGGA => libxc::LibXCFamily::HybridGGA,
DFAFamily::HybridMGGA => libxc::LibXCFamily::HybridMGGA,
DFAFamily::XDH => libxc::LibXCFamily::HybridGGA,
DFAFamily::RPA => libxc::LibXCFamily::GGA,
DFAFamily::Unknown => libxc::LibXCFamily::Unknown,
}
}
pub fn from_libxc_family(family: &libxc::LibXCFamily) -> DFAFamily {
match family {
libxc::LibXCFamily::LDA => DFAFamily::LDA,
libxc::LibXCFamily::GGA => DFAFamily::GGA,
libxc::LibXCFamily::MGGA => DFAFamily::MGGA,
libxc::LibXCFamily::HybridGGA => DFAFamily::HybridGGA,
libxc::LibXCFamily::HybridMGGA => DFAFamily::HybridMGGA,
libxc::LibXCFamily::Unknown => DFAFamily::Unknown,
}
}
}
impl DFA4REST {
pub fn xc_version(&self) {
let mut vmajor:c_int = 0;
let mut vminor:c_int = 0;
let mut vmicro:c_int = 0;
unsafe{libxc::ffi_xc::xc_version(&mut vmajor, &mut vminor, &mut vmicro)};
println!("Libxc version used in REST: {}.{}.{}", vmajor, vminor, vmicro);
}
pub fn new(name: &str, spin_channel: usize) -> DFA4REST {
let tmp_name = name.to_lowercase();
let post_dfa = DFA4REST::parse_postscf(&tmp_name, spin_channel);
match post_dfa {
Some(dfa) => {
println!("the scf functional for '{}' contains", &name);
&dfa.dfa_compnt_scf.iter().for_each(|xc_func| {
dfa.init_libxc(xc_func).xc_func_info_printout()
});
if let (Some(dfatype),Some(dfacomp)) =
(&dfa.dfa_family_pos, &dfa.dfa_compnt_pos) {
println!("the post-scf functional '{}' is employed, which contains", &name);
dfacomp.into_iter().for_each(|xc_func| {
dfa.init_libxc(xc_func).xc_func_info_printout()
})
};
dfa
},
None => {
let dfa = DFA4REST::parse_scf(&tmp_name, spin_channel);
println!("the functional of '{}' contains", &name);
dfa.dfa_compnt_scf.iter().for_each(|xc_func| {
dfa.init_libxc(xc_func).xc_func_info_printout()
});
println!("debug {:?}",&dfa.dfa_paramr_scf);
dfa
},
}
}
pub fn libxc_code_fdqc(name: &str) -> [usize;3] {
let lower_name = name.to_lowercase();
if lower_name.eq(&"hf".to_string()) {
[0,0,0]
} else if lower_name.eq(&"svwn".to_string()) {
[0,1,7]
} else if lower_name.eq(&"svwn-rpa".to_string()) {
[0,1,8]
} else if lower_name.eq(&"pz-lda".to_string()) {
[0,1,9]
} else if lower_name.eq(&"pw-lda".to_string()) {
[0,1,12]
} else if lower_name.eq(&"blyp".to_string()) {
[0,106,131]
} else if lower_name.eq(&"xlyp".to_string()) {
[166,0,0]
} else if lower_name.eq(&"pbe".to_string()) {
[0,101,130]
} else if lower_name.eq(&"xpbe".to_string()) {
[0,123,136]
} else if lower_name.eq(&"b3lyp".to_string()) {
[402,0,0]
} else if lower_name.eq(&"x3lyp".to_string()) {
[411,0,0]
} else if lower_name.eq(&"lda_x_slater".to_string()) {
[0,1,0]
} else if lower_name.eq(&"gga_x_b88".to_string()) {
[0,106,0]
} else if lower_name.eq(&"gga_x_pbe".to_string()) {
[0,101,0]
} else if lower_name.eq(&"gga_x_xpbe".to_string()) {
[0,123,0]
} else if lower_name.eq(&"lda_c_vwn".to_string()) {
[0,0,7]
} else if lower_name.eq(&"lda_c_vwn_rpa".to_string()) {
[0,0,8]
} else if lower_name.eq(&"gga_c_lyp".to_string()) {
[0,0,131]
} else if lower_name.eq(&"gga_c_pbe".to_string()) {
[0,0,130]
} else if lower_name.eq(&"gga_c_xpbe".to_string()) {
[0,0,136]
} else {
println!("Unknown XC method is specified: {}. The standard Hartree-Fock approximation is involked", &name);
[0,0,0]
}
}
pub fn xc_func_init_fdqc(name: &str, spin_channel: usize) -> Vec<usize> {
let lower_name = name.to_lowercase();
let xc_code = DFA4REST::libxc_code_fdqc(name);
xc_code.iter().filter(|x| **x!=0).map(|x| *x).collect::<Vec<usize>>()
}
pub fn init_libxc(&self, xc_code: &usize) -> XcFuncType {
XcFuncType::xc_func_init(*xc_code, self.spin_channel)
}
pub fn get_hybrid_libxc(dfa_compnt_scf: &Vec<usize>,spin_channel:usize) -> f64 {
let hybrid_list = dfa_compnt_scf
.iter()
.filter(|xc_func| {XcFuncType::xc_func_init(**xc_func,spin_channel).use_exact_exchange()})
.map(|xc_func| {XcFuncType::xc_func_init(*xc_func,spin_channel).xc_hyb_exx_coeff()}).collect_vec();
let hybrid_coeff = if hybrid_list.len() == 1 {
hybrid_list[0]
} else {
0.0
};
hybrid_coeff
}
pub fn parse_scf(name: &str, spin_channel: usize) -> DFA4REST {
let tmp_name = name.to_lowercase();
let dfa_compnt_scf = DFA4REST::xc_func_init_fdqc(&tmp_name, spin_channel);
let dfa_hybrid_scf = DFA4REST::get_hybrid_libxc(&dfa_compnt_scf,spin_channel);
let dfa_paramr_scf = vec![1.0;dfa_compnt_scf.len()];
DFA4REST {
spin_channel,
dfa_family_pos: None,
dfa_compnt_pos: None,
dfa_paramr_pos: None,
dfa_hybrid_pos: None,
dfa_paramr_adv: None,
dfa_compnt_scf,
dfa_paramr_scf,
dfa_hybrid_scf,
}
}
pub fn parse_scf_nonstd(codelist:Vec<usize>, paramlist:Vec<f64>, spin_channel: usize) -> DFA4REST {
if codelist.len()!=paramlist.len() {panic!("codelist (len: {}) does not match paramlist (len: {})", codelist.len(), paramlist.len())}
let dfa_hybrid_scf = DFA4REST::get_hybrid_libxc(&codelist,spin_channel);
DFA4REST {
spin_channel,
dfa_family_pos: None,
dfa_compnt_pos: None,
dfa_paramr_pos: None,
dfa_hybrid_pos: None,
dfa_paramr_adv: None,
dfa_compnt_scf: codelist,
dfa_paramr_scf: paramlist,
dfa_hybrid_scf,
}
}
pub fn parse_postscf(name: &str,spin_channel: usize) -> Option<DFA4REST> {
let tmp_name = name.to_lowercase();
if tmp_name.eq("xyg3") {
let dfa_family_pos = Some(DFAFamily::XDH);
let pos_dfa = ["lda_x_slater", "gga_x_b88","lda_c_vwn_rpa","gga_c_lyp"];
let dfa_compnt_pos: Option<Vec<usize>> = Some(pos_dfa.iter().map(|xc| {
DFA4REST::xc_func_init_fdqc(*xc, spin_channel).into_iter()})
.flatten()
.collect());
let dfa_paramr_pos = Some(vec![-0.0140,0.2107,0.00,0.6789]);
let dfa_hybrid_pos = Some(0.8033);
let dfa_paramr_adv = Some(vec![0.3211,0.3211]);
let scf_dfa = ["b3lyp"];
let dfa_compnt_scf: Vec<usize> = scf_dfa.iter().map(|xc| {
DFA4REST::xc_func_init_fdqc(*xc, spin_channel).into_iter()})
.flatten().collect();
let dfa_paramr_scf = vec![1.0;dfa_compnt_scf.len()];
let dfa_hybrid_scf = DFA4REST::get_hybrid_libxc(&dfa_compnt_scf,spin_channel);
Some(DFA4REST{
spin_channel,
dfa_compnt_scf,
dfa_paramr_scf,
dfa_hybrid_scf,
dfa_paramr_adv,
dfa_family_pos,
dfa_compnt_pos,
dfa_paramr_pos,
dfa_hybrid_pos
})
} else if tmp_name.eq("xygjos") {
let dfa_family_pos = Some(DFAFamily::XDH);
let pos_dfa = ["lda_x_slater", "gga_x_b88","lda_c_vwn_rpa","gga_c_lyp"];
let dfa_compnt_pos: Option<Vec<usize>> = Some(pos_dfa.iter().map(|xc| {
DFA4REST::xc_func_init_fdqc(*xc, spin_channel).into_iter()})
.flatten().collect());
let dfa_paramr_pos = Some(vec![0.2269,0.000,0.2309,0.2754]);
let dfa_hybrid_pos = Some(0.7731);
let dfa_paramr_adv = Some(vec![0.4364,0.0000]);
let dfa_family_scf = DFAFamily::HybridGGA;
let scf_dfa = ["b3lyp"];
let dfa_compnt_scf: Vec<usize> = scf_dfa.iter().map(|xc| {
DFA4REST::xc_func_init_fdqc(*xc, spin_channel).into_iter()})
.flatten().collect();
let dfa_paramr_scf = vec![1.0;dfa_compnt_scf.len()];
let dfa_hybrid_scf = DFA4REST::get_hybrid_libxc(&dfa_compnt_scf,spin_channel);
Some(DFA4REST{
spin_channel,
dfa_compnt_scf,
dfa_paramr_scf,
dfa_hybrid_scf,
dfa_paramr_adv,
dfa_family_pos,
dfa_compnt_pos,
dfa_paramr_pos,
dfa_hybrid_pos
})
} else if tmp_name.eq("xyg7") {
let dfa_family_pos = Some(DFAFamily::XDH);
let pos_dfa = ["lda_x_slater", "gga_x_b88","lda_c_vwn_rpa","gga_c_lyp"];
let dfa_compnt_pos: Option<Vec<usize>> = Some(pos_dfa.iter().map(|xc| {
DFA4REST::xc_func_init_fdqc(*xc, spin_channel).into_iter()})
.flatten().collect());
let dfa_paramr_pos = Some(vec![0.2055,-0.1408,0.4056,0.1159]);
let dfa_hybrid_pos = Some(0.8971);
let dfa_paramr_adv = Some(vec![0.4052,0.2589]);
let dfa_family_scf = DFAFamily::HybridGGA;
let scf_dfa = ["b3lyp"];
let dfa_compnt_scf: Vec<usize> = scf_dfa.iter().map(|xc| {
DFA4REST::xc_func_init_fdqc(*xc, spin_channel).into_iter()})
.flatten().collect();
let dfa_paramr_scf = vec![1.0;dfa_compnt_scf.len()];
let dfa_hybrid_scf = DFA4REST::get_hybrid_libxc(&dfa_compnt_scf,spin_channel);
Some(DFA4REST{
spin_channel,
dfa_compnt_scf,
dfa_paramr_scf,
dfa_hybrid_scf,
dfa_paramr_adv,
dfa_family_pos,
dfa_compnt_pos,
dfa_paramr_pos,
dfa_hybrid_pos
})
} else if tmp_name.eq("rpa@pbe") {
let dfa_family_pos = Some(DFAFamily::RPA);
let dfa_compnt_pos: Option<Vec<usize>> = Some(vec![]);
let dfa_paramr_pos = Some(vec![]);
let dfa_hybrid_pos = Some(1.0);
let dfa_paramr_adv = Some(vec![1.0]);
let dfa_family_scf = DFAFamily::GGA;
let scf_dfa = ["pbe"];
let dfa_compnt_scf: Vec<usize> = scf_dfa.iter().map(|xc| {
DFA4REST::xc_func_init_fdqc(*xc, spin_channel).into_iter()})
.flatten().collect();
let dfa_paramr_scf = vec![1.0;dfa_compnt_scf.len()];
let dfa_hybrid_scf = 0.0;
Some(DFA4REST{
spin_channel,
dfa_compnt_scf,
dfa_paramr_scf,
dfa_hybrid_scf,
dfa_paramr_adv,
dfa_family_pos,
dfa_compnt_pos,
dfa_paramr_pos,
dfa_hybrid_pos
})
} else if tmp_name.eq("mp2") {
let dfa_family_pos = Some(DFAFamily::XDH);
let dfa_compnt_pos: Option<Vec<usize>> = Some(vec![]);
let dfa_paramr_pos = Some(vec![]);
let dfa_hybrid_pos = Some(1.0);
let dfa_paramr_adv = Some(vec![1.0,1.0]);
let scf_dfa = [];
let dfa_compnt_scf: Vec<usize> = scf_dfa.iter().map(|xc| {
DFA4REST::xc_func_init_fdqc(*xc, spin_channel).into_iter()})
.flatten().collect();
let dfa_paramr_scf = vec![1.0;dfa_compnt_scf.len()];
let dfa_hybrid_scf = 1.0;
Some(DFA4REST{
spin_channel,
dfa_compnt_scf,
dfa_paramr_scf,
dfa_hybrid_scf,
dfa_paramr_adv,
dfa_family_pos,
dfa_compnt_pos,
dfa_paramr_pos,
dfa_hybrid_pos
})
} else if tmp_name.eq("scs-mp2") {
let dfa_family_pos = Some(DFAFamily::XDH);
let dfa_compnt_pos: Option<Vec<usize>> = Some(vec![]);
let dfa_paramr_pos = Some(vec![]);
let dfa_hybrid_pos = Some(1.0);
let dfa_paramr_adv = Some(vec![1.2,0.333333333]);
let scf_dfa = [];
let dfa_compnt_scf: Vec<usize> = scf_dfa.iter().map(|xc| {
DFA4REST::xc_func_init_fdqc(*xc, spin_channel).into_iter()})
.flatten().collect();
let dfa_paramr_scf = vec![1.0;dfa_compnt_scf.len()];
let dfa_hybrid_scf = 1.0;
Some(DFA4REST{
spin_channel,
dfa_compnt_scf,
dfa_paramr_scf,
dfa_hybrid_scf,
dfa_paramr_adv,
dfa_family_pos,
dfa_compnt_pos,
dfa_paramr_pos,
dfa_hybrid_pos
})
} else {
None
}
}
pub fn is_dfa_scf(&self) -> bool {
self.dfa_compnt_scf.len() !=0
}
pub fn use_density_gradient(&self) -> bool {
let mut is_flag = self.dfa_compnt_scf.iter().fold(false, |acc, xc_func| {
acc || self.init_libxc(xc_func).use_density_gradient()
});
if let Some(dfa_compnt_pos) = &self.dfa_compnt_pos {
is_flag = is_flag || dfa_compnt_pos.iter().fold(false, |acc, xc_func| {
acc || self.init_libxc(xc_func).use_density_gradient()
});
}
is_flag
}
pub fn use_kinetic_density(&self) -> bool {
let mut is_flag = self.dfa_compnt_scf.iter().fold(false, |acc, xc_func| {
acc || self.init_libxc(xc_func).use_kinetic_density()
});
if let Some(dfa_compnt_pos) = &self.dfa_compnt_pos {
is_flag = is_flag || dfa_compnt_pos.iter().fold(false, |acc, xc_func| {
acc || self.init_libxc(xc_func).use_kinetic_density()
});
}
is_flag
}
pub fn xc_exc_vxc(&self, grids: &Grids, spin_channel: usize, dm: &Vec<MatrixFull<f64>>, mo: &[MatrixFull<f64>;2], occ: &[Vec<f64>;2]) -> (Vec<f64>, Vec<MatrixFull<f64>>) {
let num_grids = grids.coordinates.len();
let num_basis = dm[0].size[0];
let mut exc = MatrixFull::new([num_grids,1],0.0);
let mut exc_total = vec![0.0;spin_channel];
let mut vxc_ao = vec![MatrixFull::new([num_basis,num_grids],0.0);spin_channel];
let dt0 = utilities::init_timing();
let (rho,rhop) = grids.prepare_tabulated_density_2(mo, occ, spin_channel);
let dt2 = utilities::timing(&dt0, Some("evaluate rho and rhop"));
let sigma = if self.use_density_gradient() {
prepare_tabulated_sigma_rayon(&rhop, spin_channel)
} else {
MatrixFull::empty()
};
let mut vrho = MatrixFull::new([num_grids,spin_channel],0.0);
let mut vsigma=if self.use_density_gradient() && spin_channel==1 {
MatrixFull::new([num_grids,1],0.0)
} else if self.use_density_gradient() && spin_channel==2 {
MatrixFull::new([num_grids,3],0.0)
} else {
MatrixFull::empty()
};
let dt3 = utilities::timing(&dt2, Some("evaluate sigma"));
self.dfa_compnt_scf.iter().zip(self.dfa_paramr_scf.iter()).for_each(|(xc_func,xc_para)| {
let xc_func = self.init_libxc(xc_func);
match xc_func.xc_func_family {
libxc::LibXCFamily::LDA => {
if spin_channel==1 {
let (tmp_exc,tmp_vrho) = xc_func.lda_exc_vxc(rho.data_ref().unwrap());
let tmp_exc = MatrixFull::from_vec([num_grids,1],tmp_exc).unwrap();
let tmp_vrho = MatrixFull::from_vec([num_grids,1],tmp_vrho).unwrap();
exc.par_self_scaled_add(&tmp_exc,*xc_para);
vrho.par_self_scaled_add(&tmp_vrho,*xc_para);
} else {
let (tmp_exc,tmp_vrho) = xc_func.lda_exc_vxc(rho.transpose().data_ref().unwrap());
let tmp_exc = MatrixFull::from_vec([num_grids,1],tmp_exc).unwrap();
let tmp_vrho = MatrixFull::from_vec([2,num_grids],tmp_vrho).unwrap();
exc.par_self_scaled_add(&tmp_exc,*xc_para);
vrho.par_self_scaled_add(&tmp_vrho.transpose_and_drop(),*xc_para);
}
},
libxc::LibXCFamily::GGA | libxc::LibXCFamily::HybridGGA => {
if spin_channel==1 {
let (tmp_exc,tmp_vrho, tmp_vsigma) = xc_func.gga_exc_vxc(rho.data_ref().unwrap(),sigma.data_ref().unwrap());
let tmp_exc = MatrixFull::from_vec([num_grids,1],tmp_exc).unwrap();
let tmp_vrho = MatrixFull::from_vec([num_grids,1],tmp_vrho).unwrap();
let tmp_vsigma= MatrixFull::from_vec([num_grids,1],tmp_vsigma).unwrap();
exc.par_self_scaled_add(&tmp_exc,*xc_para);
vrho.par_self_scaled_add(&tmp_vrho,*xc_para);
vsigma.par_self_scaled_add(&tmp_vsigma, *xc_para);
} else {
let (tmp_exc,tmp_vrho, tmp_vsigma) = xc_func.gga_exc_vxc(rho.transpose().data_ref().unwrap(),sigma.transpose().data_ref().unwrap());
let tmp_exc = MatrixFull::from_vec([num_grids,1],tmp_exc).unwrap();
let tmp_vrho = MatrixFull::from_vec([2,num_grids],tmp_vrho).unwrap();
let tmp_vsigma= MatrixFull::from_vec([3,num_grids],tmp_vsigma).unwrap();
exc.par_self_scaled_add(&tmp_exc,*xc_para);
vrho.par_self_scaled_add(&tmp_vrho.transpose_and_drop(),*xc_para);
vsigma.par_self_scaled_add(&tmp_vsigma.transpose_and_drop(), *xc_para);
}
},
_ => {println!("{} is not yet implemented", xc_func.get_family_name())}
}
});
let dt4 = utilities::timing(&dt3, Some("evaluate vrho and vsigma"));
if let Some(ao) = &grids.ao {
let ao_ref = ao.to_matrixfullslice();
for i_spin in 0..spin_channel {
let mut vxc_ao_s = &mut vxc_ao[i_spin];
let vrho_s = vrho.slice_column(i_spin);
let ao_ref = ao.to_matrixfullslice();
contract_vxc_0(vxc_ao_s, &ao_ref, vrho_s, None);
}
if self.use_density_gradient() {
if let Some(aop) = &grids.aop {
if spin_channel==1 {
let mut vxc_ao_s = &mut vxc_ao[0];
let vsigma_s = vsigma.slice_column(0);
let rhop_s = rhop.get_reducing_matrix(0).unwrap();
let mut wao = MatrixFull::new([num_basis, num_grids],0.0);
for x in 0usize..3usize {
let aop_x = aop.get_reducing_matrix(x).unwrap();
let rhop_s_x = rhop_s.get_slice_x(x);
contract_vxc_0(&mut wao, &aop_x, rhop_s_x, None);
}
contract_vxc_0(vxc_ao_s, &wao.to_matrixfullslice(), vsigma_s,Some(4.0));
} else {
{
let mut vxc_ao_a = &mut vxc_ao[0];
let rhop_a = rhop.get_reducing_matrix(0).unwrap();
let vsigma_uu = vsigma.slice_column(0);
let mut dao = MatrixFull::new([num_basis, num_grids],0.0);
for x in 0usize..3usize {
let aop_x = aop.get_reducing_matrix(x).unwrap();
let rhop_s_x = rhop_a.get_slice_x(x);
contract_vxc_0(&mut dao, &aop_x, rhop_s_x,None);
}
contract_vxc_0(vxc_ao_a, &dao.to_matrixfullslice(), &vsigma_uu,Some(4.0));
let rhop_b = rhop.get_reducing_matrix(1).unwrap();
let vsigma_ud = vsigma.slice_column(1);
dao.data.iter_mut().for_each(|d| {*d=0.0});
for x in 0usize..3usize {
let aop_x = aop.get_reducing_matrix(x).unwrap();
let rhop_s_x = rhop_b.get_slice_x(x);
contract_vxc_0(&mut dao, &aop_x, rhop_s_x,None);
}
contract_vxc_0(vxc_ao_a, &dao.to_matrixfullslice(), &vsigma_ud,Some(2.0));
}
{
let mut vxc_ao_b = &mut vxc_ao[1];
let rhop_b = rhop.get_reducing_matrix(1).unwrap();
let vsigma_dd = vsigma.slice_column(2);
let mut dao = MatrixFull::new([num_basis, num_grids],0.0);
for x in 0usize..3usize {
let aop_x = aop.get_reducing_matrix(x).unwrap();
let rhop_s_x = rhop_b.get_slice_x(x);
contract_vxc_0(&mut dao, &aop_x, rhop_s_x,None);
}
contract_vxc_0(vxc_ao_b, &dao.to_matrixfullslice(), &vsigma_dd,Some(4.0));
let rhop_a = rhop.get_reducing_matrix(0).unwrap();
let vsigma_ud = vsigma.slice_column(1);
dao.data.iter_mut().for_each(|d| {*d=0.0});
for x in 0usize..3usize {
let aop_x = aop.get_reducing_matrix(x).unwrap();
let rhop_s_x = rhop_a.get_slice_x(x);
contract_vxc_0(&mut dao, &aop_x, rhop_s_x,None);
}
contract_vxc_0(vxc_ao_b, &dao.to_matrixfullslice(), &vsigma_ud,Some(2.0));
}
}
}
}
}
let dt5 = utilities::timing(&dt4, Some("from vrho -> vxc_ao"));
let mut total_elec = [0.0;2];
for i_spin in 0..spin_channel {
let mut total_elec_s = total_elec.get_mut(i_spin).unwrap();
exc_total[i_spin] = izip!(exc.data.iter(),rho.iter_column(i_spin),grids.weights.iter())
.fold(0.0,|acc,(exc,rho,weight)| {
*total_elec_s += rho*weight;
acc + exc * rho * weight
});
}
if spin_channel==1 {
println!("total electron number: {:16.8}", total_elec[0])
} else {
println!("electron number in alpha-channel: {:12.8}", total_elec[0]);
println!("electron number in beta-channel: {:12.8}", total_elec[1]);
}
let dt6 = utilities::timing(&dt5, Some("evaluate exc and en"));
for i_spin in 0..spin_channel {
let vxc_ao_s = vxc_ao.get_mut(i_spin).unwrap();
vxc_ao_s.iter_columns_full_mut().zip(grids.weights.iter()).for_each(|(vxc_ao_s,w)| {
vxc_ao_s.iter_mut().for_each(|f| {*f *= *w})
});
}
let dt7 = utilities::timing(&dt6, Some("weight vxc_ao"));
(exc_total,vxc_ao)
}
pub fn xc_exc_vxc_slots(&self, range_grids: Range<usize>, grids: &Grids, spin_channel: usize, dm: &Vec<MatrixFull<f64>>, mo: &[MatrixFull<f64>;2], occ: &[Vec<f64>;2]) -> (Vec<f64>, Vec<MatrixFull<f64>>,[f64;2]) {
let num_grids = range_grids.len();
let num_basis = dm[0].size[0];
let loc_coordinates = &grids.coordinates[range_grids.clone()];
let loc_weights = &grids.weights[range_grids.clone()];
let mut loc_exc = MatrixFull::new([num_grids,1],0.0);
let mut loc_exc_total = vec![0.0;spin_channel];
let mut loc_vxc_ao = vec![MatrixFull::new([num_basis,num_grids],0.0);spin_channel];
let dt0 = utilities::init_timing();
let (loc_rho,loc_rhop) = grids.prepare_tabulated_density_slots(mo, occ, spin_channel,range_grids.clone());
let loc_sigma = if self.use_density_gradient() {
prepare_tabulated_sigma(&loc_rhop, spin_channel)
} else {
MatrixFull::empty()
};
let mut loc_vrho = MatrixFull::new([num_grids,spin_channel],0.0);
let mut loc_vsigma=if self.use_density_gradient() && spin_channel==1 {
MatrixFull::new([num_grids,1],0.0)
} else if self.use_density_gradient() && spin_channel==2 {
MatrixFull::new([num_grids,3],0.0)
} else {
MatrixFull::empty()
};
self.dfa_compnt_scf.iter().zip(self.dfa_paramr_scf.iter()).for_each(|(xc_func,xc_para)| {
let xc_func = self.init_libxc(xc_func);
match xc_func.xc_func_family {
libxc::LibXCFamily::LDA => {
if spin_channel==1 {
let (tmp_exc,tmp_vrho) = xc_func.lda_exc_vxc(loc_rho.data_ref().unwrap());
let tmp_exc = MatrixFull::from_vec([num_grids,1],tmp_exc).unwrap();
let tmp_vrho = MatrixFull::from_vec([num_grids,1],tmp_vrho).unwrap();
loc_exc.self_scaled_add(&tmp_exc,*xc_para);
loc_vrho.self_scaled_add(&tmp_vrho,*xc_para);
} else {
let (tmp_exc,tmp_vrho) = xc_func.lda_exc_vxc(loc_rho.transpose().data_ref().unwrap());
let tmp_exc = MatrixFull::from_vec([num_grids,1],tmp_exc).unwrap();
let tmp_vrho = MatrixFull::from_vec([2,num_grids],tmp_vrho).unwrap();
loc_exc.self_scaled_add(&tmp_exc,*xc_para);
loc_vrho.self_scaled_add(&tmp_vrho.transpose_and_drop(),*xc_para);
}
},
libxc::LibXCFamily::GGA | libxc::LibXCFamily::HybridGGA => {
if spin_channel==1 {
let (tmp_exc,tmp_vrho, tmp_vsigma) = xc_func.gga_exc_vxc(loc_rho.data_ref().unwrap(),loc_sigma.data_ref().unwrap());
let tmp_exc = MatrixFull::from_vec([num_grids,1],tmp_exc).unwrap();
let tmp_vrho = MatrixFull::from_vec([num_grids,1],tmp_vrho).unwrap();
let tmp_vsigma= MatrixFull::from_vec([num_grids,1],tmp_vsigma).unwrap();
loc_exc.self_scaled_add(&tmp_exc,*xc_para);
loc_vrho.self_scaled_add(&tmp_vrho,*xc_para);
loc_vsigma.self_scaled_add(&tmp_vsigma, *xc_para);
} else {
let (tmp_exc,tmp_vrho, tmp_vsigma) = xc_func.gga_exc_vxc(loc_rho.transpose().data_ref().unwrap(),loc_sigma.transpose().data_ref().unwrap());
let tmp_exc = MatrixFull::from_vec([num_grids,1],tmp_exc).unwrap();
let tmp_vrho = MatrixFull::from_vec([2,num_grids],tmp_vrho).unwrap();
let tmp_vsigma= MatrixFull::from_vec([3,num_grids],tmp_vsigma).unwrap();
loc_exc.self_scaled_add(&tmp_exc,*xc_para);
loc_vrho.self_scaled_add(&tmp_vrho.transpose_and_drop(),*xc_para);
loc_vsigma.self_scaled_add(&tmp_vsigma.transpose_and_drop(), *xc_para);
}
},
_ => {println!("{} is not yet implemented", xc_func.get_family_name())}
}
});
if let Some(ao) = &grids.ao {
for i_spin in 0..spin_channel {
let mut loc_vxc_ao_s = &mut loc_vxc_ao[i_spin];
let loc_vrho_s = loc_vrho.slice_column(i_spin);
let loc_ao_ref = ao.to_matrixfullslice_columns(range_grids.clone());
contract_vxc_0_serial(loc_vxc_ao_s, &loc_ao_ref, loc_vrho_s, None);
}
if self.use_density_gradient() {
if let Some(aop) = &grids.aop {
if spin_channel==1 {
let mut loc_vxc_ao_s = &mut loc_vxc_ao[0];
let loc_vsigma_s = loc_vsigma.slice_column(0);
let loc_rhop_s = loc_rhop.get_reducing_matrix(0).unwrap();
let mut loc_wao = MatrixFull::new([num_basis, num_grids],0.0);
for x in 0usize..3usize {
let loc_aop_x = aop.get_reducing_matrix_columns(range_grids.clone(),x).unwrap();
let loc_rhop_s_x = loc_rhop_s.get_slice_x(x);
contract_vxc_0_serial(&mut loc_wao, &loc_aop_x, loc_rhop_s_x, None);
}
contract_vxc_0_serial(loc_vxc_ao_s, &loc_wao.to_matrixfullslice(), loc_vsigma_s,Some(4.0));
} else {
{
let mut loc_vxc_ao_a = &mut loc_vxc_ao[0];
let loc_rhop_a = loc_rhop.get_reducing_matrix(0).unwrap();
let loc_vsigma_uu = loc_vsigma.slice_column(0);
let mut loc_dao = MatrixFull::new([num_basis, num_grids],0.0);
for x in 0usize..3usize {
let loc_aop_x = aop.get_reducing_matrix_columns(range_grids.clone(),x).unwrap();
let loc_rhop_s_x = loc_rhop_a.get_slice_x(x);
contract_vxc_0_serial(&mut loc_dao, &loc_aop_x, loc_rhop_s_x,None);
}
contract_vxc_0_serial(loc_vxc_ao_a, &loc_dao.to_matrixfullslice(), &loc_vsigma_uu,Some(4.0));
let loc_rhop_b = loc_rhop.get_reducing_matrix(1).unwrap();
let loc_vsigma_ud = loc_vsigma.slice_column(1);
loc_dao.data.iter_mut().for_each(|d| {*d=0.0});
for x in 0usize..3usize {
let loc_aop_x = aop.get_reducing_matrix_columns(range_grids.clone(),x).unwrap();
let loc_rhop_s_x = loc_rhop_b.get_slice_x(x);
contract_vxc_0_serial(&mut loc_dao, &loc_aop_x, loc_rhop_s_x,None);
}
contract_vxc_0_serial(loc_vxc_ao_a, &loc_dao.to_matrixfullslice(), &loc_vsigma_ud,Some(2.0));
}
{
let mut loc_vxc_ao_b = &mut loc_vxc_ao[1];
let loc_rhop_b = loc_rhop.get_reducing_matrix(1).unwrap();
let loc_vsigma_dd = loc_vsigma.slice_column(2);
let mut loc_dao = MatrixFull::new([num_basis, num_grids],0.0);
for x in 0usize..3usize {
let loc_aop_x = aop.get_reducing_matrix_columns(range_grids.clone(),x).unwrap();
let loc_rhop_s_x = loc_rhop_b.get_slice_x(x);
contract_vxc_0_serial(&mut loc_dao, &loc_aop_x, loc_rhop_s_x,None);
}
contract_vxc_0_serial(loc_vxc_ao_b, &loc_dao.to_matrixfullslice(), &loc_vsigma_dd,Some(4.0));
let loc_rhop_a = loc_rhop.get_reducing_matrix(0).unwrap();
let loc_vsigma_ud = loc_vsigma.slice_column(1);
loc_dao.data.iter_mut().for_each(|d| {*d=0.0});
for x in 0usize..3usize {
let loc_aop_x = aop.get_reducing_matrix_columns(range_grids.clone(),x).unwrap();
let loc_rhop_s_x = loc_rhop_a.get_slice_x(x);
contract_vxc_0_serial(&mut loc_dao, &loc_aop_x, loc_rhop_s_x,None);
}
contract_vxc_0_serial(loc_vxc_ao_b, &loc_dao.to_matrixfullslice(), &loc_vsigma_ud,Some(2.0));
}
}
}
}
}
let mut loc_total_elec = [0.0;2];
for i_spin in 0..spin_channel {
let mut loc_total_elec_s = loc_total_elec.get_mut(i_spin).unwrap();
loc_exc_total[i_spin] = izip!(loc_exc.data.iter(),loc_rho.iter_column(i_spin),loc_weights.iter())
.fold(0.0,|acc,(exc,rho,weight)| {
*loc_total_elec_s += rho*weight;
acc + exc * rho * weight
});
}
for i_spin in 0..spin_channel {
let loc_vxc_ao_s = loc_vxc_ao.get_mut(i_spin).unwrap();
loc_vxc_ao_s.iter_columns_full_mut().zip(loc_weights.iter()).for_each(|(vxc_ao_s,w)| {
vxc_ao_s.iter_mut().for_each(|f| {*f *= *w})
});
}
(loc_exc_total,loc_vxc_ao,loc_total_elec)
}
pub fn xc_exc(&self, grids: &mut Grids, spin_channel: usize, dm: &mut Vec<MatrixFull<f64>>, mo: &mut [MatrixFull<f64>;2], occ: &mut [Vec<f64>;2],iop: usize) -> Vec<f64> {
let num_grids = grids.coordinates.len();
let num_basis = dm[0].size[0];
let mut exc = MatrixFull::new([num_grids,1],0.0);
let mut exc_total = vec![0.0;spin_channel];
let dt0 = utilities::init_timing();
let (rho,rhop) = grids.prepare_tabulated_density_2(mo, occ, spin_channel);
let dt2 = utilities::timing(&dt0, Some("evaluate rho and rhop"));
let sigma = if self.use_density_gradient() {
prepare_tabulated_sigma_rayon(&rhop, spin_channel)
} else {
MatrixFull::empty()
};
if iop==0 { self.dfa_compnt_scf.iter().zip(self.dfa_paramr_scf.iter()).for_each(|(xc_func,xc_para)| {
let xc_func = self.init_libxc(xc_func);
match xc_func.xc_func_family {
libxc::LibXCFamily::LDA => {
let tmp_exc = MatrixFull::from_vec([num_grids,1],
if spin_channel==1 {
xc_func.lda_exc(rho.data_ref().unwrap())
} else {
xc_func.lda_exc(rho.transpose().data_ref().unwrap())
}
).unwrap();
exc.par_self_scaled_add(&tmp_exc,*xc_para);
},
libxc::LibXCFamily::GGA | libxc::LibXCFamily::HybridGGA => {
let tmp_exc = MatrixFull::from_vec([num_grids,1],
if spin_channel==1 {
xc_func.gga_exc(rho.data_ref().unwrap(),sigma.data_ref().unwrap())
} else {
xc_func.gga_exc(rho.transpose().data_ref().unwrap(),sigma.transpose().data_ref().unwrap())
}
).unwrap();
exc.par_self_scaled_add(&tmp_exc,*xc_para);
},
_ => {println!("{} is not yet implemented", xc_func.get_family_name())}
}
});
} else if iop==1 { if let (Some(dfa_paramr),Some(dfa_compnt)) = (&self.dfa_paramr_pos, &self.dfa_compnt_pos) {
dfa_compnt.iter().zip(dfa_paramr.iter()).for_each(|(xc_func,xc_para)| {
let xc_func = self.init_libxc(xc_func);
match xc_func.xc_func_family {
libxc::LibXCFamily::LDA => {
let tmp_exc = MatrixFull::from_vec([num_grids,1],
if spin_channel==1 {
xc_func.lda_exc(rho.data_ref().unwrap())
} else {
xc_func.lda_exc(rho.transpose().data_ref().unwrap())
}
).unwrap();
exc.par_self_scaled_add(&tmp_exc,*xc_para);
},
libxc::LibXCFamily::GGA | libxc::LibXCFamily::HybridGGA => {
let tmp_exc = MatrixFull::from_vec([num_grids,1],
if spin_channel==1 {
xc_func.gga_exc(rho.data_ref().unwrap(),sigma.data_ref().unwrap())
} else {
xc_func.gga_exc(rho.transpose().data_ref().unwrap(),sigma.transpose().data_ref().unwrap())
}
).unwrap();
exc.par_self_scaled_add(&tmp_exc,*xc_para);
},
_ => {println!("{} is not yet implemented", xc_func.get_family_name())}
}
});
}
}
let mut total_elec = [0.0;2];
for i_spin in 0..spin_channel {
let mut total_elec_s = total_elec.get_mut(i_spin).unwrap();
exc_total[i_spin] = izip!(exc.data.iter(),rho.iter_column(i_spin),grids.weights.iter())
.fold(0.0,|acc,(exc,rho,weight)| {
*total_elec_s += rho*weight;
acc + exc * rho * weight
});
}
if spin_channel==1 {
println!("total electron number: {:16.8}", total_elec[0])
} else {
println!("electron number in alpha-channel: {:12.8}", total_elec[0]);
println!("electron number in beta-channel: {:12.8}", total_elec[1]);
}
exc_total
}
}
pub fn contract_vxc_0(mat_a: &mut MatrixFull<f64>, mat_b: &MatrixFullSlice<f64>, slice_c: &[f64], scaling_factor: Option<f64>) {
match scaling_factor {
None => {
mat_a.par_iter_columns_full_mut().zip(mat_b.par_iter_columns_full()).map(|(mat_a,mat_b)| (mat_a,mat_b))
.zip(slice_c.par_iter())
.for_each(|((mat_a,mat_b), slice_c)| {
mat_a.iter_mut().zip(mat_b.iter()).for_each(|(mat_a, mat_b)| {
*mat_a += mat_b*slice_c
});
});
},
Some(s) => {
mat_a.par_iter_columns_full_mut().zip(mat_b.par_iter_columns_full()).map(|(mat_a,mat_b)| (mat_a,mat_b))
.zip(slice_c.par_iter())
.for_each(|((mat_a,mat_b), slice_c)| {
mat_a.iter_mut().zip(mat_b.iter()).for_each(|(mat_a, mat_b)| {
*mat_a += mat_b*slice_c*s
});
});
}
}
}
fn prepare_tabulated_sigma(rhop: &RIFull<f64>, spin_channel: usize) -> MatrixFull<f64> {
let grids_len = rhop.size[0];
if spin_channel==1 {
let mut sigma = MatrixFull::new([grids_len,1],0.0);
let rhop_x = rhop.iter_slices_x(0, 0);
let rhop_y = rhop.iter_slices_x(1, 0);
let rhop_z = rhop.iter_slices_x(2, 0);
izip!(sigma.iter_column_mut(0), rhop_x,rhop_y,rhop_z).for_each(|(sigma, dx,dy,dz)| {
*sigma = dx.powf(2.0) + dy.powf(2.0) + dz.powf(2.0);
});
return sigma
} else {
let mut sigma = MatrixFull::new([grids_len,3],0.0);
let rhop_xu = rhop.iter_slices_x(0, 0);
let rhop_yu = rhop.iter_slices_x(1, 0);
let rhop_zu = rhop.iter_slices_x(2, 0);
izip!(sigma.iter_column_mut(0), rhop_xu,rhop_yu,rhop_zu).for_each(|(sigma, dx,dy,dz)| {
*sigma = dx.powf(2.0) + dy.powf(2.0) + dz.powf(2.0);
});
let rhop_xu = rhop.iter_slices_x(0,0);
let rhop_yu = rhop.iter_slices_x(1,0);
let rhop_zu = rhop.iter_slices_x(2,0);
let rhop_xd = rhop.iter_slices_x(0,1);
let rhop_yd = rhop.iter_slices_x(1,1);
let rhop_zd = rhop.iter_slices_x(2,1);
izip!(sigma.iter_column_mut(1), rhop_xu,rhop_yu,rhop_zu, rhop_xd,rhop_yd,rhop_zd)
.for_each(|(sigma, dxu,dyu,dzu, dxd, dyd, dzd)| {
*sigma = dxu*dxd+dyu*dyd+dzu*dzd;
});
let rhop_xd = rhop.iter_slices_x(0,1);
let rhop_yd = rhop.iter_slices_x(1,1);
let rhop_zd = rhop.iter_slices_x(2,1);
izip!(sigma.iter_column_mut(2), rhop_xd,rhop_yd,rhop_zd).for_each(|(sigma, dx,dy,dz)| {
*sigma = dx.powf(2.0) + dy.powf(2.0) + dz.powf(2.0);
});
return sigma
}
}
fn prepare_tabulated_sigma_rayon(rhop: &RIFull<f64>, spin_channel: usize) -> MatrixFull<f64> {
let grids_len = rhop.size[0];
if spin_channel==1 {
let mut sigma = MatrixFull::new([grids_len,1],0.0);
let rhop_x = rhop.par_iter_slices_x(0, 0);
let rhop_y = rhop.par_iter_slices_x(1, 0);
let rhop_z = rhop.par_iter_slices_x(2, 0);
sigma.par_iter_column_mut(0).zip(rhop_x).zip(rhop_y).zip(rhop_z)
.for_each(|(((sigma,dx),dy),dz)| {
*sigma = dx.powf(2.0) + dy.powf(2.0) + dz.powf(2.0);
});
return sigma
} else {
let mut sigma = MatrixFull::new([grids_len,3],0.0);
let rhop_xu = rhop.par_iter_slices_x(0, 0);
let rhop_yu = rhop.par_iter_slices_x(1, 0);
let rhop_zu = rhop.par_iter_slices_x(2, 0);
sigma.par_iter_column_mut(0).zip(rhop_xu).zip(rhop_yu).zip(rhop_zu)
.for_each(|(((sigma,dx),dy),dz)| {
*sigma = dx.powf(2.0) + dy.powf(2.0) + dz.powf(2.0);
});
let rhop_xu = rhop.par_iter_slices_x(0,0);
let rhop_yu = rhop.par_iter_slices_x(1,0);
let rhop_zu = rhop.par_iter_slices_x(2,0);
let rhop_xd = rhop.par_iter_slices_x(0,1);
let rhop_yd = rhop.par_iter_slices_x(1,1);
let rhop_zd = rhop.par_iter_slices_x(2,1);
sigma.par_iter_column_mut(1).zip(rhop_xu).zip(rhop_yu).zip(rhop_zu).zip(rhop_xd).zip(rhop_yd).zip(rhop_zd)
.for_each(|((((((sigma, dxu),dyu),dzu), dxd), dyd), dzd)| {
*sigma = dxu*dxd+dyu*dyd+dzu*dzd;
});
let rhop_xd = rhop.par_iter_slices_x(0,1);
let rhop_yd = rhop.par_iter_slices_x(1,1);
let rhop_zd = rhop.par_iter_slices_x(2,1);
sigma.par_iter_column_mut(0).zip(rhop_xd).zip(rhop_yd).zip(rhop_zd)
.for_each(|(((sigma,dx),dy),dz)| {
*sigma = dx.powf(2.0) + dy.powf(2.0) + dz.powf(2.0);
});
return sigma
}
}
pub struct Grids {
pub ao: Option<MatrixFull<f64>>,
pub aop: Option<RIFull<f64>>,
pub weights: Vec<f64>,
pub coordinates: Vec<[f64;3]>,
pub parallel_balancing: Vec<Range<usize>>,
}
impl Grids {
pub fn build(mol: &Molecule) -> Grids {
if ! &mol.ctrl.external_grids.to_lowercase().eq("none") &&
std::path::Path::new(&mol.ctrl.external_grids).is_file() {
let dt0 = utilities::init_timing();
println!("Read grids from the external file: {}", &mol.ctrl.external_grids);
let mut weights:Vec<f64> = Vec::new();
let mut coordinates: Vec<[f64;3]> = Vec::new();
let mut grids_file = std::fs::File::open(&mol.ctrl.external_grids).unwrap();
let mut content = String::new();
grids_file.read_to_string(&mut content);
let re1 = Regex::new(r"(?x)\s*
(?P<x>[\+-]?\d+.\d+[eE][\+-]?\d+)\s*,# the 'x' position
\s*
(?P<y>[\+-]?\d+.\d+[eE][\+-]?\d+)\s*,# the 'y' position
\s*
(?P<z>[\+-]?\d+.\d+[eE][\+-]?\d+)\s*,# the 'z' position
\s*
(?P<w>[\+-]?\d+.\d+[eE][\+-]?\d+)\s*# the 'w' weight
\s*\n").unwrap();
for cap in re1.captures_iter(&content) {
let x:f64 = cap[1].parse().unwrap();
let y:f64 = cap[2].parse().unwrap();
let z:f64 = cap[3].parse().unwrap();
let w:f64 = cap[4].parse().unwrap();
coordinates.push([x,y,z]);
weights.push(w);
}
println!("Size of imported grids: {}",weights.len());
utilities::timing(&dt0, Some("Importing the grids"));
let parallel_balancing = balancing(coordinates.len(), rayon::current_num_threads());
return Grids {
weights,
coordinates,
ao: None,
aop: None,
parallel_balancing,
}
}
let dt0 = utilities::init_timing();
let radial_precision = mol.ctrl.radial_precision;
let min_num_angular_points: usize = mol.ctrl.min_num_angular_points;
let max_num_angular_points: usize = mol.ctrl.max_num_angular_points;
let hardness: usize = mol.ctrl.hardness;
let pruning: String = mol.ctrl.pruning.clone();
let grid_gen_level: usize = mol.ctrl.grid_gen_level;
let rad_grid_method: String = mol.ctrl.rad_grid_method.clone();
let mass_charge = get_mass_charge(&mol.geom.elem);
let proton_charges: Vec<i32> = mass_charge.iter().map(|value| value.1 as i32).collect();
let center_coordinates_bohr = mol.geom.to_numgrid_io();
let mut alpha_max: Vec<f64> = vec![];
let mut alpha_min: Vec<HashMap<usize,f64>> = vec![];
mol.basis4elem.iter().for_each(|value| {
let (tmp_alpha_min, tmp_alpha_max) = value.to_numgrid_io();
alpha_max.push(tmp_alpha_max);
alpha_min.push(tmp_alpha_min);
});
let mut num_points: usize = 0;
let mut coordinates: Vec<[f64;3]> =vec![];
let mut weights:Vec<f64> = vec![];
alpha_min.iter().zip(alpha_max.iter()).enumerate().for_each(|(center_index,value)| {
let (rs_atom, ws_atom) = gen_grids::atom_grid(
value.0.clone(),
value.1.clone(),
radial_precision,
min_num_angular_points,
max_num_angular_points,
proton_charges.clone(),
center_index,
center_coordinates_bohr.clone(),
hardness,
pruning.clone(),
rad_grid_method.clone(),
grid_gen_level,
);
num_points += rs_atom.len();
coordinates.extend(rs_atom.iter().map(|value| [value.0,value.1,value.2]));
weights.extend(ws_atom);
});
println!("Size of generated grids: {}",weights.len());
utilities::timing(&dt0, Some("Generating the grids"));
let parallel_balancing = balancing(coordinates.len(), rayon::current_num_threads());
Grids {
weights,
coordinates,
ao: None,
aop: None,
parallel_balancing
}
}
pub fn build_nonstd(center_coordinates_bohr:Vec<(f64,f64,f64)>, proton_charges:Vec<i32>, alpha_min: Vec<HashMap<usize,f64>>, alpha_max:Vec<f64>) -> Grids {
let radial_precision = 1.0e-12;
let min_num_angular_points: usize = 50;
let max_num_angular_points: usize = 50;
let hardness: usize = 3;
let pruning: String = String::from("sg1");
let rad_grid_method: String = String::from("treutler");
let grid_gen_level: usize = 3;
let mut coordinates: Vec<[f64;3]> =vec![];
let mut weights:Vec<f64> = vec![];
let mut num_points:usize = 0;
println!("{:?}, {:?}",&alpha_min, &alpha_max);
alpha_min.iter().zip(alpha_max.iter()).enumerate().for_each(|(center_index,value)| {
let (rs_atom, ws_atom) = gen_grids::atom_grid(
value.0.clone(),
value.1.clone(),
radial_precision,
min_num_angular_points,
max_num_angular_points,
proton_charges.clone(),
center_index,
center_coordinates_bohr.clone(),
hardness,
pruning.clone(),
rad_grid_method.clone(),
grid_gen_level,
);
num_points += rs_atom.len();
coordinates.extend(rs_atom.iter().map(|value| [value.0,value.1,value.2]));
weights.extend(ws_atom);
});
Grids {
weights,
coordinates,
ao: None,
aop: None,
parallel_balancing: vec![],
}
}
pub fn formated_output(&self) {
self.coordinates.iter().zip(self.weights.iter()).for_each(|value| {
println!("r: ({:6.3},{:6.3},{:6.3}), w: {:16.8}",value.0[0],value.0[1],value.0[2],value.1);
})
}
pub fn prepare_tabulated_ao(&mut self, mol: &Molecule) {
self.prepare_tabulated_ao_rayon_v02(mol)
}
pub fn prepare_tabulated_ao_rayon_v02(&mut self, mol: &Molecule) {
let default_omp_num_threads = unsafe {utilities::openblas_get_num_threads()};
unsafe{utilities::openblas_set_num_threads(1)};
let num_grids = self.coordinates.len();
let num_basis = mol.num_basis;
let mut ao = MatrixFull::new([num_basis,num_grids],0.0);
let mut aop = if mol.xc_data.use_density_gradient() {
Some(RIFull::new([num_basis,num_grids,3],0.0))
} else {
None
};
let par_tasks = utilities::balancing(num_grids, rayon::current_num_threads());
let (sender, receiver) = channel();
par_tasks.par_iter().for_each_with(sender, |s, range_grids| {
let loc_num_grids = range_grids.len();
let mut loc_ao = MatrixFull::new([num_basis, loc_num_grids],0.0);
let mut loc_aop = if mol.xc_data.use_density_gradient() {
RIFull::new([num_basis,loc_num_grids,3],0.0)
} else {
RIFull::empty()
};
mol.basis4elem.iter().zip(mol.geom.position.iter_columns_full()).for_each(|(elem, geom)| {
let ind_glb_bas = elem.global_index.0;
let loc_num_bas = elem.global_index.1;
let start = ind_glb_bas;
let end = start + loc_num_bas;
let mut tmp_geom = [0.0;3];
tmp_geom.iter_mut().zip(geom.iter()).for_each(|value| {*value.0 = *value.1});
let tab_den = spheric_gto_value_serial(&self.coordinates[range_grids.clone()], &tmp_geom, elem);
loc_ao.copy_from_matr(start..end, 0..loc_num_grids, &tab_den, 0..loc_num_bas, 0..loc_num_grids);
if mol.xc_data.use_density_gradient() {
let tab_dev = spheric_gto_1st_value_serial(&self.coordinates[range_grids.clone()], &tmp_geom, elem);
for x in 0..3 {
let gto_1st_x = &tab_dev[x];
loc_aop.copy_from_matr(start..end, 0..loc_num_grids, x, 0,
gto_1st_x, 0..loc_num_bas, 0..loc_num_grids);
}
};
});
s.send((loc_ao, loc_aop, range_grids)).unwrap()
});
receiver.into_iter().for_each(|(loc_ao, loc_aop, range_grids)| {
let loc_num_grids = range_grids.len();
ao.copy_from_matr(0..num_basis, range_grids.clone(), &loc_ao, 0..num_basis, 0..loc_num_grids);
if let Some(aop) = &mut aop {
aop.copy_from_ri(0..num_basis, range_grids.clone(),0..3,
&loc_aop,0..num_basis, 0..loc_num_grids, 0..3);
}
});
self.ao = Some(ao);
self.aop = aop;
unsafe{utilities::openblas_set_num_threads(default_omp_num_threads)};
}
pub fn prepare_tabulated_ao_rayon(&mut self, mol: &Molecule) {
let default_omp_num_threads = unsafe {utilities::openblas_get_num_threads()};
println!("debug: default_omp_num_threads: {}", default_omp_num_threads);
unsafe{utilities::openblas_set_num_threads(1)};
let num_grids = self.coordinates.len();
let mut ao = MatrixFull::new([num_grids,mol.num_basis],0.0);
let mut aop = if mol.xc_data.use_density_gradient() {
Some(RIFull::new([mol.num_basis,num_grids,3],0.0))
} else {
None
};
let (sender, receiver) = channel();
mol.basis4elem.par_iter().zip(mol.geom.position.par_iter_columns_full()).for_each_with(sender, |s, (elem,geom)| {
let ind_glb_bas = elem.global_index.0;
let num_loc_bas = elem.global_index.1;
let mut tmp_geom = [0.0;3];
tmp_geom.iter_mut().zip(geom.iter()).for_each(|value| {*value.0 = *value.1});
let tab_den = spheric_gto_value_matrixfull_serial(&self.coordinates, &tmp_geom, elem);
let tab_dev = if mol.xc_data.use_density_gradient() {
Some(spheric_gto_1st_value_batch_serial(&self.coordinates, &tmp_geom, elem))
} else {
None
};
s.send((ind_glb_bas,num_loc_bas,tab_den,tab_dev)).unwrap()
});
receiver.into_iter().for_each(|(ind_glb_bas,num_loc_bas,tab_den,tab_dev)| {
let start = ind_glb_bas;
let end = ind_glb_bas + num_loc_bas;
ao.iter_columns_mut(start..end).zip(tab_den.iter_columns_full())
.for_each(|(to,from)| {
to.iter_mut().zip(from.iter()).for_each(|(to,from)| {*to = *from});
});
if let (Some(aop), Some(tab_dev)) = (&mut aop, tab_dev) {
for x in 0..3 {
let gto_1st_x = tab_dev.get(x).unwrap().transpose();
aop.copy_from_matr(start..end, 0..num_grids, x, 0,
>o_1st_x, 0..num_loc_bas, 0..num_grids);
}
}
});
self.ao = Some(ao.transpose_and_drop());
self.aop = aop;
unsafe{utilities::openblas_set_num_threads(default_omp_num_threads)};
}
pub fn prepare_tabulated_ao_old(&mut self, mol: &Molecule) {
let num_grids = self.coordinates.len();
let mut time_records = utilities::TimeRecords::new();
time_records.new_item("TabAO", "the generation of tabulated AO and its derivatives");
time_records.count_start("TabAO");
time_records.new_item("1", "spheric_gto_value_matrixfull");
let mut tab_den = MatrixFull::new([num_grids,mol.num_basis], 0.0);
let mut start:usize = 0;
mol.basis4elem.iter().zip(mol.geom.position.iter_columns_full()).for_each(|(elem,geom)| {
let mut tmp_geom = [0.0;3];
tmp_geom.iter_mut().zip(geom.iter()).for_each(|value| {*value.0 = *value.1});
time_records.count_start("1");
let tmp_spheric = spheric_gto_value_matrixfull(&self.coordinates, &tmp_geom, elem);
time_records.count("1");
let s_len = tmp_spheric.size[1];
tab_den.iter_columns_mut(start..start+s_len).zip(tmp_spheric.iter_columns_full())
.for_each(|(to,from)| {
to.par_iter_mut().zip(from.par_iter()).for_each(|(to,from)| {*to = *from});
});
start += s_len;
});
self.ao = Some(tab_den.transpose_and_drop());
if mol.xc_data.use_density_gradient() {
time_records.new_item("2", "spheric_gto_1st_value_batch");
time_records.new_item("3", "copy");
time_records.new_item("4", "transpose");
let mut tab_dev = RIFull::new([mol.num_basis,num_grids,3],0.0);
let mut start: usize = 0;
mol.basis4elem.iter().zip(mol.geom.position.iter_columns_full()).for_each(|(elem,geom)| {
let mut tmp_geom = [0.0;3];
tmp_geom.iter_mut().zip(geom.iter()).for_each(|value| {*value.0 = *value.1});
time_records.count_start("2");
let gto_1st = spheric_gto_1st_value_batch(&self.coordinates, &tmp_geom, elem);
time_records.count("2");
let len = gto_1st[0].size[1];
for x in 0..3 {
time_records.count_start("4");
let gto_1st_x = gto_1st.get(x).unwrap().transpose();
time_records.count("4");
time_records.count_start("3");
let mut rhop_x = tab_dev.get_reducing_matrix_mut(x).unwrap();
rhop_x.iter_submatrix_mut(start..start+len,0..num_grids)
.zip(gto_1st_x.data.iter()).for_each(|(to,from)| {*to = *from});
time_records.count("3");
}
start = start + len;
});
self.aop = Some(tab_dev);
}
time_records.count("TabAO");
time_records.report_all();
}
pub fn prepare_tabulated_density_prev(&self, dm: &mut Vec<MatrixFull<f64>>, spin_channel: usize) -> MatrixFull<f64> {
let mut cur_rho = MatrixFull::new([self.coordinates.len(),spin_channel],0.0);
if let Some(ao) = &self.ao {
for i_spin in 0..spin_channel {
let dm_s = &mut dm[i_spin];
let num_basis = ao.size[0];
ao.iter_columns_full().zip(cur_rho.iter_column_mut(i_spin))
.for_each(|(ao_r,cur_rho_spin)| {
let ao_rv = ao_r.to_vec();
let mut ao_rr = MatrixFull::from_vec([num_basis,1], ao_rv).unwrap();
let mut tmp_mat = MatrixFull::new([num_basis,1],0.0);
tmp_mat.lapack_dgemm(&mut ao_rr, dm_s, 'T', 'N', 1.0, 0.0);
*cur_rho_spin = tmp_mat.data.iter().zip(ao_rr.data.iter()).fold(0.0, |acc,(a,b)| {acc + a*b});
})
};
}
cur_rho
}
pub fn prepare_tabulated_density(&mut self, dm: &mut Vec<MatrixFull<f64>>, spin_channel: usize) -> MatrixFull<f64> {
let default_omp_num_threads = unsafe {utilities::openblas_get_num_threads()};
unsafe{utilities::openblas_set_num_threads(1)};
let num_grids = self.coordinates.len();
let mut cur_rho = MatrixFull::new([num_grids,spin_channel],0.0);
for i_spin in 0..spin_channel {
if let Some(ao) = &mut self.ao {
let dt0 = utilities::init_timing();
let dm_s = dm.get_mut(i_spin).unwrap();
let mut wao = MatrixFull::new(ao.size.clone(),0.0);
wao.lapack_dgemm(dm_s, ao, 'N', 'N', 1.0, 0.0);
let dt1 = utilities::timing(&dt0, Some("Evalute weighted ao (wao)"));
ao.par_iter_columns_full().zip(wao.par_iter_columns_full()).map(|(ao_r,wao_r)| (ao_r,wao_r))
.zip(cur_rho.par_iter_column_mut(i_spin))
.for_each(|((ao_r,wao_r),cur_rho_s)| {
*cur_rho_s = wao_r.iter().zip(ao_r.iter()).fold(0.0, |acc, (a,b)| {
acc + a*b
})
});
println!("{:?}", &cur_rho.data[num_grids*i_spin..num_grids*i_spin+100]);
let dt2 = utilities::timing(&dt1, Some("Contracting ao*wao"));
};
};
unsafe{utilities::openblas_set_num_threads(default_omp_num_threads)};
cur_rho
}
pub fn prepare_tabulated_density_2(&self, mo: &[MatrixFull<f64>;2], occ: &[Vec<f64>;2], spin_channel: usize) -> (MatrixFull<f64>,RIFull<f64>) {
let mut cur_rho = MatrixFull::new([self.coordinates.len(),spin_channel],0.0);
let num_grids = self.coordinates.len();
let num_basis = mo[0].size.get(0).unwrap();
let num_state = mo[0].size.get(1).unwrap();
if let (Some(ao), Some(aop)) = (&self.ao, &self.aop) {
let mut cur_rhop = RIFull::new([num_grids,3,spin_channel],0.0);
for i_spin in 0..spin_channel {
let mo_s = mo.get(i_spin).unwrap();
let mut occ_s = occ.get(i_spin).unwrap()
.iter().filter(|occ| **occ>0.0).map(|occ| occ.sqrt()).collect_vec();
let num_occ = occ_s.len();
let mut wmo = _einsum_01(&mo_s.to_matrixfullslice(),&occ_s);
let mut tmo = MatrixFull::new([num_occ,num_grids],0.0);
tmo.to_matrixfullslicemut().lapack_dgemm(&wmo.to_matrixfullslice(), &ao.to_matrixfullslice(), 'T', 'N', 1.0, 0.0);
let rho_s = _einsum_02(&tmo.to_matrixfullslice(), &tmo.to_matrixfullslice());
cur_rho.par_iter_column_mut(i_spin).zip(rho_s.par_iter()).for_each(|(to, from)| {*to = *from});
for i in (0..3) {
let mut tmop = MatrixFull::new([num_occ,num_grids],0.0);
tmop.to_matrixfullslicemut()
.lapack_dgemm(&wmo.to_matrixfullslice(), &aop.get_reducing_matrix(i).unwrap(), 'T','N',1.0,0.0);
let rhopi_s = _einsum_02(&tmop.to_matrixfullslice(), &tmo.to_matrixfullslice());
cur_rhop.get_reducing_matrix_mut(i_spin).unwrap().par_iter_mut_j(i)
.zip(rhopi_s.par_iter()).for_each(|(to, from)| {*to = *from*2.0});
}
};
return (cur_rho, cur_rhop)
};
if let Some(ao) = &self.ao {
for i_spin in 0..spin_channel {
let mo_s = mo.get(i_spin).unwrap();
let mut occ_s = occ.get(i_spin).unwrap()
.iter().filter(|occ| **occ>0.0).map(|occ| occ.sqrt()).collect_vec();
let num_occu = occ_s.len();
let mut wmo = _einsum_01(&mo_s.to_matrixfullslice(),&occ_s);
let mut tmo = MatrixFull::new([wmo.size[1],ao.size[1]],0.0);
tmo.to_matrixfullslicemut().lapack_dgemm(&wmo.to_matrixfullslice(), &ao.to_matrixfullslice(), 'T', 'N', 1.0, 0.0);
let rho_s = _einsum_02(&tmo.to_matrixfullslice(), &tmo.to_matrixfullslice());
cur_rho.par_iter_column_mut(i_spin).zip(rho_s.par_iter()).for_each(|(to, from)| {*to = *from});
};
let mut cur_rhop = RIFull::empty();
return (cur_rho, cur_rhop)
}
let cur_rhop = RIFull::empty();
(cur_rho, cur_rhop)
}
pub fn prepare_tabulated_density_slots(&self, mo: &[MatrixFull<f64>;2], occ: &[Vec<f64>;2], spin_channel: usize, range_grids: Range<usize>) -> (MatrixFull<f64>,RIFull<f64>) {
let num_grids = range_grids.len();
let num_basis = mo[0].size.get(0).unwrap();
let num_state = mo[0].size.get(1).unwrap();
let mut cur_rho = MatrixFull::new([num_grids,spin_channel],0.0);
if let (Some(ao), Some(aop)) = (&self.ao, &self.aop) {
let mut cur_rhop = RIFull::new([num_grids,3,spin_channel],0.0);
for i_spin in 0..spin_channel {
let mo_s = mo.get(i_spin).unwrap();
let mut occ_s = occ.get(i_spin).unwrap()
.iter().filter(|occ| **occ>0.0).map(|occ| occ.sqrt()).collect_vec();
let num_occ = occ_s.len();
let mut wmo = _einsum_01(&mo_s.to_matrixfullslice(),&occ_s);
let mut tmo = MatrixFull::new([num_occ,num_grids],0.0);
_dgemm(&wmo, (0..wmo.size[0], 0..wmo.size[1]), 'T',
ao, (0..ao.size[0],range_grids.clone()), 'N',
&mut tmo, (0..wmo.size[1],0..num_grids),
1.0,0.0
);
let rho_s = _einsum_02(&tmo.to_matrixfullslice(), &tmo.to_matrixfullslice());
cur_rho.par_iter_column_mut(i_spin).zip(rho_s.par_iter()).for_each(|(to, from)| {*to = *from});
for i in (0..3) {
let mut tmop = MatrixFull::new([num_occ,num_grids],0.0);
let aop_i = aop.get_reducing_matrix(i).unwrap();
_dgemm(&wmo, (0..wmo.size[0], 0..wmo.size[1]), 'T',
&aop_i, (0..aop_i.size[0],range_grids.clone()), 'N',
&mut tmop, (0..wmo.size[1],0..num_grids),
1.0,0.0
);
let rhopi_s = _einsum_02(&tmop.to_matrixfullslice(), &tmo.to_matrixfullslice());
cur_rhop.get_reducing_matrix_mut(i_spin).unwrap().par_iter_mut_j(i)
.zip(rhopi_s.par_iter()).for_each(|(to, from)| {*to = *from*2.0});
}
};
return (cur_rho, cur_rhop)
};
if let Some(ao) = &self.ao {
for i_spin in 0..spin_channel {
let mo_s = mo.get(i_spin).unwrap();
let mut occ_s = occ.get(i_spin).unwrap()
.iter().filter(|occ| **occ>0.0).map(|occ| occ.sqrt()).collect_vec();
let num_occu = occ_s.len();
let mut wmo = _einsum_01(&mo_s.to_matrixfullslice(),&occ_s);
let mut tmo = MatrixFull::new([wmo.size[1],num_grids],0.0);
_dgemm(&wmo, (0..wmo.size[0], 0..wmo.size[1]), 'T',
ao, (0..ao.size[0],range_grids.clone()), 'N',
&mut tmo, (0..wmo.size[1],0..num_grids),
1.0,0.0
);
let rho_s = _einsum_02(&tmo.to_matrixfullslice(), &tmo.to_matrixfullslice());
cur_rho.par_iter_column_mut(i_spin).zip(rho_s.par_iter()).for_each(|(to, from)| {*to = *from});
};
let mut cur_rhop = RIFull::empty();
return (cur_rho, cur_rhop)
}
let cur_rhop = RIFull::empty();
(cur_rho, cur_rhop)
}
pub fn prepare_tabulated_rhop(&self, dm: &mut Vec<MatrixFull<f64>>, spin_channel: usize) -> RIFull<f64> {
let num_basis = dm.get(0).unwrap().size.get(0).unwrap().clone();
let num_grids = self.coordinates.len();
let mut cur_rhop = RIFull::new([num_grids,3,spin_channel],0.0);
for i_spin in 0..spin_channel {
let dm = &mut dm[i_spin];
let mut rhop_s = cur_rhop.get_reducing_matrix_mut(i_spin).unwrap();
if let (Some(ao), Some(aop)) = (&self.ao, &self.aop) {
for i in (0..3) {
let mut aop_i = aop.get_reducing_matrix(i).unwrap();
let mut wao = MatrixFull::new([num_basis,num_grids],0.0);
wao.to_matrixfullslicemut().lapack_dgemm(&dm.to_matrixfullslice(),&aop_i, 'N','N', 1.0, 0.0);
ao.par_iter_columns_full().zip(wao.par_iter_columns_full()).map(|(ao_r,wao_r)| (ao_r,wao_r))
.zip(rhop_s.par_iter_mut_j(i))
.for_each(|((ao_r,wao_r), cur_rhop_r)| {
*cur_rhop_r = 2.0*wao_r.iter().zip(ao_r.iter()).fold(0.0, |acc,(wao,ao)| {acc + wao*ao})
});
};
}
};
cur_rhop
}
pub fn evaluate_density(&self, dm: &mut Vec<MatrixFull<f64>>) -> [f64;2] {
let mut total_density = [0.0f64;2];
if let Some(ao) = &self.ao {
ao.iter_columns(0..self.weights.len())
.zip(self.weights.iter()).for_each(|(ao_r, w)| {
let mut density_r_sum = [0.0;2];
let ao_rv = ao_r.to_vec();
let tmp_len = ao_rv.len();
let mut ao_rr = MatrixFull::from_vec([tmp_len,1], ao_rv).unwrap();
dm.iter_mut().zip(density_r_sum.iter_mut()).for_each(|(dm_s, density_r_sum)| {
let mut tmp_mat = MatrixFull::new([tmp_len,1],0.0);
tmp_mat.lapack_dgemm(&mut ao_rr, dm_s, 'T', 'N', 1.0, 0.0);
*density_r_sum += tmp_mat.data.iter().zip(ao_rr.data.iter()).fold(0.0, |acc,(a,b)| {acc + a*b});
});
total_density.iter_mut().zip(density_r_sum.iter()).for_each(|(to,from)| *to += from*w);
});
}
total_density
}
}
pub fn numerical_density(grid: &Grids, mol: &Molecule, dm: &mut [MatrixFull<f64>;2]) -> [f64;2] {
let mut total_density = [0.0f64;2];
grid.coordinates.iter().zip(grid.weights.iter()).for_each(|(r,w)| {
let mut density_r_sum = [0.0;2];
let mut density_r:Vec<f64> = vec![];
mol.basis4elem.iter().zip(mol.geom.position.iter_columns_full()).for_each(|(elem,geom)| {
let mut tmp_geom = [0.0;3];
tmp_geom.iter_mut().zip(geom.iter()).for_each(|value| {*value.0 = *value.1});
density_r.extend(gto_value(r, &tmp_geom, elem, &mol.ctrl.basis_type));
});
let mut density_rr = MatrixFull::from_vec([mol.num_basis,1],density_r).unwrap();
dm.iter_mut().zip(density_r_sum.iter_mut()).for_each(|(dm_s, density_r_sum)| {
let mut tmp_mat = MatrixFull::new([mol.num_basis,1],0.0);
tmp_mat.lapack_dgemm(&mut density_rr, dm_s, 'T', 'N', 1.0, 0.0);
*density_r_sum += tmp_mat.data.iter().zip(density_rr.data.iter()).fold(0.0, |acc,(a,b)| {acc + a*b});
});
total_density.iter_mut().zip(density_r_sum.iter()).for_each(|(to,from)| *to += from*w);
});
total_density
}
pub fn par_numerical_density(grid: &Grids, mol: &Molecule, dm: &mut [MatrixFull<f64>;2]) -> [f64;2] {
let mut total_density = [0.0f64;2];
let default_omp_num_threads = unsafe {utilities::openblas_get_num_threads()};
unsafe{utilities::openblas_set_num_threads(1)};
let local_basis4elem = mol.basis4elem.clone();
let local_position = mol.geom.position.clone();
let num_basis = mol.num_basis;
let basis_type = mol.ctrl.basis_type.clone();
let (sender,receiver) = channel();
grid.coordinates.par_iter().zip(grid.weights.par_iter()).for_each_with(sender, |s,(r,w)| {
let mut local_total_density = [0.0f64;2];
let mut density_r_sum = [0.0;2];
let mut density_r:Vec<f64> = vec![];
let mut local_dm = dm.clone();
local_basis4elem.iter().zip(local_position.iter_columns_full()).for_each(|(elem,geom)| {
let mut tmp_geom = [0.0;3];
tmp_geom.iter_mut().zip(geom.iter()).for_each(|value| {*value.0 = *value.1});
density_r.extend(gto_value(r, &tmp_geom, elem, &basis_type));
});
let mut density_rr = MatrixFull::from_vec([num_basis,1],density_r).unwrap();
local_dm.iter_mut().zip(density_r_sum.iter_mut()).for_each(|(dm_s, density_r_sum)| {
let mut tmp_mat = MatrixFull::new([num_basis,1],0.0);
tmp_mat.lapack_dgemm(&mut density_rr, dm_s, 'T', 'N', 1.0, 0.0);
*density_r_sum += tmp_mat.data.iter().zip(density_rr.data.iter()).fold(0.0, |acc,(a,b)| {acc + a*b});
});
local_total_density.iter_mut().zip(density_r_sum.iter()).for_each(|(to,from)| *to += from*w);
s.send(local_total_density).unwrap();
});
receiver.iter().for_each(|value| {
total_density.iter_mut().zip(value.iter()).for_each(|(to,from)| *to += from);
});
unsafe{utilities::openblas_set_num_threads(default_omp_num_threads)};
total_density
}
#[test]
fn debug_num_density_for_atom() {
let angular = 2;
let num_basis = 2*angular+1;
let mut dm = [
MatrixFull::from_vec([5,5], vec![
2.0,0.0,0.0,0.0,0.0,
0.0,0.0,0.0,0.0,0.0,
0.0,0.0,0.0,0.0,0.0,
0.0,0.0,0.0,0.0,0.0,
0.0,0.0,0.0,0.0,0.0]).unwrap(),
MatrixFull::empty()];
let mut alpha_min_h: HashMap<usize, f64> = HashMap::new();
alpha_min_h.insert(angular,0.122);
let mut alpha_max_h: f64 = 0.122;
let mut basis4elem = vec![Basis4Elem {
electron_shells: vec![
BasCell {
function_type: None,
region: None,
angular_momentum: vec![angular as i32],
exponents: vec![0.122],
coefficients: vec![vec![1.0/cint_norm_factor(angular as i32, 0.122)]],
}
],
references: None,
global_index: (0,0)
}];
let mut center_coordinates_bohr = vec![(0.0,0.0,0.0)];
let mut proton_charges = vec![1];
let grids = Grids::build_nonstd(
center_coordinates_bohr.clone(),
proton_charges.clone(),
vec![alpha_min_h],
vec![alpha_max_h]);
let mut total_density = 0.0;
let mut count:usize =0;
grids.coordinates.iter().zip(grids.weights.iter()).for_each(|(r,w)| {
let mut density_r_sum = 0.0;
let mut density_r:Vec<f64> = vec![];
basis4elem.iter().zip(center_coordinates_bohr.iter()).for_each(|(elem,geom_nonstd)| {
let geom = [geom_nonstd.0,geom_nonstd.1,geom_nonstd.2];
let mut tmp_geom = [0.0;3];
tmp_geom.iter_mut().zip(geom.iter()).for_each(|value| {*value.0 = *value.1});
let tmp_vec = gto_value(r, &tmp_geom, elem, &"spheric".to_string());
density_r.extend(tmp_vec);
});
let mut density_rr = MatrixFull::from_vec([num_basis,1],density_r).unwrap();
dm.iter_mut().for_each(|dm_s| {
let mut tmp_mat = MatrixFull::new([num_basis,1],0.0);
tmp_mat.lapack_dgemm(&mut density_rr, dm_s, 'T', 'N', 1.0, 0.0);
if count<=10 {println!("count: {},{:?}",count, &tmp_mat.data)};
density_r_sum += tmp_mat.data.iter().zip(density_rr.data.iter()).fold(0.0, |acc,(a,b)| {acc + a*b});
});
if count<=10 {println!("{:?},{},{}", r,w,density_r_sum)};
count += 1;
total_density += density_r_sum * w;
});
println!("Total density: {}", total_density);
}
#[test]
fn test_libxc() {
let mut rho:Vec<f64> = vec![0.1,0.2,0.3,0.4,0.5,0.6,0.8];
let sigma:Vec<f64> = vec![0.2,0.3,0.4,0.5,0.6,0.7];
let spin_channel: usize = 1;
let mut my_xc = DFA4REST::parse_scf("lda_x_slater", spin_channel);
let mut exc = MatrixFull::new([rho.len()/spin_channel,1],0.0);
let mut vrho = MatrixFull::new([rho.len()/spin_channel,spin_channel],0.0);
my_xc.dfa_compnt_scf.iter().zip(my_xc.dfa_paramr_scf.iter()).for_each(|(xc_func, xc_para)| {
let xc_func = my_xc.init_libxc(xc_func);
let (tmp_exc, tmp_vrho) = xc_func.lda_exc_vxc(&rho);
let mut tmp_exc = MatrixFull::from_vec([rho.len()/spin_channel,1],tmp_exc).unwrap();
let mut tmp_vrho = MatrixFull::from_vec([rho.len()/spin_channel,spin_channel],tmp_vrho).unwrap();
exc.par_self_scaled_add(&tmp_exc,*xc_para);
vrho.par_self_scaled_add(&tmp_vrho,*xc_para);
});
println!("{:?}", exc.data);
println!("{:?}", vrho.data);
}
#[test]
fn test_zip() {
let dd = vec![1,2,3,4,5,6];
let ff = vec![1,3,5];
let gg = vec![2,4,6];
izip!(dd.chunks_exact(2),ff.iter(),gg.iter()).for_each(|(dd,ff,gg)| {
println!("dd {:?}, ff {}, gg {}",dd,ff,gg)
});
}
#[test]
fn read_grid() {
let mut grids_file = std::fs::File::open("/home/igor/Documents/Package-Pool/Rust/rest/grids").unwrap();
let mut content = String::new();
grids_file.read_to_string(&mut content);
let re1 = Regex::new(r"(?x)\s*
(?P<x>[\+-]?\d+.\d+[eE][\+-]?\d+)\s*,# the 'x' position
\s+
(?P<y>[\+-]?\d+.\d+[eE][\+-]?\d+)\s*,# the 'y' position
\s+
(?P<z>[\+-]?\d+.\d+[eE][\+-]?\d+)\s*,# the 'z' position
\s+
(?P<w>[\+-]?\d+.\d+[eE][\+-]?\d+)\s*# the 'w' weight
\s*\n").unwrap();
for cap in re1.captures_iter(&content) {
let x:f64 = cap[1].parse().unwrap();
let y:f64 = cap[2].parse().unwrap();
let z:f64 = cap[3].parse().unwrap();
let w:f64 = cap[4].parse().unwrap();
println!("{:16.8} {:16.8} {:16.8} {:16.8}", x,y,z,w);
}
}
#[test]
fn debug_transpose() {
let len_a = 111_usize;
let len_b = 40000_usize;
let orig_a:Vec<f64> = (0..len_a*len_b).map(|i| {i as f64}).collect();
let a_mat = MatrixFull::from_vec([len_a,len_b],orig_a).unwrap();
let dt0 = utilities::init_timing();
let b_mat = a_mat.transpose_and_drop();
let dt1 = utilities::timing(&dt0, Some("old transpose"));
let orig_a:Vec<f64> = (0..len_a*len_b).map(|i| {i as f64}).collect();
let a_mat = MatrixFull::from_vec([len_a,len_b],orig_a).unwrap();
let dt0 = utilities::init_timing();
let c_mat = a_mat.transpose_and_drop();
let dt1 = utilities::timing(&dt0, Some("new transpose"));
b_mat.data.iter().zip(c_mat.data.iter()).for_each(|(b,c)| {
assert!(*b==*c);
});
}
#[test]
fn test_balancing() {
let dd = balancing(550, 23);
println!("{:?}",dd);
}