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
|
.. _manual:
======
Manual
======
GPAW calculations are controlled through scripts written in the
programming language Python_. GPAW relies on the `Atomic
Simulation Environment <ASE>`_ (ASE), which is a Python package that helps
us describe our atoms. The ASE package also
handles molecular dynamics, analysis, visualization, geometry
optimization and more. If you don't know anything about ASE, then it
might be a good idea to familiarize yourself with it before continuing
(at least read the :ref:`ase:about` section).
Below, there will be Python code examples starting with ``>>>`` (and
``...`` for continuation lines). It is a good idea to start the
Python interpreter and try some of the examples below.
.. _Python: http://www.python.org
The units used by the GPAW calculator correspond to the :mod:`ASE
conventions <ase.units>`, most importantly electron volts and
angstroms.
-----------------------
Doing a PAW calculation
-----------------------
To do a PAW calculation with the GPAW code, you need an ASE
:class:`~ase.Atoms` object and a :class:`~gpaw.GPAW`
calculator::
_____________ ____________
| | | |
| Atoms |------->| GPAW |
| | | |
|_____________| |____________|
atoms calc
In Python code, it looks like this:
.. literalinclude:: h2.py
:start-after: creates
If the above code was executed, a calculation for a single `\rm{H}_2`
molecule would be started. The calculation would be done using a
supercell of size `6.0 \times 6.0 \times 6.0` Å with cluster
boundary conditions. The parameters for the PAW calculation are:
* 2 electronic bands.
* Local density approximation (LDA)\ [#LDA]_ for the
exchange-correlation functional.
* Spin-paired calculation.
* `32 \times 32 \times 32` grid points.
The values of these parameters can be found in the text output file:
:download:`h2.txt`.
The calculator will try to make sensible choices for all parameters
that the user does not specify. Specifying parameters can be done
like this:
>>> calc = GPAW(nbands=1,
... xc='PBE',
... gpts=(24, 24, 24))
Here, we want to use one electronic band, the Perdew, Burke, Ernzerhof
(PBE)\ [#PBE]_ exchange-correlation functional and 24 grid points in
each direction.
----------
Parameters
----------
The complete list of all possible parameters and their defaults is
shown below. A detailed description of the individual parameters is
given in the following sections.
.. list-table::
:header-rows: 1
:widths: 1 1 1 2
* - keyword
- type
- default value
- description
* - ``basis``
- ``str`` or dict
- ``{}``
- Specification of :ref:`manual_basis`
* - ``charge``
- ``float``
- ``0``
- Total :ref:`manual_charge` of the system
* - ``communicator``
- Object
-
- :ref:`manual_communicator`
* - ``convergence``
- ``dict``
-
- :ref:`manual_convergence`
* - ``eigensolver``
- ``str``
- ``'dav'``
- :ref:`manual_eigensolver`
* - ``external``
- Object
-
- :ref:`manual_external`
* - ``gpts``
- *seq*
-
- :ref:`manual_gpts`
* - ``h``
- ``float``
- ``0.2``
- :ref:`manual_h`
* - ``hund``
- ``bool``
- ``False``
- :ref:`Use Hund's rule <manual_hund>`
* - ``idiotproof``
- ``bool``
- ``True``
- Set to ``False`` to ignore setup fingerprint mismatch
(allows restart when the original setup files are not available)
* - ``kpts``
- *seq*
- `\Gamma`-point
- :ref:`manual_kpts`
* - ``maxiter``
- ``int``
- ``333``
- :ref:`manual_maxiter`
* - ``mixer``
- Object
-
- Pulay :ref:`manual_mixer` scheme
* - ``mode``
- ``str``
- ``'fd'``
- :ref:`manual_mode`
* - ``nbands``
- ``int``
-
- :ref:`manual_nbands`
* - ``occupations``
- occ. obj.
-
- :ref:`manual_occ`
* - ``parallel``
- ``dict``
-
- :ref:`manual_parallel`
* - ``poissonsolver``
- Object
-
- Specification of :ref:`Poisson solver <manual_poissonsolver>` or
:ref:`dipole correction <manual_dipole_correction>` or
:ref:`Advanced Poisson solver <advancedpoisson>`
* - ``random``
- ``bool``
- ``False``
- Use random numbers for :ref:`manual_random`
* - ``setups``
- ``str`` or ``dict``
- ``'paw'``
- :ref:`manual_setups`
* - ``spinpol``
- ``bool``
-
- :ref:`manual_spinpol`
* - ``symmetry``
- ``dict``
- ``{}``
- :ref:`manual_symmetry`
* - ``txt``
- ``str``, None, or file obj.
- ``'-'`` (``sys.stdout``)
- :ref:`manual_txt`
* - ``xc``
- ``str``
- ``'LDA'``
- :ref:`manual_xc`
*seq*: A sequence of three ``int``'s.
.. note::
Parameters can be changed after the calculator has been constructed
by using the :meth:`~gpaw.GPAW.set` method:
>>> calc.set(txt='H2.txt', charge=1)
This would send all output to a file named :file:`'H2.txt'`, and the
calculation will be done with one electron removed.
Deprecated keywords (in favour of the ``parallel`` keyword) include:
================= ========= ============= ============================
keyword type default value description
================= ========= ============= ============================
``parsize`` *seq* Parallel
:ref:`manual_parsize_domain`
``parsize_bands`` ``int`` ``1`` :ref:`manual_parsize_bands`
================= ========= ============= ============================
.. _manual_mode:
Finite-difference, plane-wave or LCAO mode
------------------------------------------
Finite-difference:
The default mode (``mode='fd'``) is Finite Difference. This means that
the wave functions will be expanded on a real space grid.
LCAO:
Expand the wave functions in a basis-set constructed
from atomic-like orbitals, in short LCAO (linear combination of atomic
orbitals). This is done by setting ``mode='lcao'``.
See also the page on :ref:`lcao`.
Plane-waves:
Expand the wave functions in plane-waves. Use ``mode='pw'`` if you want
to use the default plane-wave cutoff of `E_{\text{cut}}=340` eV. The
plane-waves will be those with `|\mathbf G+\mathbf k|^2/2<E_{\text{cut}}`.
You can set another cutoff like this::
from gpaw import GPAW, PW
calc = GPAW(mode=PW(200))
Comparing FD, LCAO and PW modes
```````````````````````````````
Memory consumption:
With LCAO, you have fewer degrees of freedom so memory usage is low.
PW mode uses more memory and FD a lot more.
Speed:
For small systems with many **k**-points, PW mode beats everything else.
For larger systems LCAO will be most efficient. Whereas PW beats FD for
smallish systems, the opposite is true for large systems where FD
will parallelize better.
Absolute convergence:
With LCAO, it can be hard to reach the complete basis set limit and get
absolute convergence of energies, whereas with FD and PW mode it is
quite easy to do by decreasing the grid spacing or increasing the
plane-wave cutoff energy, respectively.
Eggbox errors:
With LCAO and FD mode you will get a small eggbox error: you get a
small periodic energy variation as you translate atoms and the period
of the variation will be equal to the grid-spacing used. GPAW's PW
implementation doesn't have this problem.
Features:
FD mode is the oldest and has most features. Only PW mode can be used
for calculating the stress-tensor and for response function calculations.
.. _manual_nbands:
Number of electronic bands
--------------------------
This parameter determines how many bands are included in the calculation for
each spin. For example, for spin-unpolarized system with 10 valence electrons
``nbands=5`` would include all the occupied states. In 10 valence electron
spin-polarized system with magnetic moment of 2 a minimum of ``nbands=6`` is
needed (6 occupied bands for spin-up, 4 occupied bands and 2 empty bands for
spin down).
The default number of electronic bands (``nbands``) is equal to 4 plus
1.2 times the number of occupied bands. For systems
with the occupied states well separated from the unoccupied states,
one could use just the number of bands needed to hold the occupied
states. For metals, more bands are needed. Sometimes, adding more
unoccupied bands will improve convergence.
.. tip::
``nbands=0`` will give zero empty bands, and ``nbands=-n`` will
give ``n`` empty bands.
.. tip::
``nbands='n%'`` will give ``n/100`` times the number of occupied bands.
.. tip::
``nbands='nao'`` will use the same number of bands as there are
atomic orbitals. This corresponds to the maximum ``nbands`` value that
can be used in LCAO mode.
.. _manual_xc:
Exchange-Correlation functional
-------------------------------
Some of the most commonly used exchange-correlation functionals
are listed below.
============ =========================== =========================== ==========
``xc`` full libxc_ keyword description reference
============ =========================== =========================== ==========
``'LDA'`` ``'LDA_X+LDA_C_PW'`` Local density approximation [#LDA]_
``'PBE'`` ``'GGA_X_PBE+GGA_C_PBE'`` Perdew, Burke, Ernzerhof [#PBE]_
``'revPBE'`` ``'GGA_X_PBE_R+GGA_C_PBE'`` revised PBE [#revPBE]_
``'RPBE'`` ``'GGA_X_RPBE+GGA_C_PBE'`` revised revPBE [#RPBE]_
``'PBE0'`` ``'HYB_GGA_XC_PBEH'`` Known as PBE0 [#PBE0]_
``'B3LYP'`` ``'HYB_GGA_XC_B3LYP'`` B3LYP (as in Gaussian Inc.) [#B3LYP]_
============ =========================== =========================== ==========
``'LDA'`` is the default value. The next three ones are of
generalized gradient approximation (GGA) type, and the last two are
`hybrid functionals <http://en.wikipedia.org/wiki/Hybrid_functional>`_.
For the list of all functionals available in GPAW see :ref:`overview_xc`.
GPAW uses the functionals from libxc_ by default.
Keywords are based on the names in the libxc :file:`'xc_funcs.h'` header
file (the leading ``'XC_'`` should be removed from those names).
You should be able to find the file installed alongside LibXC.
Valid
keywords are strings or combinations of exchange and correlation string
joined by **+** (plus). For example, "the" (most common) LDA approximation
in chemistry corresponds to ``'LDA_X+LDA_C_VWN'``.
XC functionals can also be specified as dictionaries. This is useful for
functionals that depend on one or more parameters. For example, to use a
stencil with two nearest neighbours for the density-gradient with the PBE
functional, use ``xc={'name': 'PBE', 'stencil': 2}``. The ``stencil``
keyword applies to any GGA or MGGA. Some functionals may take other
parameters; see their respective documentation pages.
Hybrid functionals (the feature is described at :ref:`exx`)
require the setups containing exx information to be generated.
Check available setups for the presence of exx information, for example::
$ zcat $GPAW_SETUP_PATH/O.PBE.gz | grep "<exact_exchange_"
and generate setups with missing exx information::
$ gpaw-setup --exact-exchange -f PBE H C
Currently all the hybrid functionals use the PBE setup as a *base* setup.
For more information about ``gpaw-setup`` see :ref:`generation_of_setups`.
Set the location of setups as described on :ref:`installation of paw datasets`.
The details of the implementation of the exchange-correlation
are described on the :ref:`xc_functionals` page.
.. _libxc: http://www.tddft.org/programs/octopus/wiki/index.php/Libxc
.. _manual_kpts:
Brillouin-zone sampling
-----------------------
The default sampling of the Brillouin-zone is with only the
`\Gamma`-point. This allows us to choose the wave functions to be
real. Monkhorst-Pack sampling can be used if required: ``kpts=(N1,
N2, N3)``, where ``N1``, ``N2`` and ``N3`` are positive integers.
This will sample the Brillouin-zone with a regular grid of ``N1``
`\times` ``N2`` `\times` ``N3`` **k**-points. See the
:func:`ase.dft.kpoints.monkhorst_pack` function for more details.
For more flexibility, you can use this syntax::
kpts={'size': (4, 4, 4)} # 4x4x4 Monkhorst-pack
kpts={'size': (4, 4, 4), 'gamma': True} # shifted 4x4x4 Monkhorst-pack
You can also specify the **k**-point density in units of points per
Å\ `^{-1}`::
kpts={'density': 2.5} # MP with a minimum density of 2.5 points/Ang^-1
kpts={'density': 2.5, 'even': True} # round up to nearest even number
kpts={'density': 2.5, 'gamma': True} # include gamma-point
The **k**-point density is calculated as:
.. math:: N \frac{a}{2\pi},
where `N` is then number of **k**-points and `a` is the length of the
unit-cell along the direction of the corresponding reciprocal lattice vector.
An arbitrary set of **k**-points can be specified, by giving a
sequence of k-point coordinates like this::
kpts=[(0, 0, -0.25), (0, 0, 0), (0, 0, 0.25), (0, 0, 0.5)]
The **k**-point coordinates are given in scaled coordinates, relative
to the basis vectors of the reciprocal unit cell.
The above four **k**-points are equivalent to
``kpts={'size': (1, 1, 4), 'gamma': True}`` and to this:
>>> from ase.dft.kpoints import monkhorst_pack
>>> kpts = monkhorst_pack((1, 1, 4))
>>> kpts
array([[ 0. , 0. , -0.375],
[ 0. , 0. , -0.125],
[ 0. , 0. , 0.125],
[ 0. , 0. , 0.375]])
>>> kpts+=(0,0,0.125)
>>> kpts
array([[ 0. , 0. , -0.25],
[ 0. , 0. , 0. ],
[ 0. , 0. , 0.25],
[ 0. , 0. , 0.5 ]])
.. _manual_spinpol:
Spinpolarized calculation
-------------------------
If any of the atoms have magnetic moments, then the calculation will
be spin-polarized - otherwise, a spin-paired calculation is carried
out. This behavior can be overruled with the ``spinpol`` keyword
(``spinpol=True``).
.. _manual_gpts:
Number of grid points
---------------------
The number of grid points to use for the grid representation of the
wave functions determines the quality of the calculation. More
gridpoints (smaller grid spacing, *h*), gives better convergence of
the total energy. For most elements, *h* should be 0.2 Å for
reasonable convergence of total energies. If a ``n1`` `\times` ``n2``
`\times` ``n3`` grid is desired, use ``gpts=(n1, n2, n3)``, where
``n1``, ``n2`` and ``n3`` are positive ``int``'s all divisible by four.
Alternatively, one can use something like ``h=0.25``, and the program
will try to choose a number of grid points that gives approximately
a grid-point density of `1/h^3`. For more details, see :ref:`grids`.
If you are more used to think in terms of plane waves; a conversion
formula between plane wave energy cutoffs and realspace grid spacings
have been provided by Briggs *et al.* PRB **54**, 14362 (1996). The
conversion can be done like this::
>>> from gpaw.utilities.tools import cutoff2gridspacing, gridspacing2cutoff
>>> from ase.units import Rydberg
>>> h = cutoff2gridspacing(50 * Rydberg)
.. _manual_h:
Grid spacing
------------
The parameter ``h`` specifies the grid spacing in Å that has to be
used for the realspace representation of the smooth wave
functions. Note, that this grid spacing in most cases is approximate
as it has to fit to the unit cell (see :ref:`manual_gpts` above).
In case you want to specify ``h`` exactly you have to choose the unit
cell accordingly. This can be achieved by::
from gpaw.cluster import *
d = 0.74
a = 6.0
atoms = Cluster('H2', positions=[(0, 0, 0), (0, 0, d)])
# set the amount of vacuum at least to 4 Å
# and ensure a grid spacing of h=0.2
atoms.minimal_box(4., h=.2)
.. _manual_symmetry:
Use of symmetry
---------------
The default behavior is to use all point-group symmetries and time-reversal
symmetry to reduce the **k**-points to only those in the irreducible part of
the Brillouin-zone. Moving the atoms so that a symmetry is broken will
cause an error. This can be avoided by using::
symmetry={'point_group': False}
This will reduce the number of applied symmetries to just the time-reversal
symmetry (implying that the Hamiltonian is invariant under **k** -> -**k**).
For some purposes you might want to have no symmetry reduction of the
**k**-points at all (debugging, band-structure calculations, ...). This can
be achieved by specifying::
symmetry={'point_group': False, 'time_reversal': False}
or simply ``symmetry='off'`` which is a short-hand notation for the same
thing.
For full control, here are all the available keys of the ``symmetry``
dictionary:
================= ======== ===============================
key default description
================= ======== ===============================
``point_group`` ``True`` Use point-group symmetries
``time_reversal`` ``True`` Use time-reversal symmetry
``symmorphic`` ``True`` Use only symmorphic symmetries
``tolerance`` ``1e-7`` Relative tolerance
================= ======== ===============================
.. _manual_random:
Wave function initialization
----------------------------
By default, a linear combination of atomic orbitals is used as initial
guess for the wave functions. If the user wants to calculate more bands
than there are precalculated atomic orbitals, random numbers will be
used for the remaining bands.
.. _manual_occ:
Occupation numbers
------------------
The smearing of the occupation numbers is controlled like this::
from gpaw import GPAW
calc = GPAW(...,
occupations={'name': 'fermi-dirac',
'width': 0.05},
...)
The distribution looks like this (width = `k_B T`):
.. math:: f(E) = \frac{1}{1 + \exp[E / (k_B T)]}
For calculations with periodic boundary conditions, the default value
is 0.1 eV and the total energies are extrapolated to *T* = 0 Kelvin.
For a molecule (no periodic boundaries) the default value is ``width=0``,
which gives integer occupation numbers.
Other distribution functions:
* ``{'name': 'marzari-vanderbilt', 'width': ...}``
* ``{'name': 'methfessel-paxton', 'width': ..., 'order': ...}``
For a spin-polarized calculation, one can fix the total magnetic moment at
the initial value using::
occupations={'name': ..., 'width': ..., 'fixmagmom': True}
.. figure:: occupation_numbers.png
Occupation numbers for ``width=0.05``
For fixed occupations numbers use the
:class:`gpaw.occupations.FixedOccupationNumbers` class like this::
from gpaw.occupations import FixedOccupationNumbers
calc = GPAW(...,
occupations=FixedOccupationNumbers([[1, 1, ..., 0, 0],
[1, 1, ..., 0, 0]]))
See also :ref:`smearing`.
.. _manual_lmax:
Compensation charges
--------------------
The compensation charges are expanded with correct multipoles up to
and including `\ell=\ell_{max}`. Default value: ``lmax=2``.
.. _manual_charge:
Charge
------
The default is charge neutral. The systems total charge may be set in
units of the negative electron charge (i.e. ``charge=-1`` means one
electron more than the neutral).
.. _manual_convergence:
Accuracy of the self-consistency cycle
--------------------------------------
The ``convergence`` keyword is used to set the convergence criteria.
The default value is this Python dictionary::
{'energy': 0.0005, # eV / electron
'density': 1.0e-4,
'eigenstates': 4.0e-8, # eV^2 / electron
'bands': 'occupied',
'forces': float('inf')} # eV / Ang Max
In words:
* The energy change (last 3 iterations) should be less than 0.5 meV
per valence electron.
* The change in density (integrated absolute value of density change)
should be less than 0.0001 electrons per valence electron.
* The integrated value of the square of the residuals of the Kohn-Sham
equations should be less than `4.0 \times 10^{-8}
\mathrm{eV}^2` per valence electron. This criterion does not affect LCAO
calculations.
* The maximum change in the magnitude of the vector representing the
difference in forces for each atom. Setting this to infinity (default)
disables this functionality, saving computational time and memory usage.
The individual criteria can be changed by giving only the specific
entry of dictionary e.g. ``convergence={'energy': 0.0001}`` would set
the convergence criteria of energy to 0.1 meV while other criteria
remain in their default values.
As the total energy and charge density depend only on the occupied
states, unoccupied states do not contribute to the convergence
criteria. However, with the ``bands`` set to ``'all'``, it is
possible to force convergence also for the unoccupied states. One can
also use ``{'bands': 200}`` to converge the lowest 200 bands. One can
also write ``{'bands': -10}`` to converge all bands except the last
10. It is often hard to converge the last few bands in a calculation.
Finally, one can also use ``{'bands': 'CBM+5.0'}`` to specify that bands
up to the conduction band minimum plus 5.0 eV should be converged
(for a metal, CBM is taken as the Fermi level).
.. _manual_maxiter:
Maximum number of SCF-iterations
--------------------------------
The calculation will stop with an error if convergence is not reached
in ``maxiter`` self-consistent iterations.
.. _manual_txt:
Where to send text output
-------------------------
The ``txt`` keyword defaults to the string ``'-'``, which means
standard output. One can also give a ``file`` object (anything with a
``write`` method will do). If a string (different from ``'-'``) is
passed to the ``txt`` keyword, a file with that name will be opened
and used for output. Use ``txt=None`` to disable all text output.
.. _manual_mixer:
Density mixing
--------------
Three parameters determine how GPAW does Pulay mixing of the
densities:
* ``beta``: linear mixing coefficient
* ``nmaxold``: number of old densities to mix
* ``weight``: when measuring the change from input to output density,
long wavelength changes are weighted ``weight`` times higher than
short wavelength changes
For small molecules, the best choice is to use
``mixer=Mixer(beta=0.25, nmaxold=3, weight=1.0)``, which is what GPAW
will choose if the system has zero-boundary conditions.
If your system is a big molecule or a cluster, it is an advantage to
use something like ``mixer=Mixer(beta=0.05, nmaxold=5, weight=50.0)``,
which is also what GPAW will choose if the system has periodic
boundary conditions in one or more directions.
In spin-polarized calculations ``MixerDif`` will be used instead of
``Mixer``.
See also the documentation on :ref:`density mixing <densitymix>`.
.. _manual_fixdensity:
Fixed density calculation
-------------------------
When calculating band structures or when adding unoccupied states to
calculation (and wanting to converge them) it is often useful to use existing
density without updating it. This can be done using the
:meth:`gpaw.GPAW.fixed_density` method. This will use the density
(e.g. one read from .gpw or existing from previous calculation)
throughout the SCF-cycles (so called Harris calculation).
.. _manual_setups:
PAW datasets or pseudopotentials
--------------------------------
The ``setups`` keyword is used to specify the name(s) of the setup files
used in the calulation.
For a given element ``E``, setup name ``NAME``, and xc-functional
'XC', GPAW looks for the file :file:`E.NAME.XC` or :file:`E.NAME.XC.gz`
(in that order) in the setup locations
(see :ref:`installation of paw datasets`).
Unless ``NAME='paw'``, in which case it will simply look for
:file:`E.XC` (or :file:`E.XC.gz`).
The ``setups`` keyword can be either a single string, or a dictionary.
If specified as a string, the given name is used for all atoms. If
specified as a dictionary, each keys can be either a chemical symbol
or an atom number. The values state the individual setup names.
The special key ``'default'`` can be used to specify the default setup
name. Thus ``setups={'default': 'paw'}`` is equivalent to ``setups='paw'``
which is the GPAW default.
As an example, the latest PAW setup of Na includes also the 6 semicore p
states in the valence, in order to use non-default setup with only the 1 s
electron in valence (:file:`Na.1.XC.gz`) one can specify ``setups={'Na':
'1'}``
There exist three special names that, if used, do not specify a file name:
* ``'ae'`` is used for specifying all-electron mode for an
atom. I.e. no PAW or pseudo potential is used.
* ``sg15`` specifies the `SG15 optimized norm-conserving Vanderbilt
pseudopotentials`_ for the PBE functional. These have to be
installed separately. Use :command:`gpaw install-data --sg15
{<dir>}` to download and unpack the pseudopotentials into
:file:`{<dir>}/sg15_oncv_upf_{<version>}`. As of now, the SG15
pseudopotentials should still be considered experimental in GPAW.
You can plot a UPF pseudopotential by running :file:`gpaw-upfplot
{<pseudopotential>}`. Here, :file:`{<pseudopotential>}` can be
either a direct path to a UPF file or the symbol or identifier to
search for in the GPAW setup paths.
* ``'hgh'`` is used to specify a norm-conserving Hartwigsen-Goedecker-Hutter
pseudopotential (no installation necessary). Some elements have better
semicore pseudopotentials. To use those, specify ``'hgh.sc'``
for the elements or atoms in question.
* ``'ghost'`` is used to indicated a *ghost* atom in LCAO mode,
see :ref:`ghost-atoms`.
.. _SG15 optimized norm-conserving Vanderbilt pseudopotentials:
http://fpmd.ucdavis.edu/qso/potentials/sg15_oncv/
If a dictionary contains both chemical element specifications *and*
atomic number specifications, the latter is dominant.
An example::
setups={'default': 'soft', 'Li': 'hard', 5: 'ghost', 'H': 'ae'}
Indicates that the files named 'hard' should be used for lithium
atoms, an all-electron potential is used for hydrogen atoms, atom
number 5 is a ghost atom (even if it is a Li or H atom), and for all
other atoms the files named 'soft' will be used.
.. _manual_basis:
Atomic basis set
----------------
The ``basis`` keyword can be used to specify the basis set which
should be used in LCAO mode. This also affects the LCAO
initialization in FD or PW mode, where initial wave functions are
constructed by solving the Kohn-Sham equations in the LCAO basis.
If ``basis`` is a string, :file:`basis='basisname'`, then GPAW will
look for files named :file:`{symbol}.{basisname}.basis` in the setup
locations (see :ref:`installation of paw datasets`), where
:file:`{symbol}` is taken as the chemical symbol from the ``Atoms``
object. If a non-default setup is used for an element, its name is
included as :file:`{symbol}.{setupname}.{basisname}.basis`.
If ``basis`` is a dictionary, its keys specify atoms or species while
its values are corresponding basis names which work as above.
Distinct basis sets can be specified
for each atomic species by using the atomic symbol as
a key, or for individual atoms by using an ``int`` as a key. In the
latter case the integer corresponds to the index of that atom in the
``Atoms`` object. As an example, ``basis={'H': 'sz', 'C': 'dz', 7:
'dzp'}`` will use the ``sz`` basis for hydrogen atoms, the ``dz``
basis for carbon, and the ``dzp`` for whichever atom is number 7 in
the ``Atoms`` object.
.. note::
If you want to use only the ``sz`` basis functinons from a ``dzp``
basis set, then you can use this syntax: ``basis='sz(dzp)'``.
This will read the basis functions for, say hydrogen, from the
``H.dzp.basis`` file. If the basis has a custom name,
it is specified as ``'szp(mybasis.dzp)'``.
The value ``None`` (default) implies that the pseudo partial waves
from the setup are used as a basis. This basis is always available;
choosing anything else requires the existence of the corresponding
basis set file in setup locations
(see :ref:`installation of paw datasets`).
For details on the LCAO mode and generation of basis set files; see
the :ref:`LCAO <lcao>` documentation.
.. _manual_eigensolver:
Eigensolver
-----------
The default solver for iterative diagonalization of the Kohn-Sham
Hamiltonian is a simple Davidson method, (``eigensolver='dav'``), which
seems to perform well in most cases. Sometimes more efficient/stable
convergence can be obtained with a different eigensolver. One option is the
RMM-DIIS (Residual minimization method - direct inversion in iterative
subspace), (``eigensolver='rmm-diis'``), which performs well when only a few
unoccupied states are calculated. Another option is the conjugate gradient
method (``eigensolver='cg'``), which is stable but slower.
If parallellization over bands is necessary, then Davidson or RMM-DIIS must
be used.
More control can be obtained by using directly the eigensolver objects::
from gpaw.eigensolvers import CG
calc = GPAW(eigensolver=CG(niter=5, rtol=0.20))
Here, ``niter`` specifies the maximum number of conjugate gradient iterations
for each band (within a single SCF step), and if the relative change
in residual is less than ``rtol``, the iteration for the band is not continued.
LCAO mode has its own eigensolver, which directly diagonalizes the
Hamiltonian matrix instead of using an iterative method.
.. _manual_poissonsolver:
Poisson solver
--------------
The *poissonsolver* keyword is used to specify a Poisson solver class
or enable dipole correction.
The default Poisson solver in FD and LCAO mode
is called FastPoissonSolver and uses
a combination of Fourier and Fourier-sine transforms
in combination with parallel array transposes. Meanwhile in PW mode,
the Poisson equation is solved by dividing each planewave coefficient
by the squared length of its corresponding wavevector.
The old default Poisson solver uses a multigrid Jacobian method. Use this
keyword to specify a different method. This example corresponds to
the default Poisson solver::
from gpaw import GPAW, PoissonSolver
calc = GPAW(poissonsolver=PoissonSolver(nn=3, relax='J', eps=2e-10))
The first argument is the stencil, see :ref:`manual_stencils`. Second
argument is the method, either ``'J'`` (Jacobian) or ``'GS'``
(Gauss-Seidel). The Gauss-Seidel method requires half as many
iterations to solve the Poisson equation, but involves more
communication. The Gauss-Seidel implementation also depends slightly
on the domain decomposition used.
The last argument, ``eps``, is the convergence criterion.
.. note::
The Poisson solver is rarely a performance bottleneck, but it can
sometimes perform poorly depending on the grid layout. This is mostly
important in LCAO calculations, but can be good to know in general.
See the LCAO notes on
:ref:`Poisson performance <poisson_performance>`.
.. _manual_dipole_correction:
The *poissonsolver* keyword can also be used to specify that a dipole
correction should be applied along a given axis. The system should be
non-periodic in that direction but periodic in the two other
directions.
::
from gpaw import GPAW
correction = {'dipolelayer': 'xy'}
calc = GPAW(poissonsolver=correction)
Without dipole correction, the potential will approach 0 at all
non-periodic boundaries. With dipole correction, there will be a
potential difference across the system depending on the size of the
dipole moment.
Other parameters in this dictionary are forwarded to the
Poisson solver::
GPAW(poissonsolver={'dipolelayer': 'xy', 'name': 'fd', 'relax': 'GS'})
An alternative Poisson solver based on Fourier transforms is available
for fully periodic calculations::
GPAW(poissonsolver={'name': 'fft'})
The FFT Poisson solver will reduce the dependence on the grid spacing and
is in general less picky about the grid. It may be beneficial for
non-periodic systems as well, but the system must be set up explicitly
as periodic and hence should be well padded with vacuum in non-periodic
directions to avoid unphysical interactions across the cell boundary.
.. _manual_stencils:
Finite-difference stencils
--------------------------
GPAW can use finite-difference stencils for the Laplacian in the
Kohn-Sham and Poisson equations. You can set the range of the stencil
(number of neighbor grid points) used for the Poisson equation like
this::
from gpaw import GPAW, PoissonSolver
calc = GPAW(poissonsolver=PoissonSolver(nn=n))
This will give an accuracy of `O(h^{2n})`, where ``n`` must be between
1 and 6. The default value is ``n=3``.
Similarly, for the Kohn-Sham equation, you can use::
from gpaw import GPAW, FD
calc = GPAW(mode=FD(nn=n))
where the default value is also ``n=3``.
In PW-mode, the interpolation of the density from the coarse grid to the
fine grid is done with FFT's. In FD and LCAO mode, tri-quintic interpolation
is used (5. degree polynomium)::
from gpaw import GPAW, FD
calc = GPAW(mode=FD(interpolation=n))
# or
from gpaw import GPAW, LCAO
calc = GPAW(mode=LCAO(interpolation=n))
The order of polynomium is `2n-1`, default value is ``n=3`` and ``n`` must be
between 1 and 4 (linear, cubic, quintic, heptic).
.. _manual_hund:
Using Hund's rule for guessing initial magnetic moments
-------------------------------------------------------
The ``hund`` keyword can be used for single atoms only. If set to
``True``, the calculation will become spinpolarized, and the initial
ocupations, and magnetic moment of the atom will be set to the value
required by Hund's rule. You may further wish to specify that the
total magnetic moment be fixed, by passing e.g.
``occupations=FermiDirac(0.0, fixmagmom=True)``.
Any user specified magnetic moment is
ignored. Default is False.
.. _manual_external:
External potential
------------------
Example::
from gpaw.external import ConstanElectricField
calc = GPAW(..., external=ConstanElectricField(2.0, [1, 0, 0]), ...)
See also: :mod:`gpaw.external`.
.. _manual_verbose:
Output verbosity
----------------
By default, only a limited number of information is printed out for each SCF
step. It is possible to obtain more information (e.g. for investigating
convergen problems in more detail) by ``verbose=1`` keyword.
.. _manual_communicator:
Communicator object
-------------------
By specifying a communicator object, it is possible to use only a subset of
processes for the calculator when calculating e.g. different atomic images
in parallel. See :ref:`different_calculations_in parallel` for more details.
.. _manual_parallel_calculations:
---------------------
Parallel calculations
---------------------
Information about running parallel calculations can be found on the
:ref:`parallel_runs` page.
.. _zero_energy:
--------------
Total Energies
--------------
The GPAW code calculates energies relative to the energy of separated
reference atoms, where each atom is in a spin-paired, neutral, and
spherically symmetric state - the state that was used to generate the
setup. For a calculation of a molecule, the energy will be minus the
atomization energy and for a solid, the resulting energy is minus the
cohesive energy. So, if you ever get positive energies from your
calculations, your system is in an unstable state!
.. note::
You don't get the true atomization/cohesive energy. The true
number is always lower, because most atoms have a spin-polarized
and non-spherical symmetric ground state, with an energy that is
lower than that of the spin-paired, and spherically symmetric
reference atom.
------------------------
Restarting a calculation
------------------------
The state of a calculation can be saved to a file like this:
>>> calc.write('H2.gpw')
The file :file:`H2.gpw` is a binary file containing
wave functions, densities, positions and everything else (also the
parameters characterizing the PAW calculator used for the
calculation).
If you want to restart the `\rm{H}_2` calculation in another Python session
at a later time, this can be done as follows:
>>> from gpaw import *
>>> atoms, calc = restart('H2.gpw')
>>> print(atoms.get_potential_energy())
Everything will be just as before we wrote the :file:`H2.gpw` file.
Often, one wants to restart the calculation with one or two parameters
changed slightly. This is simple to do. Suppose you want to
change the number of grid points:
>>> atoms, calc = restart('H2.gpw', gpts=(20, 20, 20))
>>> print(atoms.get_potential_energy())
.. tip::
There is an alternative way to do this, that can be handy sometimes:
>>> atoms, calc = restart('H2.gpw')
>>> calc.set(gpts=(20, 20, 20))
>>> print(atoms.get_potential_energy())
More details can be found on the :ref:`restart_files` page.
---------------------------------------
Customizing behaviour through observers
---------------------------------------
An *observer* function can be *attached* to the calculator so that it
will be executed every *N* iterations during a calculation. The below
example saves a differently named restart file every 5 iterations::
calc = GPAW(...)
occasionally = 5
class OccasionalWriter:
def __init__(self):
self.iter = 0
def write(self):
calc.write('filename.%03d.gpw' % self.iter)
self.iter += occasionally
calc.attach(OccasionalWriter().write, occasionally)
See also :meth:`~gpaw.GPAW.attach`.
.. _command line options:
--------------------
Command-line options
--------------------
I order to run GPAW in debug-mode, e.g. check consistency of arrays passed
to C-extensions, use Python's :option:`python:-c` option`:
$ python3 -d script.py
If you run Python through the ``gpaw python`` command, then you run your
script in dry-run mode::
$ gpaw python --dry-run=N script.py
This will print out the computational parameters and estimate
memory usage, and not perform an actual calculation.
Parallelization settings that would be employed when run on
``N`` cores will also be printed.
.. tip::
If you need extra parameters from the command-line for development work::
$ python3 -X a=1 -X b
>>> import sys
>>> sys._xoptions
{'a': '1', 'b': True}
See also Python's :option:`python:-X` option.
.. [#LDA] J. P. Perdew and Y. Wang,
Accurate and simple analytic representation of the
electron-gas correlation energy
*Phys. Rev. B* **45**, 13244-13249 (1992)
.. [#PBE] J. P. Perdew, K. Burke, and M. Ernzerhof,
Generalized Gradient Approximation Made Simple,
*Phys. Rev. Lett.* **77**, 3865 (1996)
.. [#revPBE] Y. Zhang and W. Yang,
Comment on "Generalized Gradient Approximation Made Simple",
*Phys. Rev. Lett.* **80**, 890 (1998)
.. [#RPBE] B. Hammer, L. B. Hansen and J. K. Nørskov,
Improved adsorption energetics within density-functional
theory using revised Perdew-Burke-Ernzerhof functionals,
*Phys. Rev. B* **59**, 7413 (1999)
.. [#PBE0] C. Adamo and V. Barone,
*J. Chem. Phys.* **110** 6158-6170 (1999)
Toward reliable density functional methods without adjustable
parameters: The PBE0 model
.. [#B3LYP] P. J. Stephens, F. J. Devlin, C. F. Chabalowski, and M.J. Frisch,
*J. Phys. Chem.* **98** 11623-11627 (1994)
Ab-Initio Calculation of Vibrational Absorption and
Circular-Dichroism Spectra Using Density-Functional Force-Fields
|