HW#6 (Bandstructure) and DOS

Size: px
Start display at page:

Download "HW#6 (Bandstructure) and DOS"

Transcription

1 HW#6 (Bandstructure) and DOS Problem 1. The textbook works out the bandstructure for GaAs. Let us do it for silicon. Notice that both cation and anion are Si atoms. Plot the bandstructure along the L-Γ-X direction. Use the same Hamiltonian (matrix on page 118 of the book), as GaAs and Si both have the diamond-cubic lattice structure. [10] The sp 3 s* Vogl parameters are E sa = -4.2eV E pa = ev E s*a = 6.685eV E sc = -4.2eV E pc = ev E s*c = 6.685eV V ss = 4E ss = -8.3eV V pasc = 4E pasc = eV V pas*c = 4E pas*c = eV V sapc = 4E sapc = eV V s*apc = 4E s*apc = eV V xx = 4E xx = 1.715eV V xy = 4E xy = 4.575eV Vectors that go into the definitions of g0, g1, g2 and g3 are d 1 =0, d 2 =(0,1,1)a/2, d 3 =(1,0,1)a/2, d 4 =(1,1,0)a/2 Let us see why we need the sp 3 s* basis set for Si. (a) Show by plotting the bandstructure that working with just the s orbitals (ie, the first 2 x 2 block of the H matrix defined on page 118) gives us a zero bandgap along the Γ-X direction. This is because the projections of the Si coordinates along the x-axis within a unit cell do not show any dimerization. (You will however see a gap along the L- Γ direction). [5]

2 (b) This is why we need the p-orbitals. Show now that just working with sp 3 basis sets (ie, removing the last two rows and two columns of the H matrix on page 118) gives a bandgap along both directions, but makes the material direct bandgap. [5]

3 To make it indirect band-gap, we need the s* orbitals too (actually, even this is insufficient. It turns out that the transverse effective mass at the minimum along the G-X direction is still too large. A proper description of silicon thus needs a nearest-neighbor sp 3 s*d 5 basis set, as developed by Jancu, and also by Boykin and Klimeck).

4 Problem 2. The density of states (DOS) of a device can be computed using simple state-counting over a given energy window, using the E-k dispersion to transfer state (k) information into energy (E) information. In class, we saw how to do these counts analytically using clever integration techniques. Let us see if we can set up a numerical way to do the counting for arbitrary bandstructures. The density of states is given by D(E) = Σ k δ(e-e k ), where the Dirac delta function is a sharp but smooth Gaussian-like curve with vanishingly small width around E k, a large (infinite) height, but with a fixed area (unity) when integrated over the curve. In a discrete representation, we will replace it with a simpler function which is unity as long as E is close to E k within a given error tolerance, and zero otherwise. We will ignore spin, which would provide an additional factor of 2. We will use this method to find the DOS of a simple cubic lattice for different dimensions. 1-D 2-D 3-D (a) Let us start with a uniform infinite 1-D wire with inter-atomic spacing a, onsite energy 0 and hopping t on a grid. Use the principle of bandstructure to write down its k- dependent Hamiltonian H k by summing Hamiltonian elements over nearest-neighbor elements. Write down an analytical expression of E vs k in 1-D, E vs k x, k y in 2-D and E vs k x, k y and k z in 3-D ( ) (b) Write a numerical code (e.g. in Matlab) that sets up an energy grid and runs a loop over the various k values (-π/a < k < π/a) to see which energy bin each E k falls into. If you now plot a histogram showing how the bin counts vs the energies (say, the energy at the center of the bin), you will get your numerical density of states plotted vs energy. The finer your grid the smoother your curve will be. Do this first for 1-D. Can you justify the resulting shape? (10 + 5) (c) Repeat this for a 2-D and a 3-D simple cubic grid, assuming an onsite energy of 0 again and interatomic coupling t for each nearest neighbor bond (4 in 2D and 6 in 3D), as shown above. Once again, plot the DOS vs energy. ( )

5 A simple code to calculate density of states by brute force binning

6 clear all Nx=151;kx=linspace(- pi,pi,nx);ky=kx;kz=kx; %%k grid NE=1501;EE=linspace(- 2,14,NE);dE=E(2)- E(1); %% E grid Emin=EE(1);Emax=EE(NE); DOS=zeros(1,NE); %% DOS grid t=1;%% Band parameter for ix=1:nx for iy=1:nx for iz=1:nx %% E- K E=6*t- 2*t*(cos(kx(ix))+cos(ky(iy))+cos(kz(iz))); %% Identify bin index %[p,q]=min(abs(e- EE)); %% If we just bin arbitrarily q=round((e- Emin)/(Emax- Emin)*NE+1); %% Quicker if bins equally spaced %% Throw in bins and sum DOS(q)=DOS(q)+1; [ix iy iz]%% Counter to see progress of loops end end end %Normalize so DOS integral equals unity SM=dE*sum(DOS); plot(ee,dos/sm)

7

8 Let us do this with a really fast, vectorized binning routine. Start with 2D tic clear all Nx=1851;kx=linspace(- pi,pi,nx);ky=kx; %%k grid t=1;%% Band parameter f=cos(kx); %% Create 2D matrix with E(kx,ky) E=4*t*eye(Nx)- 2*t*repmat(f,Nx,1)- 2*t*repmat(f',1,Nx); Emin=min(min(E));Emax=max(max(E)); EE= reshape(e,1,nx*nx); %% reshape into linear array %% Create bin for DOS and count histogram %% of above E's into Ebin NNE=151;Ebin=linspace(Emin- 1e- 9,Emax+1e- 9,NNE);dE=Ebin(2)- Ebin(1); DOS=histc(EE,Ebin); axis([emin- 5*dE Emax+5*dE 0 1.2*max(DOS)]) plot(ebin,dos) toc Let s generalize to 3D. We need to use cubic cells to enter the E values tic clear all Nx=251;kx=linspace(- pi,pi,nx);ky=kx;kz=kx; %%k grid t=1;%% Band parameter f=cos(kx); %% Create 3D matrix with E(kx,ky) Ex=- 2*t*repmat(f,[Nx,1,Nx]); Ey=permute(Ex,[2 1 3]); %% Tile along y- axis Ez=permute(Ex,[1 3 2]); %% Tile along z- axis E=4*t+Ex+Ey+Ez; Emin=min(min(min(E)));Emax=max(max(max(E))); %% Create bin for DOS and count histogram of above E's into Ebin NNE=151;Ebin=linspace(Emin- 1e- 9,Emax+1e- 9,NNE);dE=Ebin(2)- Ebin(1); DOS=histc(reshape(E,1,Nx*Nx*Nx),Ebin);

9 DOS=DOS/(sum(DOS)*dE) axis([emin- 5*dE Emax+5*dE 0 1.2*max(DOS)]) plot(ebin,dos) toc Problem 3. You just worked out the density of states for graphene in Problem 1.3 by doing an integral. We will now try to calculate the DOS for graphene and compare it with the analytical expression from Problem 1. Remember that the linear E-k we used in the previous problem is just a low energy approximation, allowing us to do the integrals. In this problem, we'll use the exact E-k, where we will need to calculate the DOS numerically. The density of states is given by D(E) = Σ k δ(e-e k ), where the Dirac delta function is a sharp but smooth Gaussian-like curve with vanishingly small width around E k, a large (infinite) height, but with a fixed area (unity) when integrated over the curve. In a discrete representation, we will replace it with a simpler function which is unity as long as E is close to E k within a given error tolerance, and zero otherwise. We will ignore spin, which would provide an additional factor of The exact E-k for graphene was worked out in class in terms of k x, k y, and the hopping element t 0 = 2.7 ev. Write it down. Assume the onsite energy ε 0 = 0. [5 points] E = -t 0 [1 + 4 cos (k y b) cos (k x a) + 4 cos 2 (k y b)] 2. Write a numerical code (e.g. in Matlab) that sets up an energy grid (in other words, the energy axis is now broken into `bins' at the grid spacing). Also set up a 2-D grid over the allowed kx; ky values over the 2-D graphene Brillouin zone (also worked out in class). The size of the zone and the allowed k values depends on the area of the sheet, in other words, the W nd L dimensions described in Problem 1. Now, run two loops over the allowed kx; ky values, and keep track of which energy bin each E(kx; ky) falls into (maintain a counter for each bin). If you now plot a histogram plotting the bin counts vs the corresponding bin center energies, you will get your numerical density of states plotted vs energy. The _ner your grid the smoother your curve will be (remember that density of states depends on size, and thus number of k-points). [30 points]

10

11 (c) Compare the DOS expressions from the previous problem and this problem, assuming the same dimensions W and L. Remember that your allowed kx; ky values in the previous problem (and thus the DOS) should depend on W and L. For low energy, the two graphs in problems 1 and 2 should coincide [5 points].

Effective-mass reproducibility of the nearest-neighbor sp 3 s* models: Analytic results

Effective-mass reproducibility of the nearest-neighbor sp 3 s* models: Analytic results PHYSICAL REVIEW B VOLUME 56, NUMBER 7 15 AUGUST 1997-I Effective-mass reproducibility of the nearest-neighbor sp 3 s* models: Analytic results Timothy B. Boykin Department of Electrical and Computer Engineering,

More information

Electronic Structure Theory for Periodic Systems: The Concepts. Christian Ratsch

Electronic Structure Theory for Periodic Systems: The Concepts. Christian Ratsch Electronic Structure Theory for Periodic Systems: The Concepts Christian Ratsch Institute for Pure and Applied Mathematics and Department of Mathematics, UCLA Motivation There are 10 20 atoms in 1 mm 3

More information

6.730 Real Semiconductor Project GaAs. Part 3. Janice Lee Juan Montoya Bhuwan Singh Corina Tanasa

6.730 Real Semiconductor Project GaAs. Part 3. Janice Lee Juan Montoya Bhuwan Singh Corina Tanasa 6.7 Real Semiconductor Project GaAs Part Janice Lee Juan Montoya Bhuwan Singh Corina anasa Wednesday April 8 . For our LCAO model we construct our trial wave function typically using only the outermost

More information

C2: Band structure. Carl-Olof Almbladh, Rikard Nelander, and Jonas Nyvold Pedersen Department of Physics, Lund University.

C2: Band structure. Carl-Olof Almbladh, Rikard Nelander, and Jonas Nyvold Pedersen Department of Physics, Lund University. C2: Band structure Carl-Olof Almbladh, Rikard Nelander, and Jonas Nyvold Pedersen Department of Physics, Lund University December 2005 1 Introduction When you buy a diamond for your girl/boy friend, what

More information

Lecture 3: Density of States

Lecture 3: Density of States ECE-656: Fall 2011 Lecture 3: Density of States Professor Mark Lundstrom Electrical and Computer Engineering Purdue University, West Lafayette, IN USA 8/25/11 1 k-space vs. energy-space N 3D (k) d 3 k

More information

Refering to Fig. 1 the lattice vectors can be written as: ~a 2 = a 0. We start with the following Ansatz for the wavefunction:

Refering to Fig. 1 the lattice vectors can be written as: ~a 2 = a 0. We start with the following Ansatz for the wavefunction: 1 INTRODUCTION 1 Bandstructure of Graphene and Carbon Nanotubes: An Exercise in Condensed Matter Physics developed by Christian Schönenberger, April 1 Introduction This is an example for the application

More information

Quantum Condensed Matter Physics

Quantum Condensed Matter Physics QCMP-2017/18 Problem sheet 2: Quantum Condensed Matter Physics Band structure 1. Optical absorption of simple metals Sketch the typical energy-wavevector dependence, or dispersion relation, of electrons

More information

Lecture contents. A few concepts from Quantum Mechanics. Tight-binding model Solid state physics review

Lecture contents. A few concepts from Quantum Mechanics. Tight-binding model Solid state physics review Lecture contents A few concepts from Quantum Mechanics Particle in a well Two wells: QM perturbation theory Many wells (atoms) BAND formation Tight-binding model Solid state physics review Approximations

More information

EECS143 Microfabrication Technology

EECS143 Microfabrication Technology EECS143 Microfabrication Technology Professor Ali Javey Introduction to Materials Lecture 1 Evolution of Devices Yesterday s Transistor (1947) Today s Transistor (2006) Why Semiconductors? Conductors e.g

More information

Topological Physics in Band Insulators II

Topological Physics in Band Insulators II Topological Physics in Band Insulators II Gene Mele University of Pennsylvania Topological Insulators in Two and Three Dimensions The canonical list of electric forms of matter is actually incomplete Conductor

More information

ELEMENTARY BAND THEORY

ELEMENTARY BAND THEORY ELEMENTARY BAND THEORY PHYSICIST Solid state band Valence band, VB Conduction band, CB Fermi energy, E F Bloch orbital, delocalized n-doping p-doping Band gap, E g Direct band gap Indirect band gap Phonon

More information

GaAs -- MLWF. Special thanks to Elias Assmann (TU Graz) for the generous help in preparation of this tutorial

GaAs -- MLWF. Special thanks to Elias Assmann (TU Graz) for the generous help in preparation of this tutorial GaAs -- MLWF + + Special thanks to Elias Assmann (TU Graz) for the generous help in preparation of this tutorial YouTube video: https://youtu.be/r4c1yhdh3ge 1. Wien2k SCF Create a tutorial directory, e.g.

More information

Lecture. Ref. Ihn Ch. 3, Yu&Cardona Ch. 2

Lecture. Ref. Ihn Ch. 3, Yu&Cardona Ch. 2 Lecture Review of quantum mechanics, statistical physics, and solid state Band structure of materials Semiconductor band structure Semiconductor nanostructures Ref. Ihn Ch. 3, Yu&Cardona Ch. 2 Reminder

More information

Table of Contents. Table of Contents Opening a band gap in silicene and bilayer graphene with an electric field

Table of Contents. Table of Contents Opening a band gap in silicene and bilayer graphene with an electric field Table of Contents Table of Contents Opening a band gap in silicene and bilayer graphene with an electric field Bilayer graphene Building a bilayer graphene structure Calculation and analysis Silicene Optimizing

More information

Transversal electric field effect in multilayer graphene nanoribbon

Transversal electric field effect in multilayer graphene nanoribbon Transversal electric field effect in multilayer graphene nanoribbon S. Bala kumar and Jing Guo a) Department of Electrical and Computer Engineering, University of Florida, Gainesville, Florida 32608, USA

More information

L5: Surface Recombination, Continuity Equation & Extended Topics tanford University

L5: Surface Recombination, Continuity Equation & Extended Topics tanford University L5: Surface Recombination, Continuity Equation & Extended Topics EE 216 : Aneesh Nainani 1 Announcements Project Select topic by Jan 29 (Tuesday) 9 topics, maximum 4 students per topic Quiz Thursday (Jan

More information

Lecture 2. Unit Cells and Miller Indexes. Reading: (Cont d) Anderson 2 1.8,

Lecture 2. Unit Cells and Miller Indexes. Reading: (Cont d) Anderson 2 1.8, Lecture 2 Unit Cells and Miller Indexes Reading: (Cont d) Anderson 2 1.8, 2.1-2.7 Unit Cell Concept The crystal lattice consists of a periodic array of atoms. Unit Cell Concept A building block that can

More information

Heterostructures and sub-bands

Heterostructures and sub-bands Heterostructures and sub-bands (Read Datta 6.1, 6.2; Davies 4.1-4.5) Quantum Wells In a quantum well, electrons are confined in one of three dimensions to exist within a region of length L z. If the barriers

More information

Three Most Important Topics (MIT) Today

Three Most Important Topics (MIT) Today Three Most Important Topics (MIT) Today Electrons in periodic potential Energy gap nearly free electron Bloch Theorem Energy gap tight binding Chapter 1 1 Electrons in Periodic Potential We now know the

More information

Carbon based Nanoscale Electronics

Carbon based Nanoscale Electronics Carbon based Nanoscale Electronics 09 02 200802 2008 ME class Outline driving force for the carbon nanomaterial electronic properties of fullerene exploration of electronic carbon nanotube gold rush of

More information

Semiconductor Device Physics

Semiconductor Device Physics 1 Semiconductor Device Physics Lecture 1 http://zitompul.wordpress.com 2 0 1 3 2 Semiconductor Device Physics Textbook: Semiconductor Device Fundamentals, Robert F. Pierret, International Edition, Addison

More information

structure of graphene and carbon nanotubes which forms the basis for many of their proposed applications in electronics.

structure of graphene and carbon nanotubes which forms the basis for many of their proposed applications in electronics. Chapter Basics of graphene and carbon nanotubes This chapter reviews the theoretical understanding of the geometrical and electronic structure of graphene and carbon nanotubes which forms the basis for

More information

Physical Properties of Mono-layer of

Physical Properties of Mono-layer of Chapter 3 Physical Properties of Mono-layer of Silicene The fascinating physical properties[ 6] associated with graphene have motivated many researchers to search for new graphene-like two-dimensional

More information

Solid State Device Fundamentals

Solid State Device Fundamentals Solid State Device Fundamentals ENS 345 Lecture Course by Alexander M. Zaitsev alexander.zaitsev@csi.cuny.edu Tel: 718 982 2812 Office 4N101b 1 The free electron model of metals The free electron model

More information

We have arrived to the question: how do molecular bonds determine the band gap? We have discussed that the silicon atom has four outer electrons.

We have arrived to the question: how do molecular bonds determine the band gap? We have discussed that the silicon atom has four outer electrons. ET3034Tux - 2.2.2 - Band Gap 2 - Electrons in Molecular Bonds We have arrived to the question: how do molecular bonds determine the band gap? We have discussed that the silicon atom has four outer electrons.

More information

ECE 495N, Fall 09 Fundamentals of Nanoelectronics Final examination: Wednesday 12/16/09, 7-9 pm in CIVL 1144.

ECE 495N, Fall 09 Fundamentals of Nanoelectronics Final examination: Wednesday 12/16/09, 7-9 pm in CIVL 1144. 12/10/09 1 ECE 495N, Fall 09 Fundamentals of Nanoelectronics Final examination: Wednesday 12/16/09, 7-9 pm in CIVL 1144. Cumulative, closed book. Equations listed below will be provided. Pauli spin matrices:

More information

CHAPTER 2: ENERGY BANDS & CARRIER CONCENTRATION IN THERMAL EQUILIBRIUM. M.N.A. Halif & S.N. Sabki

CHAPTER 2: ENERGY BANDS & CARRIER CONCENTRATION IN THERMAL EQUILIBRIUM. M.N.A. Halif & S.N. Sabki CHAPTER 2: ENERGY BANDS & CARRIER CONCENTRATION IN THERMAL EQUILIBRIUM OUTLINE 2.1 INTRODUCTION: 2.1.1 Semiconductor Materials 2.1.2 Basic Crystal Structure 2.1.3 Basic Crystal Growth technique 2.1.4 Valence

More information

Everything starts with atomic structure and bonding

Everything starts with atomic structure and bonding Everything starts with atomic structure and bonding not all energy values can be possessed by electrons; e- have discrete energy values we call energy levels or states. The energy values are quantized

More information

Magnets, 1D quantum system, and quantum Phase transitions

Magnets, 1D quantum system, and quantum Phase transitions 134 Phys620.nb 10 Magnets, 1D quantum system, and quantum Phase transitions In 1D, fermions can be mapped into bosons, and vice versa. 10.1. magnetization and frustrated magnets (in any dimensions) Consider

More information

Lecture 4: Band theory

Lecture 4: Band theory Lecture 4: Band theory Very short introduction to modern computational solid state chemistry Band theory of solids Molecules vs. solids Band structures Analysis of chemical bonding in Reciprocal space

More information

Electronic Properties of Silicon-Based Nanostructures

Electronic Properties of Silicon-Based Nanostructures Wright State University CORE Scholar Browse all Theses and Dissertations Theses and Dissertations 2006 Electronic Properties of Silicon-Based Nanostructures Gian Giacomo Guzman-Verri Wright State University

More information

Bonding in solids The interaction of electrons in neighboring atoms of a solid serves the very important function of holding the crystal together.

Bonding in solids The interaction of electrons in neighboring atoms of a solid serves the very important function of holding the crystal together. Bonding in solids The interaction of electrons in neighboring atoms of a solid serves the very important function of holding the crystal together. For example Nacl In the Nacl lattice, each Na atom is

More information

Modern Theory of Solids

Modern Theory of Solids Quantum Mechanical Approach to the Energy Bandgap Knowlton 1 Quantum Mechanical Approach to the Energy Bandgap a+ b = a o = d-spacing of 1D lattice (or plane in 3D) Knowlton 2 Symmetric vs- Asymmetric

More information

EE143 Fall 2016 Microfabrication Technologies. Evolution of Devices

EE143 Fall 2016 Microfabrication Technologies. Evolution of Devices EE143 Fall 2016 Microfabrication Technologies Prof. Ming C. Wu wu@eecs.berkeley.edu 511 Sutardja Dai Hall (SDH) 1-1 Evolution of Devices Yesterday s Transistor (1947) Today s Transistor (2006) 1-2 1 Why

More information

Physics of Semiconductors (Problems for report)

Physics of Semiconductors (Problems for report) Physics of Semiconductors (Problems for report) Shingo Katsumoto Institute for Solid State Physics, University of Tokyo July, 0 Choose two from the following eight problems and solve them. I. Fundamentals

More information

Quantum Confinement in Graphene

Quantum Confinement in Graphene Quantum Confinement in Graphene from quasi-localization to chaotic billards MMM dominikus kölbl 13.10.08 1 / 27 Outline some facts about graphene quasibound states in graphene numerical calculation of

More information

Tight-Binding Approximation. Faculty of Physics UW

Tight-Binding Approximation. Faculty of Physics UW Tight-Binding Approximation Faculty of Physics UW Jacek.Szczytko@fuw.edu.pl The band theory of solids. 2017-06-05 2 Periodic potential Bloch theorem φ n,k Ԧr = u n,k Ԧr eik Ԧr Bloch wave, Bloch function

More information

Achieving a higher performance in bilayer graphene FET Strain Engineering

Achieving a higher performance in bilayer graphene FET Strain Engineering SISPAD 2015, September 9-11, 2015, Washington, DC, USA Achieving a higher performance in bilayer graphene FET Strain Engineering Fan W. Chen, Hesameddin Ilatikhameneh, Gerhard Klimeck and Rajib Rahman

More information

Lecture 4: Basic elements of band theory

Lecture 4: Basic elements of band theory Phys 769 Selected Topics in Condensed Matter Physics Summer 010 Lecture 4: Basic elements of band theory Lecturer: Anthony J. Leggett TA: Bill Coish 1 Introduction Most matter, in particular most insulating

More information

Nearly Free Electron Gas model - I

Nearly Free Electron Gas model - I Nearly Free Electron Gas model - I Contents 1 Free electron gas model summary 1 2 Electron effective mass 3 2.1 FEG model for sodium...................... 4 3 Nearly free electron model 5 3.1 Primitive

More information

Semiconductor Physics and Devices Chapter 3.

Semiconductor Physics and Devices Chapter 3. Introduction to the Quantum Theory of Solids We applied quantum mechanics and Schrödinger s equation to determine the behavior of electrons in a potential. Important findings Semiconductor Physics and

More information

EECS130 Integrated Circuit Devices

EECS130 Integrated Circuit Devices EECS130 Integrated Circuit Devices Professor Ali Javey 8/30/2007 Semiconductor Fundamentals Lecture 2 Read: Chapters 1 and 2 Last Lecture: Energy Band Diagram Conduction band E c E g Band gap E v Valence

More information

2.57/2.570 Midterm Exam No. 1 April 4, :00 am -12:30 pm

2.57/2.570 Midterm Exam No. 1 April 4, :00 am -12:30 pm Name:.57/.570 Midterm Exam No. April 4, 0 :00 am -:30 pm Instructions: ().57 students: try all problems ().570 students: Problem plus one of two long problems. You can also do both long problems, and one

More information

Quantum Oscillations in Graphene in the Presence of Disorder

Quantum Oscillations in Graphene in the Presence of Disorder WDS'9 Proceedings of Contributed Papers, Part III, 97, 9. ISBN 978-8-778-- MATFYZPRESS Quantum Oscillations in Graphene in the Presence of Disorder D. Iablonskyi Taras Shevchenko National University of

More information

3-month progress Report

3-month progress Report 3-month progress Report Graphene Devices and Circuits Supervisor Dr. P.A Childs Table of Content Abstract... 1 1. Introduction... 1 1.1 Graphene gold rush... 1 1.2 Properties of graphene... 3 1.3 Semiconductor

More information

Topological Properties of Quantum States of Condensed Matter: some recent surprises.

Topological Properties of Quantum States of Condensed Matter: some recent surprises. Topological Properties of Quantum States of Condensed Matter: some recent surprises. F. D. M. Haldane Princeton University and Instituut Lorentz 1. Berry phases, zero-field Hall effect, and one-way light

More information

Communications with Optical Fibers

Communications with Optical Fibers Communications with Optical Fibers In digital communications, signals are generally sent as light pulses along an optical fiber. Information is first converted to an electrical signal in the form of pulses

More information

Diagonal parameter shifts due to nearest-neighbor displacements in empirical tight-binding theory

Diagonal parameter shifts due to nearest-neighbor displacements in empirical tight-binding theory PHYSICAL REVIEW B 66, 125207 2002 Diagonal parameter shifts due to nearest-neighbor displacements in empirical tight-binding theory Timothy B. Boykin Department of Electrical and Computer Engineering,

More information

Lecture 2: Bonding in solids

Lecture 2: Bonding in solids Lecture 2: Bonding in solids Electronegativity Van Arkel-Ketalaar Triangles Atomic and ionic radii Band theory of solids Molecules vs. solids Band structures Analysis of chemical bonds in Reciprocal space

More information

EPL213 Problem sheet 1

EPL213 Problem sheet 1 Fundamentals of Semiconductors EPL213 Problem sheet 1 1 Aim: understanding unit cell, crystal structures, Brillouin zone, symmetry representation 1. Sketch the unit cell in these two examples. Can you

More information

Physics 541: Condensed Matter Physics

Physics 541: Condensed Matter Physics Physics 541: Condensed Matter Physics Final Exam Monday, December 17, 2012 / 14:00 17:00 / CCIS 4-285 Student s Name: Instructions There are 24 questions. You should attempt all of them. Mark your response

More information

5 Problems Chapter 5: Electrons Subject to a Periodic Potential Band Theory of Solids

5 Problems Chapter 5: Electrons Subject to a Periodic Potential Band Theory of Solids E n = :75, so E cont = E E n = :75 = :479. Using E =!, :479 = m e k z =! j e j m e k z! k z = r :479 je j m e = :55 9 (44) (v g ) z = @! @k z = m e k z = m e :55 9 = :95 5 m/s. 4.. A ev electron is to

More information

Solutions for Homework 4

Solutions for Homework 4 Solutions for Homework 4 October 6, 2006 1 Kittel 3.8 - Young s modulus and Poison ratio As shown in the figure stretching a cubic crystal in the x direction with a stress Xx causes a strain e xx = δl/l

More information

Calculating Band Structure

Calculating Band Structure Calculating Band Structure Nearly free electron Assume plane wave solution for electrons Weak potential V(x) Brillouin zone edge Tight binding method Electrons in local atomic states (bound states) Interatomic

More information

Supplementary Figure S1. STM image of monolayer graphene grown on Rh (111). The lattice

Supplementary Figure S1. STM image of monolayer graphene grown on Rh (111). The lattice Supplementary Figure S1. STM image of monolayer graphene grown on Rh (111). The lattice mismatch between graphene (0.246 nm) and Rh (111) (0.269 nm) leads to hexagonal moiré superstructures with the expected

More information

Nanoscience quantum transport

Nanoscience quantum transport Nanoscience quantum transport Janine Splettstößer Applied Quantum Physics, MC2, Chalmers University of Technology Chalmers, November 2 10 Plan/Outline 4 Lectures (1) Introduction to quantum transport (2)

More information

Semiconductor physics I. The Crystal Structure of Solids

Semiconductor physics I. The Crystal Structure of Solids Lecture 3 Semiconductor physics I The Crystal Structure of Solids 1 Semiconductor materials Types of solids Space lattices Atomic Bonding Imperfection and doping in SOLIDS 2 Semiconductor Semiconductors

More information

Introduction to Quantum Theory of Solids

Introduction to Quantum Theory of Solids Lecture 5 Semiconductor physics III Introduction to Quantum Theory of Solids 1 Goals To determine the properties of electrons in a crystal lattice To determine the statistical characteristics of the very

More information

Draft of solution Exam TFY4220, Solid State Physics, 29. May 2015.

Draft of solution Exam TFY4220, Solid State Physics, 29. May 2015. Draft of solution Exam TY40, Solid State Physics, 9. May 05. Problem (5%) Introductory questions (answers can be found in the books) a) Small Ewald sphere, not many reflections in Bragg with a single crystal.

More information

Network for Computational Nanotechnology (NCN)

Network for Computational Nanotechnology (NCN) Network for Computational Nanotechnology (NCN) Purdue, Norfolk State, Northwestern, MIT, Molecular Foundry, UC Berkeley, Univ. of Illinois, UTEP Abhijeet Paul, Gerhard Klimeck, Ben Haley, SungGeun Kim,

More information

A pattern of dots is shown. At each step, more dots are added to the pattern. The pattern continues infinitely.

A pattern of dots is shown. At each step, more dots are added to the pattern. The pattern continues infinitely. Grade 7 Algebraic Relationships Pattern Of Dots A pattern of dots is shown. At each step, more dots are added to the pattern. The pattern continues infinitely. 2 Algebraic Relationships Pattern of dots

More information

LAB 2 1. Measurement of 2. Binomial Distribution

LAB 2 1. Measurement of 2. Binomial Distribution LAB 2 Gan Phys 3700 1. Measurement of π In this exercise we will determine a value for π by throwing darts: a) Determine π by throwing a dart 100 or more times. Use an 8x11 inch sheet of paper with a circle

More information

Supplementary Materials for

Supplementary Materials for advances.sciencemag.org/cgi/content/full/3/7/e1700704/dc1 Supplementary Materials for Giant Rashba splitting in 2D organic-inorganic halide perovskites measured by transient spectroscopies Yaxin Zhai,

More information

3.091 Introduction to Solid State Chemistry. Lecture Notes No. 5a ELASTIC BEHAVIOR OF SOLIDS

3.091 Introduction to Solid State Chemistry. Lecture Notes No. 5a ELASTIC BEHAVIOR OF SOLIDS 3.091 Introduction to Solid State Chemistry Lecture Notes No. 5a ELASTIC BEHAVIOR OF SOLIDS 1. INTRODUCTION Crystals are held together by interatomic or intermolecular bonds. The bonds can be covalent,

More information

DFT EXERCISES. FELIPE CERVANTES SODI January 2006

DFT EXERCISES. FELIPE CERVANTES SODI January 2006 DFT EXERCISES FELIPE CERVANTES SODI January 2006 http://www.csanyi.net/wiki/space/dftexercises Dr. Gábor Csányi 1 Hydrogen atom Place a single H atom in the middle of a largish unit cell (start with a

More information

Fall 2014 Nobby Kobayashi (Based on the notes by E.D.H Green and E.L Allen, SJSU) 1.0 Learning Objectives

Fall 2014 Nobby Kobayashi (Based on the notes by E.D.H Green and E.L Allen, SJSU) 1.0 Learning Objectives University of California at Santa Cruz Electrical Engineering Department EE-145L: Properties of Materials Laboratory Lab 7: Optical Absorption, Photoluminescence Fall 2014 Nobby Kobayashi (Based on the

More information

Supporting Information

Supporting Information Electronic Supplementary Material (ESI) for Nanoscale. This journal is The Royal Society of Chemistry 2015 Supporting Information Single Layer Lead Iodide: Computational Exploration of Structural, Electronic

More information

Engineering interband tunneling in nanowires with diamond cubic or zincblende crystalline structure based on atomistic modeling

Engineering interband tunneling in nanowires with diamond cubic or zincblende crystalline structure based on atomistic modeling arxiv:20.400v2 [cond-mat.mes-hall] 24 Sep 20 Engineering interband tunneling in nanowires with diamond cubic or zincblende crystalline structure based on atomistic modeling Pino D Amico, Paolo Marconcini,

More information

Physics 211B : Problem Set #0

Physics 211B : Problem Set #0 Physics 211B : Problem Set #0 These problems provide a cross section of the sort of exercises I would have assigned had I taught 211A. Please take a look at all the problems, and turn in problems 1, 4,

More information

CHAPTER 6. ELECTRONIC AND MAGNETIC STRUCTURE OF ZINC-BLENDE TYPE CaX (X = P, As and Sb) COMPOUNDS

CHAPTER 6. ELECTRONIC AND MAGNETIC STRUCTURE OF ZINC-BLENDE TYPE CaX (X = P, As and Sb) COMPOUNDS 143 CHAPTER 6 ELECTRONIC AND MAGNETIC STRUCTURE OF ZINC-BLENDE TYPE CaX (X = P, As and Sb) COMPOUNDS 6.1 INTRODUCTION Almost the complete search for possible magnetic materials has been performed utilizing

More information

Homework 2: Structure and Defects in Crystalline and Amorphous Materials

Homework 2: Structure and Defects in Crystalline and Amorphous Materials Homework 2: Structure and Defects in Crystalline and Amorphous Materials Muhammad Ashraful Alam Network of Computational Nanotechnology Discovery Park, Purdue University. In Lectures 4-6, we have discussed

More information

Electrons in periodic potential

Electrons in periodic potential Chapter 9 Electrons in periodic potential The computation of electronic states in a solid is a nontrivial problem. A great simplification can be achieved if the solid is a crystal, i.e. if it can be described

More information

Lecture contents. Stress and strain Deformation potential. NNSE 618 Lecture #23

Lecture contents. Stress and strain Deformation potential. NNSE 618 Lecture #23 1 Lecture contents Stress and strain Deformation potential Few concepts from linear elasticity theory : Stress and Strain 6 independent components 2 Stress = force/area ( 3x3 symmetric tensor! ) ij ji

More information

Topological Defects inside a Topological Band Insulator

Topological Defects inside a Topological Band Insulator Topological Defects inside a Topological Band Insulator Ashvin Vishwanath UC Berkeley Refs: Ran, Zhang A.V., Nature Physics 5, 289 (2009). Hosur, Ryu, AV arxiv: 0908.2691 Part 1: Outline A toy model of

More information

Band Structure Calculations; Electronic and Optical Properties

Band Structure Calculations; Electronic and Optical Properties ; Electronic and Optical Properties Stewart Clark University of Outline Introduction to band structures Calculating band structures using Castep Calculating optical properties Examples results Some applications

More information

Chapter 9. Non-Parametric Density Function Estimation

Chapter 9. Non-Parametric Density Function Estimation 9-1 Density Estimation Version 1.1 Chapter 9 Non-Parametric Density Function Estimation 9.1. Introduction We have discussed several estimation techniques: method of moments, maximum likelihood, and least

More information

Table of Contents. Table of Contents Spin-orbit splitting of semiconductor band structures

Table of Contents. Table of Contents Spin-orbit splitting of semiconductor band structures Table of Contents Table of Contents Spin-orbit splitting of semiconductor band structures Relavistic effects in Kohn-Sham DFT Silicon band splitting with ATK-DFT LSDA initial guess for the ground state

More information

Electronic Structure

Electronic Structure Electronic Structure Exploration of the Tight Binding model for Graphene and the Anderson Model By Marco Santia Introduction Electronic Band structures describe the allowed energy ranges that an electron

More information

arxiv: v1 [cond-mat.mes-hall] 8 Jan 2014

arxiv: v1 [cond-mat.mes-hall] 8 Jan 2014 Strain-induced gap modification in black phosphorus arxiv:1401.1801v1 [cond-mat.mes-hall 8 Jan 014 A. S. Rodin, 1 A. Carvalho, and A. H. Castro Neto 1, 1 Boston University, 590 Commonwealth Ave., Boston

More information

Two-Dimensional Honeycomb Monolayer of Nitrogen Group. Elements and the Related Nano-Structure: A First-Principle Study

Two-Dimensional Honeycomb Monolayer of Nitrogen Group. Elements and the Related Nano-Structure: A First-Principle Study Two-Dimensional Honeycomb Monolayer of Nitrogen Group Elements and the Related Nano-Structure: A First-Principle Study Jason Lee, Wei-Liang Wang, Dao-Xin Yao * State Key Laboratory of Optoelectronic Materials

More information

1.4 Crystal structure

1.4 Crystal structure 1.4 Crystal structure (a) crystalline vs. (b) amorphous configurations short and long range order only short range order Abbildungen: S. Hunklinger, Festkörperphysik, Oldenbourg Verlag represenatives of

More information

Statistics of Radioactive Decay

Statistics of Radioactive Decay Statistics of Radioactive Decay Introduction The purpose of this experiment is to analyze a set of data that contains natural variability from sample to sample, but for which the probability distribution

More information

CHAPTER 1 Systems of Linear Equations

CHAPTER 1 Systems of Linear Equations CHAPTER Systems of Linear Equations Section. Introduction to Systems of Linear Equations. Because the equation is in the form a x a y b, it is linear in the variables x and y. 0. Because the equation cannot

More information

Quantum anomalous Hall states on decorated magnetic surfaces

Quantum anomalous Hall states on decorated magnetic surfaces Quantum anomalous Hall states on decorated magnetic surfaces David Vanderbilt Rutgers University Kevin Garrity & D.V. Phys. Rev. Lett.110, 116802 (2013) Recently: Topological insulators (TR-invariant)

More information

SUPPLEMENTARY INFORMATION

SUPPLEMENTARY INFORMATION A Dirac point insulator with topologically non-trivial surface states D. Hsieh, D. Qian, L. Wray, Y. Xia, Y.S. Hor, R.J. Cava, and M.Z. Hasan Topics: 1. Confirming the bulk nature of electronic bands by

More information

Quantum Mechanics FKA081/FIM400 Final Exam 28 October 2015

Quantum Mechanics FKA081/FIM400 Final Exam 28 October 2015 Quantum Mechanics FKA081/FIM400 Final Exam 28 October 2015 Next review time for the exam: December 2nd between 14:00-16:00 in my room. (This info is also available on the course homepage.) Examinator:

More information

Key Questions. ECE 340 Lecture 6 : Intrinsic and Extrinsic Material I 9/10/12. Class Outline: Effective Mass Intrinsic Material

Key Questions. ECE 340 Lecture 6 : Intrinsic and Extrinsic Material I 9/10/12. Class Outline: Effective Mass Intrinsic Material 9/1/1 ECE 34 Lecture 6 : Intrinsic and Extrinsic Material I Class Outline: Things you should know when you leave Key Questions What is the physical meaning of the effective mass What does a negative effective

More information

Spin Superfluidity and Graphene in a Strong Magnetic Field

Spin Superfluidity and Graphene in a Strong Magnetic Field Spin Superfluidity and Graphene in a Strong Magnetic Field by B. I. Halperin Nano-QT 2016 Kyiv October 11, 2016 Based on work with So Takei (CUNY), Yaroslav Tserkovnyak (UCLA), and Amir Yacoby (Harvard)

More information

Ionic Bonding. Example: Atomic Radius: Na (r = 0.192nm) Cl (r = 0.099nm) Ionic Radius : Na (r = 0.095nm) Cl (r = 0.181nm)

Ionic Bonding. Example: Atomic Radius: Na (r = 0.192nm) Cl (r = 0.099nm) Ionic Radius : Na (r = 0.095nm) Cl (r = 0.181nm) Ionic Bonding Ion: an atom or molecule that gains or loses electrons (acquires an electrical charge). Atoms form cations (+charge), when they lose electrons, or anions (- charge), when they gain electrons.

More information

Lecture 9. Strained-Si Technology I: Device Physics

Lecture 9. Strained-Si Technology I: Device Physics Strain Analysis in Daily Life Lecture 9 Strained-Si Technology I: Device Physics Background Planar MOSFETs FinFETs Reading: Y. Sun, S. Thompson, T. Nishida, Strain Effects in Semiconductors, Springer,

More information

Intensity Analysis of Spatial Point Patterns Geog 210C Introduction to Spatial Data Analysis

Intensity Analysis of Spatial Point Patterns Geog 210C Introduction to Spatial Data Analysis Intensity Analysis of Spatial Point Patterns Geog 210C Introduction to Spatial Data Analysis Chris Funk Lecture 5 Topic Overview 1) Introduction/Unvariate Statistics 2) Bootstrapping/Monte Carlo Simulation/Kernel

More information

Supplementary Materials

Supplementary Materials Supplementary Materials Sample characterization The presence of Si-QDs is established by Transmission Electron Microscopy (TEM), by which the average QD diameter of d QD 2.2 ± 0.5 nm has been determined

More information

SECOND PUBLIC EXAMINATION. Honour School of Physics Part C: 4 Year Course. Honour School of Physics and Philosophy Part C C3: CONDENSED MATTER PHYSICS

SECOND PUBLIC EXAMINATION. Honour School of Physics Part C: 4 Year Course. Honour School of Physics and Philosophy Part C C3: CONDENSED MATTER PHYSICS 2753 SECOND PUBLIC EXAMINATION Honour School of Physics Part C: 4 Year Course Honour School of Physics and Philosophy Part C C3: CONDENSED MATTER PHYSICS TRINITY TERM 2011 Wednesday, 22 June, 9.30 am 12.30

More information

Co-existing honeycomb and Kagome characteristics. in the electronic band structure of molecular. graphene: Supporting Information

Co-existing honeycomb and Kagome characteristics. in the electronic band structure of molecular. graphene: Supporting Information Co-existing honeycomb and Kagome characteristics in the electronic band structure of molecular graphene: Supporting Information Sami Paavilainen,, Matti Ropo,, Jouko Nieminen, Jaakko Akola,, and Esa Räsänen

More information

Interband effects and orbital suceptibility of multiband tight-binding models

Interband effects and orbital suceptibility of multiband tight-binding models Interband effects and orbital suceptibility of multiband tight-binding models Frédéric Piéchon LPS (Orsay) with A. Raoux, J-N. Fuchs and G. Montambaux Orbital suceptibility Berry curvature ky? kx GDR Modmat,

More information

GRAPHENE the first 2D crystal lattice

GRAPHENE the first 2D crystal lattice GRAPHENE the first 2D crystal lattice dimensionality of carbon diamond, graphite GRAPHENE realized in 2004 (Novoselov, Science 306, 2004) carbon nanotubes fullerenes, buckyballs what s so special about

More information

PH575 Spring Lecture #28 Nanoscience: the case study of graphene and carbon nanotubes.

PH575 Spring Lecture #28 Nanoscience: the case study of graphene and carbon nanotubes. PH575 Spring 2014 Lecture #28 Nanoscience: the case study of graphene and carbon nanotubes. Nanoscience scale 1-100 nm "Artificial atoms" Small size => discrete states Large surface to volume ratio Bottom-up

More information

Spectral Approach to Quantum Percolation on the. Honeycomb Lattice. Quantum Percolation. Classical Percolation. Distributions.

Spectral Approach to Quantum Percolation on the. Honeycomb Lattice. Quantum Percolation. Classical Percolation. Distributions. Spectral Approach to Quantum Percolation on the Honeycomb Lattice Adam Cameron, Eva Kostadinova, Forrest Guyton, Constanze Liaw, Lorin Matthews, Truell Hyde Center for Astrophysics, Space Physics, and

More information

Geol /19/06 Labs 5 & 6 Crystal Chemistry Ionic Coordination and Mineral Structures

Geol /19/06 Labs 5 & 6 Crystal Chemistry Ionic Coordination and Mineral Structures Geol 2311 9/19/0 Labs 5 & Crystal Chemistry Ionic Coordination and Mineral Structures Handout Oral Mineral Tray Report Samples Ionic Coordination Exercise Investigating Mineral Structures using XtalDraw

More information

Why Heteroepitaxy? Difficult to Model Multiple Species Dislocations and point defects important Species Flux important

Why Heteroepitaxy? Difficult to Model Multiple Species Dislocations and point defects important Species Flux important Why Heteroepitaxy? Difficult to Model Multiple Species Dislocations and point defects important Species Flux important The Silicon Age is Ending New materials and growth required Useful in design of Devices

More information