Now we turn to one of the most profound breakthroughs in the history of science: the laws of motion formulated by Isaac Newton. These laws provide a systematic framework for understanding how and why objects move, and form the backbone of classical mechanics. Using these three laws we can predict the motion of a falling apple, a car accelerating down the road, or a satellite orbiting Earth (though some adjustments are required in this context to make use of e.g. GPS!). More than just equations, they express deep principles about the nature of force, mass, and interaction.
In this chapter, you will begin to develop the core physicist’s skill: building a simplified model of the real world, applying physical principles, and using mathematical tools to reach meaningful conclusions.
2.1Newton’s Three Laws¶
Much of physics, in particular Classical Mechanics, rests on three laws that carry Newton’s name:
N1 has, in fact, been formulated by Galileo Galilei. Newton has, in his N2, build upon it: N1 is included in N2, after all:
if , then , provided is a constant.
Most people know N2 as
For particles of constant mass, the two are equivalent:
if , then
Nevertheless, in many cases using the momentum representation is beneficial. The reason is that momentum is one of the key quantities in physics. This is due to the underlying conservation law, that we will derive in a minute. Moreover, using momentum allows for a new interpretation of force: force is that quantity that - provided it is allowed to act for some time interval on an object - changes the momentum of that object. This can be formally written as:
The latter quantity is called the impulse.
In Newton’s Laws, velocity, acceleration and momentum are key quantities. We repeat here their formal definition.
Solution to Exercise 1
Solution to Exercise 3
The gravitational force acts from the earth on the jumper. Newton’s law states that the jumper thus acts a gravitational force on the earth. Hence, the earth accelerates towards the jumper!
Although this sounds silly, when comparing this idea to the sun and the planets, we must draw the conclusion that the sun is actually wobbling as it is pulled towards the various planets! See also this animated explanation
2.2Newton’s laws applied¶
2.2.1Force addition, subtraction and decomposition¶
Newton’s laws describe how forces affect motion, and applying them often requires combining multiple forces acting on an object, see Figure 3. This is done through vector addition, subtraction, and decomposition—allowing us to find the net force and analyze its components in different directions, see this chapter in the book on linear algebra for a full elaboration on vector addition and subtraction.

Figure 3:Three forces acting on a particle. In which direction will it accelerate?
Solution to Exercise 4
Hence, the net force acting on the particle is and the particle will accelerate in the direction , just like in the previous example. The magnitude of the acceleration is and can only be calculated when the mass of the particle is specified.
2.2.2Acceleration due to gravity¶
In most cases the forces acting on an object are not constant. However, there is a classical case that is treated in physics (already at secondary school level) where only one, constant force acts and other forces are neglected. Hence, according to Newton’s second law, the acceleration is constant.
When we first consider only the motion in the z-direction, we can derive:
Hence, for the velocity:
assuming the position is described by
Rearranging:
At a height of a stone is tossed in the air with a velocity of .
- Calculate the maximum height that it reaches.
- Calculate the time it takes to reach this point.
- Calculate with which velocity it hits the ground.
Solution to Exercise 5

A free body diagram of the situation with all relevant quantities.
Only gravity acts on the stone (in the downward direction). We will call the position of the stone at time :
Initial conditions:
- Highest point reached when
- . We are interested in the stone hitting the ground. Thus, solve for to find at what time this happens.
- See above.
Note that is another solution, but not physically realistic.
The times we calculated are in the right order: First stone is tossed (at ), then it reaches its highest point (at ). After that it falls and hits the ground at . Thus .
Furthermore, the velocity upon impact with the earth is negative as it should: the stone is falling downward. Its magnitude is on the order of the initial upward velocity, which makes sense. Finally, our answers have the right units.
NOTE: Some of these solutions can be derived more easily using the concept of conservation of energy which will be covered in one of the next chapters.
We only considered motion in the vertical direction, however, objects tend to move in three dimension. We consider now the two-dimensional situation, starting with an object which is horizontally thrown from a height.

Figure 8:A sketch of the situation where an object is thrown horizontally and the horizontal distance should be calculated.
In the situation given in Figure 8 the object is thrown with a horizontal velocity of . As no forces in the horizontal direction act on the object (N1), its horizontal motion can be described by
In the vertical direction only the gravitational force acts (N2), hence the motion can be described by (18). Taking the -direction upward, a starting height and it becomes:
The total horizontal traveled distance of the object before hitting the ground then becomes:
This motion is visualized in Figure 9. The trajectory is shown with on the horizontal axis and on the vertical axis. At regular time intervals , velocity vectors are drawn to illustrate the motion. Note that the horizontal and vertical components of velocity, and , vary independently throughout the trajectory. Moreover, is the tangent of .

Figure 9:The parabolic motion is visualized with blue velocity vectors shown at various points along the trajectory.
Derive the above expression (21) yourselves.
Watch the recording below. What happens with the horizontal distance traveled per time unit? And with the vertical distance traveled?
A parabolic motion visualized, with the position stored per time unit
Assume the object with mass is shot from the ground with a velocity of at an angle of . Derive where the object hits the ground in terms of , and .
How does the distance traveled changes when the mass of the object is doubled ?
Solution to Exercise 7
The horizontal traveled distance is the same per time unit. For the vertical traveled distance it decreases until and then increases.
Understand that the case above is specific in physics: in most realistic contexts multiple forces are acting upon the object. Hence the equation of motion does not become
We assumed a constant acceleration due to gravity. However, the gravitational force is given by .
Calculate at what height above the earth the acceleration due to gravity has ‘significantly’ changed from , say to .
Solution to Exercise 8
The acceleration of gravity is found by setting the gravitation force equal to :
with the mass of the earth.
At the surface of the earth, we have for the value of . We look for the height above the earth surface where has dropped to . If we call this height , we write for the distance to the center of the earth .
Thus, we look for :
If we solve from this equation we find: (we used ).
We could have also looked at the ratios (between and ), and found that . Hence, .
If we would have said: ‘significant change’ in means , we would have found .
A rocket moves freely horizontal through space. At position it turns on its propulsion. At position it turns off its propulsion.
Provide a sketch of its movement highlighting all important parts.
Source
import numpy as np
import matplotlib.pyplot as plt
from matplotlib.animation import FuncAnimation
from IPython.display import HTML
plt.rcParams['font.family'] = 'Segoe UI Emoji'
# Simulationparameters
dt = 0.05
t_max = 10
t_values = np.arange(0, t_max, dt)
# Physical parameters
vx = 1.0
Fy = 1.0
m = 1.0
ay = Fy / m
# Calculation trajectory
x = vx * t_values
y = np.zeros_like(t_values)
x_burn_start = 2.0
x_burn_end = 4.0
i_start = np.argmax(x >= x_burn_start)
i_end = np.argmax(x >= x_burn_end)
for i in range(i_start, i_end+1):
t_burn = t_values[i] - t_values[i_start]
y[i] = 0.5 * ay * t_burn**2
vy_final = ay * (t_values[i_end] - t_values[i_start])
y0 = y[i_end]
t0 = t_values[i_end]
for i in range(i_end, len(t_values)):
y[i] = y0 + vy_final * (t_values[i] - t0)
# Plot
fig, ax = plt.subplots(figsize=(8, 4))
ax.set_xlim(0, np.max(x)+1)
ax.set_ylim(0, np.max(y)+1)
ax.set_xlabel("x")
ax.set_ylabel("y")
ax.set_title("Rocket with propulsion on between x=2 en x=4")
# Rocket
rocket = ax.text(0, 0, "\U0001F680", fontsize=14)
# Trail
trail, = ax.plot([], [], 'r-', lw=1)
# Time
time_text = ax.text(0.98, 0.95, '', transform=ax.transAxes,
ha='right', va='top', fontsize=12)
# Init
def init():
rocket.set_position((0, 0))
trail.set_data([], [])
time_text.set_text('')
return rocket, trail, time_text
# Update
def update(frame):
rocket.set_position((x[frame], y[frame]))
trail.set_data(x[:frame+1], y[:frame+1])
time_text.set_text(f"t = {t_values[frame]:.2f} s")
return rocket, trail, time_text
# Animation
ani = FuncAnimation(fig, update, frames=len(t_values),
init_func=init, interval=dt*1000, blit=True)
plt.close()
HTML(ani.to_jshtml())
Consider a particle which travels a distance . Find three different mathematical expressions for a force acting on the particle in such a way that the particle will travel the same distance in the same time for each .
Solution to Exercise 10
Two are easy: uniform motion () and constant acceleration , with .
Consider the third being a harmonic oscillating force field: Then the equation of motion becomes:
Assuming
And,
Assuming
Hence:
Now, finding traveling the same distance in the same time AND the harmonic oscillation is complete (hence, ):
Source
# Animatie van een deeltje met constante snelheid en een deeltje met constante versnelling
import numpy as np
import matplotlib.pyplot as plt
from matplotlib.animation import FuncAnimation
from IPython.display import HTML
# Parameters
v = 1.0 # snelheid in x-richting
dt = 0.05 # tijdstap in seconden
t_max = 10 + dt # totale simulatie tijd
y = 0.5 # constante y-positie
a = 2*v**2/(v*(t_max-dt)) # versnelling in x-richting
m = 1.0 # massa van het deeltje
A = - v*2*np.pi / (t_max-dt) # amplitude van de sinusgolf
f = 1 / (t_max-dt) # frequentie van de sinusgolf
# Vooraf posities berekenen
t_values = np.arange(0, t_max, dt)
x_values = v * t_values
x_values_2 = 1/2 * a * t_values**2 # voor een andere beweging
x_values_3 = A / (m * (2 * np.pi * f)**2) * np.sin(2 * np.pi * f * t_values) - A / (m * 2 * np.pi * f) * t_values
y_values = np.full_like(x_values, y) # constante y
# Setup plot
fig, ax = plt.subplots(figsize=(8, 4))
ax.set_xlim(0, x_values[-1] + 1)
ax.set_ylim(0, 1)
ax.set_xlabel("x")
ax.set_ylabel("y")
particle, = ax.plot([], [], 'ro', markersize=10, label='uniform motion')
particle_2, = ax.plot([], [], 'bo', markersize=10, label='uniform acceleration')
particle_3, = ax.plot([], [], 'go', markersize=10, label='harmonic oscillating force')
ax.legend(loc='lower right')
time_text = ax.text(0.98, 0.95, '', transform=ax.transAxes,
ha='right', va='top', fontsize=12)
# Initialisatie
def init():
particle.set_data([], [])
particle_2.set_data([], [])
particle_3.set_data([], [])
time_text.set_text('')
return particle, time_text
# Update per frame
def update(frame):
x = x_values[frame]
x_2 = x_values_2[frame]
x_3 = x_values_3[frame]
y = y_values[frame]
t = t_values[frame]
particle.set_data([x],[y])
particle_2.set_data([x_2], [.5*3*y])
particle_3.set_data([x_3], [.5*y])
time_text.set_text(f"t = {t:.2f} s")
return particle, time_text
# Animatie
ani = FuncAnimation(fig, update, frames=len(t_values),
init_func=init, interval=dt*1000, blit=True)
plt.close()
HTML(ani.to_jshtml())
2.2.3Frictional forces¶
There are two main types of frictional force:
- Static friction prevents an object from starting to move. It adjusts in magnitude up to a maximum value, depending on how much force is trying to move the object. This maximum is given by
where
- Kinetic (dynamic) friction opposes motion once the object is sliding. Its magnitude is generally constant and given by
where
Friction always acts opposite to the direction of intended or actual motion and is essential in both preventing and controlling movement.
Material Pair | Static Friction () | Kinetic Friction () |
---|---|---|
Rubber on dry concrete | 1.0 | 0.8 |
Steel on steel (dry) | 0.74 | 0.57 |
Wood on wood (dry) | 0.5 | 0.3 |
Aluminum on steel | 0.61 | 0.47 |
Ice on ice | 0.1 | 0.03 |
Glass on glass | 0.94 | 0.4 |
Copper on steel | 0.53 | 0.36 |
Teflon on Teflon | 0.04 | 0.04 |
Rubber on wet concrete | 0.6 | 0.5 |
Leather on wood | 0.56 | 0.4 |
Values are approximate and can vary depending on surface conditions.
Include app increasing the angle, where at one moment the object start to slide
A block with mass is put on a inclined plane of which we can change the inclination angle .
- Determine the angle at which it starts to slide in terms of mass , inclination angle , acceleration due to gravity and coefficient of static friction .
- Once it starts to slide, it will accelerate. Determine its acceleration in terms of mass , inclination angle , acceleration due to gravity and coefficient of kinetic friction .
Solution to Exercise 11
- There a two forces acting on parallel to the inclined plane: friction and gravity’s component parallel to the slope. These two determine the motion along the slope: if we tilt the plane the component of gravity parallel to the slope gets bigger. The particle will start moving when we pass:
- Once the particle is sliding downward, gravity and the kinetic friction determine how fast:
and
2.3Conservation of Momentum¶
From Newton’s 2 and 3 law we can easily derive the law of conservation of momentum.
Assume there are only two point-particle (i.e. particles with no size but with mass), that exert a force on each other. No other forces are present. From N2 we have:
From N3 we know:
And, thus by adding the two momentum equations we get:
Note the importance of the last conclusion: if objects interact via a mutual force then the total momentum of the objects can not change. No matter what the interaction is. It is easily extended to more interacting particles. The crux is that particles interact with one another via forces that obey N3. Thus for three interacting point particles we would have (with the force from particle i felt by particle j):
Sum these three equations:
For a system of particles, extension is straight forward.
2.3.1Momentum example¶
The above theoretical concept is simple in its ideas:
- a particle changes its momentum whenever a force acts on it;
- momentum is conserved;
- action = - reaction.
But it is incredible powerful and so generic, that finding when and how to use it is much less straight forward. The beauty of physics is its relatively small set of fundamental laws. The difficulty of physics is these laws can be applied to almost anything. The trick is how to do that, how to start and get the machinery running. That can be very hard. Luckily there is a recipe to master it: it is called practice.
A point particle (mass ) is dropped from rest at a height above the ground. Only gravity acts on the particle with a constant acceleration ().
- Find the momentum when the particle hits the ground.
- What would be the earth’ velocity upon impact?
Solution to Exercise 12
Let’s do this one together. We follow the standard approach of IDEA: Interpret (and make your sketch!), develop (think ‘model’), evaluate (solve your model) and assess (does it make any sense?).
First a sketch: draw what is needed, no more, no less.

Actually this is half of the work, as when deciding what is needed we need to think what the problem really is. Above, is a sketch that could work. Both the object and the earth (mass ) are drawn schematically. On each of them acts a force, where we know that on standard gravity works. As a consequence of N3, a force equal in strength but opposite in direction acts on .
Why do we draw forces? Well, the question mentions ‘momentum the particle hits the ground’. Momentum and forces are coupled via N2.
We have drawn a z-coordinate: might be handy to remind us that this looks like a 1D problem (remember: momentum and force are both vectors).
As a first step, we ignore the motion of the earth. Argument? The magnitude of the ratio of the acceleration of earth over object is given by:
here for the second equality we used N3.
For all practical purposes, the mass of the object is many orders of magnitude smaller than that of the earth. Hence, we can conclude that the acceleration of the earth is many orders of magnitude less than that of the object. The latter is of the order of , gravity’s acceleration constant at the earth. Thus, the acceleration of the earth is next to zero and we can safely assume our lab system, that is connected to the earth, can be treated as an inertial system with, for us, zero velocity.
The remainder is straightforward. Now we have an object, that moves under a constant force. So its velocity will increase linearly in time:
From the momentum we can calculate the velocity and from the velocity the position:
Solve for and find . Substitute this into the relation for : . As the earth-object system has conserved momentum, the velocity of the earth is to a good approximation:
We found that the particle changed its momentum from to . The earth compensates for this, to keep momentum conserved. That gave that earth got a tiny, tiny upwards velocity. We could estimate the displacement of the earth. Suppose, the particle has mass =1kg and is dropped from a height =100m. Then we get for the velocity of the mass upon impact: m/s and a falling time =4.5s. For the earth we thus find that during the process the velocity is smaller than and thus, the distance traveled by earth towards the mass is less than . Indeed completely negligible, the size of the nucleus of an atom is many orders of magnitude bigger!
2.4Forces & Inertia¶
Newton’s laws introduce the concept of force. Forces have distinct features:
- forces are vectors, that is, they have magnitude and direction;
- forces change the motion of an object:
- they change the velocity, i.e. they accelerate the object
- or, equally true, they change the momentum of an object
Many physicists like the second bullet: forces change the momentum of an object, but for that they need time to act.
Momentum is a more fundamental concept in physics than acceleration. That is another reason why physicists prefer the second way of looking at forces.
Let’s look at a particle of mass , that has initially (say at ) a velocity . For the particle is subject to a force that is of the form . This is a kind of frictional force: the faster the particle goes, the larger the opposing force will be.
We would like to know how the position of the particle is as a function of time.
We can answer this question by applying Newton 2:
Clearly, we have to solve a differential equation which states that if you take the derivative of you should get something like back. From calculus we know, that exponential function have the feature that when we differentiate them, we get them back. So, we will try with and to be determined constants.
We substitute our trial :
This should hold for all . Luckily, we can scratch out the term , leaving us with:
We see, that also our unknown constant drops out. And, thus, we find
Next we need to find : for that we need an initial condition, which we have: at is . So, we know:
From the above we see: and our final solution is:
From the solution for , we easily find the position of as a function of time. Let’s assume that the particle was in the origin at , thus . So, we find for the position
We find with the initial condition and get as final solution:
If we inspect and assess our solution, we see: the particle slows down (as is to be expected with a frictional force acting on it) and eventually comes to a stand still. At that moment, the force has also decreased to zero, so the particle will stay put.
2.4.1Inertia¶
Inertia is denoted by the letter for mass. And mass is that property of an object that characterizes its resistance to changing its velocity. Actually, we should have written something like , with subscript i denoting inertia.
Why? There is another property of objects, also called mass, that is part of Newton’s Gravitational Law.
Two bodies of mass and that are separated by a distance attract each other via the so-called gravitational force ( is a unit vector along the line connecting and ):
Here, we should have used a different symbol, rather than . Something like , as it is by no means obvious that the two ‘masses’ and refer to the same property. If you find that confusing, think about inertia and electric forces. Two particles with each an electric charge, and , respectively exert a force on each other known as the Coulomb force:
We denote the property associated with electric forces by and call it charge. We have no problem writing
We do not confuse by or vice versa. They are really different quantities: tells us that the particle has a property we call ‘charge’ and that it will respond to other charges, either being attracted to, or repelled from. How fast it will respond to this force of another charged particle depends on . If is big, the particle will only get a small acceleration; the strength of the force does not depend on at all. So far, so good. But what about ? That property of a particle that makes it being attracted to another particle with this same property, that we could have called ‘gravitational charge’. It is clearly different from ‘electrical charge’. But would it have been logical that it was also different from the property inertial mass, ?
As far as we can tell (via experiments) and are the same. Actually, it was Einstein who postulated that the two are referring to the same property of an object: there is no difference.
2.4.1.1Force field¶
We have seen, forces like gravity and electrostatics act between objects. When you push a car, the force is applied locally, through direct contact. In contrast, gravitational and electrostatic forces act over a distance — they are present throughout space, though they still depend on the positions of the objects involved.
One powerful way to describe how a force acts at different locations in space is through the concept of a force field. A force field assigns a force vector (indicating both direction and magnitude) to every point in space, telling you what force an object would experience if placed there.
For example, the graph below at the left shows a gravitational field, described by . Any object entering this field is attracted toward the central mass with a force that depends on its distance from that mass’s center.
Source
import numpy as np
import matplotlib.pyplot as plt
# Define the grid
r = np.linspace(1.4, 3, 3)
theta = np.linspace(0, 2*np.pi, 11)
R, T = np.meshgrid(r, theta)
X = np.cos(T) * R
Y = np.sin(T) * R
# Gravitational field at a point (r,theta)
def gravitational_field(R, T):
# Magnitude
F = -1 / (R**2)
# X-component
F_x = F * np.cos(T)
# Y-component
F_y = F * np.sin(T)
return F_x, F_y
# Calculate the field
F_x, F_y = gravitational_field(R, T)
# Create a figure with a fixed aspect ratio
fig, axes = plt.subplots(1, 2, figsize=(10, 5))
# Plot gravitational field
axes[0].set_xlim((-3, 3))
axes[0].set_ylim((-3, 3))
axes[0].quiver(X, Y, F_x, F_y, color='#00a6d6ff', scale=3.5, width=0.004)
axes[0].scatter(0, 0, s=800, c='k')
axes[0].set_aspect('equal', 'box')
axes[0].set_xticks([])
axes[0].set_yticks([])
axes[0].set_xlabel('x')
axes[0].set_ylabel('y')
# Simulation parameters
electron1 = np.array([-1, 0]) # x, y position of the electron
electron2 = np.array([1, 0])
# Define the grid
x = np.linspace(-2, 2, 400)
y = np.linspace(-2, 2, 400)
X, Y = np.meshgrid(x, y)
# Electric field at a point (x, y)
def electric_field(x, y):
r1 = np.sqrt((x - electron1[0])**2 + (y - electron1[1])**2)
r2 = np.sqrt((x - electron2[0])**2 + (y - electron2[1])**2)
# Electric field due to electron1
E1_x = - (x - electron1[0]) / r1**3
E1_y = - (y - electron1[1]) / r1**3
# Electric field due to electron2
E2_x = - (x - electron2[0]) / r2**3
E2_y = - (y - electron2[1]) / r2**3
# Total electric field
E_x = E1_x + E2_x
E_y = E1_y + E2_y
return E_x, E_y
# Calculate the electric field
E_x, E_y = electric_field(X, Y)
# Plot electric field lines
axes[1].set_xlim((-2, 2))
axes[1].set_ylim((-2, 2))
axes[1].streamplot(X, Y, E_x, E_y, color='#00a6d6ff', density=1, linewidth=1, zorder=1)
axes[1].scatter(electron1[0], electron1[1], s=200, c='k', zorder=10)
axes[1].scatter(electron2[0], electron2[1], s=200, c='k', zorder=10)
axes[1].text(electron1[0], electron1[1], '-', color='white', ha='center', va='center', fontsize=20, zorder=11)
axes[1].text(electron2[0], electron2[1], '-', color='white', ha='center', va='center', fontsize=20, zorder=11)
axes[1].set_aspect('equal', 'box')
axes[1].set_xticks([])
axes[1].set_yticks([])
axes[1].set_xlabel('x')
axes[1].set_ylabel('y')
plt.tight_layout()
plt.show()

2.4.1.2Measuring mass or force¶
So far we did not address how to measure force. Neither did we discuss how to measure mass. This is less trivial than it looks at first side. Obviously, force and mass are coupled via N2: .

Figure 13:Can force be measured using a balance?
The acceleration can be measured when we have a ruler and a clock, i.e. once we have established how to measure distance and how to measure time intervals, we can measure position as a function of time and from that velocity and acceleration.
But how to find mass? We could agree upon a unit mass, an object that represents by definition 1kg. In fact we did. But that is only step one. The next question is: how do we compare an unknown mass to our standard. A first reaction might be: put them on a balance and see how many standard kilograms you need (including fractions of it) to balance the unknown mass. Sounds like a good idea, but is it? Unfortunately, the answer is not a ‘yes’.
As on second thought: the balance compares the pull of gravity. Hence, it ‘measures’ gravitational mass, rather than inertia. Luckily, Newton’s laws help. Suppose we let two objects, our standard mass and the unknown one, interact under their mutual interaction force. Every other force is excluded. Then, on account on N2 we have
where we used N3 for the last equality. Clearly, if we take the ratio of these two equations we get:
irrespective of the strength or nature of the forces involved. We can measure acceleration and thus with this rule express the unknown mass in terms of our standard.
We will not use this method to measure mass. We came to the conclusion that we can’t find any difference in the gravitational mass and the inertial mass. Hence, we can use scales and balances for all practical purposes. But the above shows, that we can safely work with inertial mass: we have the means to measure it and compare it to our standard kilogram.
Now that we know how to determine mass, we also have solved the problem of measuring force. We just measure the mass and the acceleration of an object and from N2 we can find the force. This allows us to develop ‘force measuring equipment’ that we can calibrate using the method discussed above.
In 1795 it was decided that 1 gram is the mass of 1 cm of water at its melting point. Later on, the kilogram became the unit for mass. In 1799, the kilogramme des Archives was made, being from then on the prototype of the unit of mass. It has a mass equal to that of 1 liter of water at 4°C (when water has its maximum density).

Figure 14:The International Prototype of the Kilogram, whose mass was defined to be one kilogram from 1889 to 2019. Picture by BIPM, CC BY-SA 3.0 igo, https://
In recent years, it became clear that using such a standard kilogram does not allow for high precision: the mass of the standard kilogram was, measured over a long time, changing. Not by much (on the order of 50 micrograms), but sufficient to hamper high precision measurements and setting of other standards. In modern physics, the kilogram is now defined in terms of Planck’s constant. As Planck’s constant has been set (in 2019) at exactly , the kilogram is now defined via , the meter and second.
2.4.2Eötvös experiment on mass¶
The question whether inertial mass and gravitational mass are the same has put experimentalists to work. It is by no means an easy question. Gravity is a very weak force. Moreover, determining that two properties are identical via an experiment is virtually impossible due to experimental uncertainty. Experimentalist can only tell the outcome is ‘identical’ within a margin. Newton already tried to establish experimentally that the two forms of mass are the same. However, in his days the inaccuracy of experiments was rather large. Dutch scientist Simon Stevin concluded in 1585 that the difference must be less than 5%. He used his famous ‘drop masses from the church’ experiments for this (they were primarily done to show that every mass falls with the same acceleration).
A couple of years later, Galilei used both fall experiments and pendula to improve this to: less than 2%. In 1686, Newton using pendula managed to bring it down to less than 1‰ .
An important step forward was set by the Hungarian physicist, Loránd Eötvös (1848-1918). We will here briefly introduce the experiment. For a full analysis, we need knowledge about angular momentum and centrifugal forces that we do not deal with in this book.
2.4.2.1The experiment¶
The essence of the Eötvös experiment is finding a set up in which both gravity (sensitive to the gravitational mass) and some inertial force (sensitive to the inertial mass) are present. Obviously, gravitational forces between two objects out of our daily life are extremely small. This will be very difficult to detect and thus introduce a large error if the experiment relies on measuring them. Eötvös came up with a different idea. He connected two different objects with different masses, and , via a (almost) massless rod. Then, he attached a thin wire to the rod and let it hang down.

Figure 15:Torsion balance used by Eötvös.
This is a sensitive device: any mismatch in forces or torques will have the setup either tilt or rotate a bit. Eötvös attached a tiny mirror to one of the arms of the rod. If you shine a light beam on the mirror and let it reflect and be projected on a wall, then the smallest deviation in position will be amplified to create a large motion of the light spot on the wall.
In Eötvös experiment two forces are acting on each of the masses: gravity, proportional to , but also the centrifugal force , the centrifugal force stemming from the fact that the experiment is done in a frame of reference rotating with the earth. This force is proportional to the inertial mass. The experiment is designed such that if the rod does not show any rotation around the vertical axis, then the gravitational mass and inertial mass must be equal. It can be done with great precision and Eötvös observed no measurable rotation of the rod. From this he could conclude that the ratio of the gravitational over inertial mass differed less from 1 than . Currently, experimentalist have brought this down to .
The question is not if is different from 1. If that was the case but the ratio would always be the same, then we would just rescale , that is redefine the value of the gravitational const to make equal to . No, the question is whether these two properties are separate things, like mass and charge. We can have two objects with the same inertial mass but give them very different charges. In analogy: if and are fundamentally different quantities then we could do the same but now with inertial and gravitational mass.
Want to know more about this experiment? Watch this videoclip.