Thirty Years of Quo Vadis 

Brian Lo – brian.lo@pgr.reading.ac.uk  

“Quo Vadis”, Latin for “Where are you marching?”, is an annual event held in the Department of Meteorology in which mostly 2nd year PhD students showcase their work to other members in the department. The event provides the opportunity for students to present research in a professional yet friendly environment. Quo Vadis talks usually focus on a broad overview of the project and the questions they are trying to address, the work done so far to address those questions and especially an emphasis on where ongoing research is heading (as the name of the event suggests).  Over the years, presenters have been given constructive feedback from their peers and fellow academics on presentation style and their scientific work. 

This year’s Quo Vadis was held on 1st March 2022 as a hybrid event. Eleven excellent in-person talks covering a wide range of topics were delivered in the one-day event. The two sessions in the morning saw talks that ranged from synoptic meteorology such as atmospheric blocking to space weather-related topics on the atmosphere of Venus, whereas the afternoon session had talks that varied from storms, turbulence, convection to energy storage!  

Every year, anonymous staff judges attend the event and special recognition is given to the best talk. The winning talk is selected based on criteria including knowledge of the subject matter, methods and innovativeness, results, presentation style and ability to answer questions after the presentation. This year, the judges were faced with a difficult decision due to the high standard of cutting-edge research presented in which presenters “demonstrated excellent knowledge of their subject matter, reached conclusions that were strongly supported by their results, produced well-structured presentations, and answered their questions well.” 

This year’s Quo Vadis winner is Natalie Ratcliffe. She gave an impressive presentation titled “Using Aircraft Observations and modelling to improve understanding of mineral dust transport and deposition processes”. The judging panel appreciated the combination of observations and modelling in her work and were impressed by her ability to motivate and communicate her findings in an engaging way. In addition to the winner, three honourable mentions were made this year. These went to Hannah Croad, Brian Lo and James Fallon whose talks were on arctic cyclones, using radar observations in the early identification of severe convection and weather impacts on energy storage respectively. 

Being the first in-person event for a long time, Quo Vadis 2022 was a huge success thanks to our organisers Lauren James and Elliott Sainsbury. Having run for 30 years, Quo Vadis remains a highlight and an important rite of passage for PhD students in the meteorology department. Having presented at this year’s event, I found that summarising a year’s worth of research work in 12 minutes and making it engaging for a general audience is always a challenge. The audience at any level attending the event would at the very least appreciate the diversity of the PhD work within an already specialised field of meteorology. Who knows how Quo Vadis will evolve in the coming 30 years? Long may it continue! 

Dialogue Concerning the Obvious and Obscurity of Scientific Programming in Python: A Lost Script

Disclaimer: The characters and events depicted in this blog post are entirely fictitious. Any similarities to names, incidents or source code are entirely coincidental.

Antonio (Professor): Welcome to the new Masters module and PhD training course, MTMX101: Introduction to your worst fears of scientific programming in Python. In this course, you will be put to the test–to spot and resolve the most irritating ‘bugs’ that will itch, sorry, gl-itch your software and intended data analysis.

Berenice (A PhD student): Before we start, would you have any tips on how to do well for this module?

Antonio: Always read the code documentation. Otherwise, there’s no reason for code developers to host their documentation on sites like rtfd.org (Read the Docs).

Cecilio (An MSc student): But… didn’t we already do an introductory course on scientific computing last term? Why this compulsory module?

Antonio: The usual expectation is for you to have to completed last term’s introductory computing module, but you may also find that this course completely changes what you used to consider to be your “best practices”… In other words, it’s a bad thing that you have taken that module last term but also a good thing you have taken that module last term. There may be moments where you may think “Why wasn’t I taught that?” I guess you’ll all understand soon enough! As per the logistics of the course, you will be assessed in the form of quiz questions such as the following:

Example #0: The Deviations in Standard Deviation

Will the following print statements produce the same numeric values?

import numpy as np
import pandas as pd

p = pd.Series(np.array([1,1,2,2,3,3,4,4]))
n = np.array([1,1,2,2,3,3,4,4])

print(p.std())
print(n.std())

Without further ado, let’s start with an easy example to whet your appetite.

Example #1: The Sum of All Fears

Antonio: As we all know, numpy is an important tool in many calculations and analyses of meteorological data. Summing and averaging are common operations. Let’s import numpy as np and consider the following line of code. Can anyone tell me what it does?

>>> hard_sum = np.sum(np.arange(1,100001))

Cecilio: Easy! This was taught in the introductory course… Doesn’t this line of code sum all integers from 1 to 100 000?

Antonio: Good. Without using your calculators, what is the expected value of hard_sum?

Berenice: Wouldn’t it just be 5 000 050 000?

Antonio: Right! Just as quick as Gauss. Let’s now try it on Python. Tell me what you get.

Cecilio: Why am I getting this?

>>> hard_sum = np.sum(np.arange(1,100001))
>>> print(hard_sum)
705082704

Berenice: But I’m getting the right answer instead with the same code! Would it be because I’m using a Mac computer and my MSc course mate is using a Windows system?

>>> hard_sum = np.sum(np.arange(1,100001))
>>> print(hard_sum)
5000050000

Antonio: Well, did any of you get a RuntimeError, ValueError or warning from Python, despite the bug? No? Welcome to MTMX101!

Cecilio: This is worrying! What’s going on? Nobody seemed to have told me about this.

Berenice: I recall learning something about the computer’s representation of real numbers in one of my other modules. Would this be problem?

Antonio: Yes, I like your thinking! But that still doesn’t explain why you both got different values in Python. Any deductions…? At this point, I will usually set this as a homework assignment, but since it’s your first MTMX101 lecture, here is the explanation on Section 2.2.5 of your notes.

If we consider the case of a 4-bit binary, and start counting from 0, the maximum number we can possibly represent is 15. Adding 1 to 15, would lead to 0 being represented, as shown in Figure 1. This is called integer overflow, just like how an old car’s analogue 4-digit odometer “resets” to zero after recording 9999 km. As for the problem of running the same code and getting different results on a Windows and Mac machine, a numpy integer array on Windows defaults to 32-bit integer, whereas it is 64-bit on Mac/Linux, and as expected, the 64-bit integer has more bits and can thus represent our expected value of 5000050000. So, how do we mitigate this problem when writing future code? Simply specify the type argument and force Python to use 64-bit integers when needed.

>>> hard_sum = np.sum(np.arange(1,100001), dtype=np.int64)
>>> print(type(hard_sum))
<class 'numpy.int64'>
>>> print(hard_sum)
5000050000

As to why we got the spurious value of 705082704 from using 32-bit integers, I will leave it to you to understand it from the second edition of my book, Python Puzzlers!

Figure 1: Illustration of overflow in a 4-bit unsigned integer

Example #2: An Important Pointer for Copying Things

Antonio: On to another simple example, numpy arrays! Consider the following two-dimensional array of temperatures in degree Celsius.

>>> t_degrees_original = np.array([[2,1,0,1], [-1,0,-1,-1], [-3,-5,-2,-3], [-5,-7,-6,-7]])

Antonio: Let’s say we only want the first three rows of data, and in this selection would like to set all values on the zeroth row to zero, while retaining the values in the original array. Any ideas how we could do that?

Cecilio: Hey! I’ve learnt this last term, we do array slicing.

>>> t_degrees_slice = t_degrees_original[0:3,:]
>>> t_degrees_slice[0,:] = 0

Antonio: I did say to retain the values in the original array…

>>> print(t_degrees_original)
[[ 0  0  0  0]
[-1  0 -1 -1]
[-3 -5 -2 -3]
[-5 -7 -6 -7]]

Cecilio: Oh oops.

Berenice: Let me suggest a better solution.

>>> t_degrees_original = np.array([[2,1,0,1], [-1,0,-1,-1], [-3,-5,-2,-3], [-5,-7,-6,-7]])
>>> t_degrees_slice = t_degrees_original[[0,1,2],:]
>>> t_degrees_slice[0,:] = 0
>>> print(t_degrees_original)
[[ 2  1  0  1]
[-1  0 -1 -1]
[-3 -5 -2 -3]
[-5 -7 -6 -7]]

Antonio: Well done!

Cecilio: What? I thought the array indices 0:3 and 0,1,2 would give you the same slice of the numpy array.

Antonio: Let’s clarify this. The former method of using 0:3 is standard indexing and only copies the information on where the original array was stored (i.e. “view” of the original array, or “shallow copy”), while the latter 0,1,2 is fancy indexing and actually makes a new separate array with the corresponding values from the original array (i.e. “deep copy”). This is illustrated in Figure 2 showing variables and their respective pointers for both shallow and deep copying. As you now understand, numpy, is really not as easy as pie…

Figure 2: Simplified diagram showing differences in variable pointers and computer memory for shallow and deep copying

Cecilio: That was… deep.

Berenice: Is there a better way to deep copy numpy arrays rather than having to type in each index like I did e.g. [0,1,2]?

Antonio: There is definitely a better way! If we replace the first line of your code with the line below, you should be able to do a deep copy of the original array. Editing the copied array will not affect the original array.

>>> t_degrees_slice = np.copy(t_degrees_original[0:2,:])

I would suggest this method of np.copy to be your one– and preferably only one –obvious way to do a deep copy of a numpy array, since it’s the most intuitive and human-readable! But remember, deep copy only if you have to, since deep copying a whole array of values takes computation time and space! It’s now time for a 5-minute break.

Cecilio: More like time for me to eat some humble (num)py.


Antonio: Hope you all had a nice break. We now start with a fun pop quiz!

Consider the following Python code:

short_a = "galileo galilei"
short_b = "galileo galilei"
long_a = "galileo galilei " + "linceo"
long_b = "galileo galilei " + "linceo"
 
print(short_a == short_b)
print(short_a is short_b)
print(long_a == long_b)
print(long_a is long_b)

Which the correct sequence of booleans that will be printed out?
1. True, True, True, True
2. True, False, True, False
3. True, True, True, False

Antonio: In fact, they are all correct answers. It depends on whether you are running Python 3.6.0, Python 3.8.5 and whether you ran the code in a script or in the console! Although there is much more to learn about “string interning”, the quick lesson here is to always compare the value of strings using double equal signs (==) instead of using is.

Example #3: Array manipulation – A Sleight of Hand?

Antonio: Let’s say you are asked to calculate the centered difference of some quantity (e.g. temperature) in one dimension \frac{\partial T}{\partial x} with gird points uniformly separated by \Delta x of 1 metre. What is some code that we could use to do this?

Berenice: I remember this from one of the modelling courses. We could use a for loop to calculate most elements of \frac{\partial T}{\partial x} \approx \frac{T_{i+1} - T_{i-1}}{2\Delta x} then deal with the boundary conditions. The code may look something like this:

delta_x = 1.0
temp_x = np.random.rand(1000)
dtemp_dx = np.empty_like(temp_x)
for i in range(1, len(temp_x)-1):
    dtemp_dx[i] = (temp_x[i+1] - temp_x[i-1]) / (2*delta_x)

# Boundary conditions
dtemp_dx[0] = dtemp_dx[1]
dtemp_dx[-1] = dtemp_dx[-2]

Antonio: Right! How about we replace your for loop with this line?

dtemp_dx[1:-1] = (temp_x[2:] - temp_x[0:-2]) / (2*delta_x)

Cecilio: Don’t they just do the same thing?

Antonio: Yes, but would you like to have a guess which one might be the “better” way?

Berenice: In last term’s modules, we were only taught the method I proposed just now. I would have thought both methods were equally good.

Antonio: On my computer, running your version of code 10000 times takes 6.5 seconds, whereas running my version 10000 times takes 0.1 seconds.

Cecilio: That was… fast!

Berenice: Only if my research code could run with that kind of speed…

Antonio: And that is what we call vectorisation, the act of taking advantage of numpy’s optimised loop implementation instead of having to write your own!

Cecilio: I wish we knew all this earlier on! Can you tell us more?

Antonio: Glad your interest is piqued! Anyway, that’s all the time we have today. For this week’s homework, please familiarise yourself so you know how to

import this

module or import that package. In the next few lectures, we will look at more bewildering behaviours such as the “Mesmerising Mutation”, the “Out of Scope” problem that is in the scope of this module. As we move to more advanced aspects of this course, we may even come across the “Dynamic Duck” and “Mischievous Monkey”. Bye for now!

Demonstrating as a PhD student in unprecedented times

Brian Lo – brian.lo@pgr.reading.ac.uk 

Just over a month ago in September 2020, I started my journey as a PhD student. Since then, have I spent all of my working hours solely on research – plotting radar scans of heavy rainfall events and coding up algorithms to analyse the evolution of convective cells?  Surely not! Outside my research work, I have also taken on the role of demonstrating this academic year. 

What is demonstrating? In the department, PhD students can sign up to facilitate the running of tutorials and problems, synoptic, instrument, and computing laboratory classes. Equipped with a background in Physics and having taken modules as an MSc student at the department in the previous academic year, I signed up to run problem classes for this year’s Atmospheric Physics MSc module. 

I have observed quite a few lectures during my undergraduate education at Cambridge, MSc programme at Reading and also a few Massive Open Online Courses (MOOCs) as a student. Each had their unique mode of teaching. At Cambridge, equations were often presented on a physical blackboard in lectures, with problem sheet questions handed in 24 hours before each weekly one-hour “supervision” session as formative assessment. At Reading, there have been less students in each lecture, accompanied by problem classes that are longer and more relaxed, allowing for more informal discussion on problem sheet questions between students. These different forms of teaching were engaging to me in their own ways. I have also given a mix of good and not-as-good tutorial sessions for Year 7s to 13s. Good tutorials included interactive demonstrations, such as exploring parametric equations on an online graphing calculator, whereas the not-as-good ones had content that were pitched at too high of a level. Based on these experiences and having demonstrated for 10 hours, I hopefully can share some tips on demonstrating through describing what one would call a “typical” 9am Atmospheric Physics virtual problems class. 

PhD Demonstrating 101 

You, a PhD student, have just been allocated the role as demonstrator on Campus Jobs and are excited about the £14.83 per hour pay. With the first problems class happening in just a week’s time, you start thinking about tools you will need to give these MSc students the best learning experience. A pencil, paper, calculator and that handy Thermal Physics of the Atmosphere textbook would certainly suffice for face-to-face classes. The only difference this year: You will be running virtual classes! This means that moist-adiabatic lapse rate equation you have quickly scribbled down on paper may not show well on a pixelated video call due to a “poor (connection) experience” from Blackboard. How are you going to prevent this familiar situation from happening? 

Figure 1: Laptop with an iPad with a virtual whiteboard for illustrating diagrams and equations to be shown on Blackboard Collaborate. 

In my toolbox, I have an iPad and an Apple pencil for me to draw diagrams and write equations. The laptop’s screen is linked to the iPad with Google Jamboard running and could be shared on Blackboard Collaborate. Here I offer my first tip: 

  1. Explore tools available to design workflows for content delivery and decide on one that works well 

Days before the problems class, you wonder whether you have done enough preparation. Have you read through and completed the problem sheet; ready to answer those burning questions from the students you will be demonstrating for? It is important you… 

Figure 2: Snippet of type-written worked solutions for the Atmospheric Physics MSc module. 

  1. Have your worked solutions to refer to during class 

A good way to ensure you are able to resolve queries about problem sheet questions is to have a version of your own working. This could be as simple as some written out points, or in my case, fully type-written solutions, just so I have details of each step on hand. In some of my fully worked solutions, I added comments for steps where I found the learning curve was quite steep and annotated places where students may run into potential problems. 

Students seem to take interest in these worked solutions, but here I must recommend… 

  1. Do not send out or show your entire worked solutions 

It is arguable whether worked solutions will help students who have attempted all problems seriously, but the bigger issue lies in those who have not even given the problems a try. As a demonstrator, I often explain the importance of struggling through the multiple steps needed to solve and understand a physics problem. My worked solutions usually present what I consider to be the quick and more refined way to the numerical solution, but usually are not the most intuitive route. On that note, how then are you supposed to help someone stuck on a problem? 

It may be tempting to show snippets of your solutions to help someone stuck on a certain part of a problem. Unfortunately, I found this did not work very well. Students can end up disregarding their own attempt and copy down what they regard as the “model answer”. (A cheeky student would have taken multiple screenshots while I scrolled through my worked solutions on the shared screen…) What I found worked better in breakout groups was for the student(s) to explain how they got stuck.  

For example, I once had a few students ask me how they should work out the boiling temperature from saturated vapour pressure using Tetens’ formula. However, my worked solutions solved this directly using the Clausius-Clapeyron equation. Instead of showing them my answer, I arrived at the point where they got stuck (red in Figure 3), essentially putting myself in their shoes. From that point, I was able to give small hints in the correct direction. Using their method, we worked together towards a solution for the problem (black in Figure 3). Here is another tip: 

  1. Work through the problem from your students’ perspective 

Figure 3: Google Jamboard slide showing how Tetens’ formula is rearranged. Red shows where some students got up to in the question, whereas black is further working to reach a solution. 

This again illustrates the point on there being no “model answer”. As in many scientific fields, there exist multiple path functions that get you from a problem to a plausible solution, and the preference for such a path is unique to us all. 

There will always be a group of diligent students who gave the problem sheet a serious attempt prior to the class. You will find they only take less than 30 minutes to check their understanding and numerical solutions with you, and they might do their own thing afterwards. This is the perfect opportunity to… 

  1. Present bonus material to stretch students further 

Some ideas include asking for a physical interpretation from their mathematical result, or looking for other (potentially more efficient) methods of deriving their result. For example, I asked students to deduce a cycle describing the Stirling engine on a TS diagram, instead of the pV diagram they had already drawn out as asked by the problem sheet.  

Figure 4: A spreadsheet showing the content coverage of each past exam question 

I also have a table of past exam questions, with traffic light colours indicating which parts of the syllabus they cover. If a student would like to familiarise themselves with the exam style, I could recommend one or two questions using this spreadsheet. 

On the other hand, there may be the occasional group who have no idea where equation (9.11) on page 168 of the notes came from, or a student who would like the extra-reassurance of more mathematical help on a certain problem. As a final tip, I try to cater to these extra requests by… 

  1. Staying a little longer to answer a final few questions 

The best demonstrators are approachable, and go the extra mile to cater to the needs of the whole range of students they teach, with an understanding of their perspectives. After all, being a demonstrator is not only about students’ learning from teaching, but also your learning by teaching! 

I would welcome your ideas about demonstrating as a PhD. Feel free to contact me at brian.lo@pgr.reading.ac.uk if you would like to discuss!