代写SciComp Project 3 Week 4+5代做Python语言

SciComp Project 3

Week 4+5 (10 points)

1 Background

1.1    Importance of Rapid Convergence

Finding a minimum energy configuration for a system of mutiple atoms is a widely applicaple for designing molecular systems in solid state physics, chemistry, medicine and other fields.  Many applications will require tens to hundreds of atoms in the model.  Calculating the energy involves solving the many-body Schrødinger equation, in which all the electrons interact with each other.

With hundreds of atoms and thousands of electrons, solving the many-body Schr¨odinger equation (even approximately) can take weeks of CPU-time to calculate a single energy point, whereby a full optimization easily runs over many years of CPU-time.  Even on a parallel computer with e.g. 1000 CPU cores, optimizing the geometry of a single molecule can easily take months in “human time” .

When every evaluation of the energy function takes, for example, a CPU-week to compute (burning large amounts of CO2 ), the number of function evaluations matter:  a problem common to many fields, not just quantum chemistry.

In this assignment, you will try your hand at optimizing a simple system of interacting atoms. However, we do not have months to wait for computations to complete, so we will use an extremely simple approximation to the potential energy, the Lennard-Jones-potential.  This approximation is appropriate for noble gas atoms, yielding a crude picture of the formation; yet we will pretend that it is a full ab initio quantum chemical energy calculation, and assume that it takes a week to complete. Thus, you will be asked to count  energy function  evaluations and report the time spent.

1.2    Minimizing the potential in a cloud of Argon atoms using the Lennard-Jones potential

The Lennard-Jones potential works for systems of neutral atoms or molecules.  It assumes that no new electronic bonds nor new molecules are formed, and that the potential can be modeled with only a short-range repulsion force (arising from the Pauli exclusion principle) and a long-range van der Waals attraction.  This yields a classical description of the system, in which the neutral atoms or molecules move as classical particles, interacting only through this simple potential.

The Lennard-Jones potential can be written in several ways, but the most common is:

vLJ (rij ) is the potential at distance rij  = Ⅱxi  − xj Ⅱ2  between two atoms i and j.  The repulsive force is stronger than the van der Waals-force, but decreases more rapidly with distance.  Thus, for a pair of atoms, there is a distance where the total potential is minimal, the potential well.  ϵ is this minimal potential between two atoms, and σ is the inter-particle distance where the potential is zero:  vLJ (σ)  = 0.  The constants ϵ and σ  are generally found by fitting to proper ab initio calculations, or using experimental data.

The full potential LJ-energy of N neutral particles is the sum of pair-potentials:

where X ∈ RN ×3 is the matrix of coordinates for the N particles.

In this assignment, we will be modeling argon, for which

1.3    Array Programming and Provided Functions

Try to use array programming when programming with Python/Numpy, as the speed difference can be up to a factor of hundreds.  As an example of how to use array programming, here is how a distance matrix (to be used in the LJ-potential) can be calculated with array operations using NA = newaxis (as explained further in numpy-programming.pdf):

Dij  = Ⅱxi  − xj Ⅱ2  = Ⅱxij − xij Ⅱ2                                                                       (4)

In Eq. (??), xi  is extended with a newaxis j and xj  with a newaxis i to put them on the same footing, so that the pair differences can be calculated as elementwise subtraction xij xij .  In Numpy code, it looks as follows:

# points:                      (N,3)-array of (x,y,z) coordinates for N points

# distance(points): returns (N,N)-array of inter-point distances:

def distance( points ):

displacement = points [:,NA] − points[NA ,:]

return sqrt( sum( displacement∗displacement , axis=−1) )

In the file LJhelperfunctions.py we have collected the functions you will need to calculate the Lennard-Jones potential and its gradient. The function V=LJ(sigma, epsilon) takes two scalar arguments: sigma and epsilon, and returns a function V, which calculates the Lennard-Jones potential for the supplied values of σ and ϵ. This type of programming construct is called closure, and is also useful in restricting multidimensional functions along a line through space (as you will see when implementing line searches). We also provide a function V(points), generated from LJ with the experimental values for Argon particles, specified in equation ??. The function takes a N × 3 array of atomic positions and returns the strength of the Lennard-Jones potential between particles at these positions. The implementation is as follows

def LJ(sigma , epsilon ):

def V(points ):                              # points: (N,3)-array of (x,y,z) coordinates for N points

dist = distance (points)

fill diagonal (dist , 1)                     # Fill diagonal with 1 to avoid division by zero

f = sigma/dist                              # Dimensionless reciprocal distance

pot = 4∗epsilon∗(f∗∗12 − f∗∗6)      # Calculate the interatomic potentials

fill diagonal (pot , 0)                     # Remove diagonal (no self-interaction)

return sum(pot )/2

return V

2 Questions for Week 4: Solving Nonlinear Equations

2.1 Solving Nonlinear Equations in 1D

a.  Using the provided function V, 1) plot the strength of the potential between two particles x0  = (x, 0, 0) and x1  = (0, 0, 0).  Do this by writing a function that takes in a single scalar argument x, and calculates the potential using V, with x ranging between 3 and 11. 2) Plot the strength of the potential between four particles: x0  and x1  as before, x2  = (14, 0, 0) and x3  = (7, 3.2, 0), again with x ranging from 3 to 11.  Do this by again writing a function that takes a single scalar argument x and returns the potential strength.

b. Write a bisection root finding function x,  n calls  =  bisection root(f,a,b,tolerance=1e−13) that finds x such that f(x) = 0 given a bracket x ∈ [a;b], and counts the number of calls to the function f.  (A reasonable length is 8-12 lines of code).

In this assignment, let the convergence test be on how close we get f(x) to zero. Test it to find the zero of the the LJ-potential between two argon atoms as a function of interatomic distance, and verify that you get x = σ .  How many calls to the energy function were needed to get from the start bracket [a,b] = [2, 6] to |f(x)| < 10 −13?

c.  The derivative of the pair-potential vLJ (r) = 4ϵ((σ/r)12  − (σ/r)6 ) is

Write a Newton-Rhapson solver x,  n calls  = newton root(f,df,x0,tolerance,max iterations), (a reasonable length is 4-8 lines of code), and test it in the same way as above.  For simplicity, assume that a call to the derivative df has the same cost as a call to f.  How many calls were needed to get from x0  = 2 to |f(x* )| < 10 −12, i.e., 12 decimal digits for x*  after the comma?

d.  Make a combination of Newton-Rhapson and bisection that is guaranteed to  converge  (when run on an interval bracketing a zero), but takes advantage of the quadratic convergence of Newton-Rhapson iteration, and test it on the same example.   How many calls to the LJ-energy function was needed to get from x0  = 2, [a,b] = [2, 6] to obtain |f(x* )| < 10 −13?

Note: If you have  trouble completing this step, simply skip it and move on to the remaining questions,  which  only  requires  your  bisection  root solver to  work.   You  can  always  return  to solve it once you have  completed tasks  (e)  and  (f) .

2.2    Solving N-dimensional Nonlinear Equations

Using the chain rule for derivatives f(g(x))= f (g(x))g (x), we can write down the derivative of a pair-potential with respect to the position of one of the particles:

This we can then use to find an expression for the gradient of the total LJ-energy:

The position of all the particles is a point X ∈ R3N , which we organize as a (N,3)-array, so that xi  = (xi ,yi , zi ). The total potential energy is a function VLJ  : R3N  → R, and the gradient taken at any particular configuration of particle positions is hence a 3N-dimensional vector: VLJ (X) ∈ R3N . Thus, the gradient to VLJ  is a function ∇VLJ : R3N  → R3N .  The negative of the gradient is the force acting on the system, and its direction is that in which the potential decreases most rapidly. But notice that it is a 3N-dimensional direction: it acts on all the particles at once.

An implementation of the gradient is given in the LJhelperfunctions.py file as well, again using closure. The function LJgradient generates a function gradV, which in turn allows you to calculate the gradient of the system efficiently. The implementation is as follows:

def  LJgradient (sigma ,  epsilon ): def  gradV (X):

d  =  X[:,  NA] − X[NA ,   :]

r  =  sqrt( sum (d*d,  axis=−1))

fill diagonal (r,  1)

T  =  6 *(sigma**6)*(r**−7)−12*(sigma**12) *(r**−13)

#  (N ,N)-matrix of r-derivatives

# Using the chain rule  , we turn the  (N ,N)-matrix of r-derivatives into # the  (N,3)-array of derivatives to Cartesian coordinate : the gradient. #  (Automatically sets diagonal to  (0,0,0) = X[ i]-X[ i ])

u  =  d/r[:,   :,  NA]

# u is  (N ,N,3)-array of unit vectors in direction of X[ i ]-X[ j ]

return  4*epsilon*sum(T[:,   :,  NA]*u,  axis =1) return  gradV

Again, a function gradV is provided, which uses the experimental values for Argon.

Finding the minima in R3N   of the potential involves finding points where its 3N-dimensional gradient is 0.  An important component needed in next week’s work is called  line  search, where we search for a point along a single direction d ∈ R3N   at  which  the gradient  along  this  line is zero.   That  is,  we want to start in  a point X0   ∈ R3N ,  and  then find α ∈  [0;b] such that 0 = d · ∇VLJ (X0 + αd), i.e., the gradient has no component in the direction of d.  This finds an optimum for the one-dimensional function VLJ (X0 + αd).

For a visual guide to how line searches work, look at the Jupyter notebook on the subject, available in LineSearching.ipynb (PDF). It describeshow to restrict a multidimensional function onto a line through space using closure, such that it takes a scalar input, and how this applies to line searches.

e.  Look at the gradient of the 2-particle system in question (a) with x1  = (0, 0, 0) and x0  = (x,0, 0), x ∈ [3;10].  Why are exactly two components nonzero?  Why are they equal and opposite?  Plot the nonzero component for the derivative of the x-coordinate of x0   (0, 0- coordinate of gradient) together with the potential, and notice the relationship between the zero of the derivative and the minimum of the potential.

Next look at the gradient for the 4-particle system from (a) at one of the minima of your plot. Why is the gradient not zero?

f. Write a function alpha,  ncalls  =  linesearch(F,X0,  d,  alpha max,  tolerance, max iterations) that takes a function F : RN ×3 → RN ×3, a start position X0  ∈ RN ×3 and finds the zero along the line-segment X0  + αd of d · F(X0  + αd)   Use your bisection solver at this point, as using Newton-Rhapson requires second derivatives when F is the gradient.

Test your function by finding the minimum along X0  + αd with

and d = −∇VLJ (X0 ), and with α ∈ [0;1].

3 Questions for Week 5: Nonlinear Optimization

While it is possible to find a minimum by solving the equation ∇VLJ (X) = 0, simply using the root solver has two disadvantages: First, for 1D line-searches, we can evaluate f(X + αd) instead of ∇f(X + αd) · d, usually costing significantly less per call; Second, in order to make sure that we find a minimum and not a maximum or saddle point, we need to ensure that the Hessian is positive definite.  This can be built into the computation.  Hence, it is better to use specialized optimization functions.

In this week’s questions, you’ll program optimization functions and apply it to the N-body poten- tial VLR (X) to find minimal-energy configurations.  I suggest that you program your optimizers in a general way, such that they take as input a flat vector  (in the case of N particles, a flat 3N-dimensional vector X0).

In py˜thon, you can derive a function f(˜): R3N  → R from f : RN ×3 → R and ∇f : RN ×3 → RN ×3 to ∇f ˜: R 3N → R 3N with the wrappers:

def  flatten function (f):

return  lambda  X:  f(X . reshape(−1,3))  # Reshape with  ’-1’ means  "whatever is left" .

def  flatten gradient (f):

return  lambda  X:  f(X . reshape(−1,3)) .reshape(−1)

In the provided functions we include both this wrapper and a flattened version of the potential (flat V) and gradient (flat gradV).

Geometric Intuition for the Lennard-Jones Potential

It can be hard to figure out what to expect from the optimal particle configurations.  Fortunately we can use some physics and a bit of geometric intuition to arrive at a good guess for the optimal configurations (and how to spot these).

To help with this, we have put together the following Jupyter notebook on the subject, available in GeometricIntuition.ipynb (PDF). Do not worry if you do not quite grasp the code, the actual geometric thinking is more important.

Questions Building on Monday’s Lecture

Download the data file ArStart.npz, which defines randomly generated starting points for N = 2, 3, . . . , 9.

g. Write a function x opt,  n calls  =  golden section min(f,a,b,tolerance=1e−3) that finds the min- imum of a 1D-function on a unimodal interval x ∈ [a;b], and use it to obtain the same α as you did in (f), but without using the gradient. Next, use your golden section function to obtain the optimal (minimal-energy) distance r0  between two Ar atoms.

h. Write a function X opt,  N calls,  converged  =  BFGS(f,gradf,  X,tolerance=1e−6, max iterations=10000) which implements BFGS either with the direct step (approximating the Hessian) or inverse

steps (approximating the Hessian inverse), as covered in the lectures.  converged is a boolean which is True iff you converged to the requested tolerance within max iterations steps.

Test it to find the minimum of the two-particle system, but using the N-particle potential for the two points defined by the array Xstart2 in ArStarts.  Confirm that this yields the same r0  as above.

i.  Apply your BFGS-minimizer to the starting geometries from ArStarts, starting with N = 2 and stopping when you reach an N you can’t get to converge. Inspect the distance matrix. How many distances are within 1% of the two-particle optimum r0 ?  You can count them automatically by writing sum (abs(D−r0)/r0  <= 0.02)//2 if D is the distance matrix.

Inspect the results in 3D. The true minimum corresponds to the zero-temperature config- uration of the system if left to slowly cool.  A good optimum should look something like a single lattice, where as many atoms as possible are trapped in the potential well of one or more neighbours. Show the 3D picture for N = 3 and your highest converged N.

j.  Add a line-search step to your BFGS-function, such that your change in x becom˜es α∆x in-stead of directly using the ∆x obtained from Bk+1∆xk = −∇f(Xk) (or ∆xk = −B˜ k+1∇f(Xk) for inverse BFGS iteration).  Use both to find the minima for the N-particle starting posi- tions from ArStarts for increasing N. Does it affect the number of steps needed to converge?

Can you get higher N to converge than before?  Does it change the quality of the solution

(the number of van der Waals  “bonds” between atoms).  What about the total number of

function calls needed to converge?

Finally, a bonus task. You can leave this out and still obtain a full score, or you can solve it and get extra points towards a full score:  to make up for not completing previous tasks, or for your own satisfaction.

k. Implement one of the meta-heuristics of your own choice, and use it to minimize the energy for N = 5, N = 9 and N = 20.  Are you now able to obtain a good solution for higher N? Show the 3D picture and the number of van der Waals “bonds” .

Compare the convergence to that of the dampened BFGS from (j):  Trace the energies and accumulated number of function calls at each iteration step, and plot the energy  1) per iteration step, and 2) as a function of accumulated number of function calls.


热门主题

课程名

mktg2509 csci 2600 38170 lng302 csse3010 phas3226 77938 arch1162 engn4536/engn6536 acx5903 comp151101 phl245 cse12 comp9312 stat3016/6016 phas0038 comp2140 6qqmb312 xjco3011 rest0005 ematm0051 5qqmn219 lubs5062m eee8155 cege0100 eap033 artd1109 mat246 etc3430 ecmm462 mis102 inft6800 ddes9903 comp6521 comp9517 comp3331/9331 comp4337 comp6008 comp9414 bu.231.790.81 man00150m csb352h math1041 eengm4100 isys1002 08 6057cem mktg3504 mthm036 mtrx1701 mth3241 eeee3086 cmp-7038b cmp-7000a ints4010 econ2151 infs5710 fins5516 fin3309 fins5510 gsoe9340 math2007 math2036 soee5010 mark3088 infs3605 elec9714 comp2271 ma214 comp2211 infs3604 600426 sit254 acct3091 bbt405 msin0116 com107/com113 mark5826 sit120 comp9021 eco2101 eeen40700 cs253 ece3114 ecmm447 chns3000 math377 itd102 comp9444 comp(2041|9044) econ0060 econ7230 mgt001371 ecs-323 cs6250 mgdi60012 mdia2012 comm221001 comm5000 ma1008 engl642 econ241 com333 math367 mis201 nbs-7041x meek16104 econ2003 comm1190 mbas902 comp-1027 dpst1091 comp7315 eppd1033 m06 ee3025 msci231 bb113/bbs1063 fc709 comp3425 comp9417 econ42915 cb9101 math1102e chme0017 fc307 mkt60104 5522usst litr1-uc6201.200 ee1102 cosc2803 math39512 omp9727 int2067/int5051 bsb151 mgt253 fc021 babs2202 mis2002s phya21 18-213 cege0012 mdia1002 math38032 mech5125 07 cisc102 mgx3110 cs240 11175 fin3020s eco3420 ictten622 comp9727 cpt111 de114102d mgm320h5s bafi1019 math21112 efim20036 mn-3503 fins5568 110.807 bcpm000028 info6030 bma0092 bcpm0054 math20212 ce335 cs365 cenv6141 ftec5580 math2010 ec3450 comm1170 ecmt1010 csci-ua.0480-003 econ12-200 ib3960 ectb60h3f cs247—assignment tk3163 ics3u ib3j80 comp20008 comp9334 eppd1063 acct2343 cct109 isys1055/3412 math350-real math2014 eec180 stat141b econ2101 msinm014/msing014/msing014b fit2004 comp643 bu1002 cm2030
联系我们
EMail: 99515681@qq.com
QQ: 99515681
留学生作业帮-留学生的知心伴侣!
工作时间:08:00-21:00
python代写
微信客服:codinghelp
站长地图