- Sport Science Snag
- Posts
- 🏃♂️ Exploring Protein Oxidation and Personalized Nutrition for Elite Athletic Performance.
🏃♂️ Exploring Protein Oxidation and Personalized Nutrition for Elite Athletic Performance.
PLUS: 🐍💡 How to Calculate an Athlete's Daily Macros Using Python.


Hello there,
In today’s edition:
• Effect of exercise intensity on protein oxidation during endurance
• Personalized nutrition to boost elite athletic performance
• The importance of quality case studies in sports science
• The link between training load and performance drops in runners
• High-intensity exercise effects on balance and coordination
• KNVB’s approach to relative age issues in football
• Athletes’ views on moving to full-time training programs
• Technical skills in female Australian Rules Football
and several more…
In Focus: The Influence of Exercise Intensity on Protein Oxidation in Endurance Activities
Understanding the relationship between exercise intensity and protein oxidation is crucial for athletes aiming to enhance performance and recovery. Studies underscore that the intensity of aerobic exercise significantly affects protein metabolism. For instance, research in Aerobic exercise increases post-exercise exogenous protein oxidation in healthy young males found that vigorous intensity (60% of VO2-max) resulted in a substantial increase in protein oxidation, with about 31.8% of ingested protein oxidized post-exercise, compared to 26.2% at rest. Conversely, moderate intensity (30% of VO2-max) did not yield significant differences in oxidation compared to rest.
A systematic review, featured in this edition, details in Effect of Exercise Intensity, Duration, and Volume on Protein Oxidation During Endurance Exercise in Humans further supports these findings, showing that while protein oxidation increases with exercise intensity, duration and volume do not intensify this effect significantly. This increases the importance of how athletes tailor their training to optimize protein utilization and recovery.
The balance between muscle protein breakdown and recovery can be delicate; findings from International Society of Sports Nutrition position stand: protein and exercise recommend a daily protein intake of 1.4 to 2.0 g/kg for those engaged in rigorous training. This emphasizes the need for athletes to consume adequate protein post-exercise to counteract oxidation and support muscle recovery.
In conclusion, the interplay between exercise intensity and protein oxidation has significant implications for athletes. By adjusting training intensity and ensuring sufficient protein intake, athletes can optimize their performance while supporting recovery processes, thus enhancing their overall athletic condition. This nuanced understanding fosters more strategic training interventions based on scientific evidence, ultimately benefiting athletic performance.

-Haresh 🤙
A message from our sponsor
Organizations that need security choose Proton Pass
Proton Pass Business is the secure, streamlined way to manage team credentials. Trusted by over 50,000 businesses worldwide, Pass was developed by the creators of Proton Mail and SimpleLogin and featured in TechCrunch and The Verge.
From startups to nonprofits, teams rely on Proton Pass to:
Share passwords safely with end-to-end encryption
Manage access with admin controls and activity logs
Enforce strong password policies with built-in 2FA
Revoke access instantly during employee turnover
Simplify onboarding and offboarding across departments
Whether you're running IT for a global team or just want Daryl in accounting to stop using “password123,” Proton Pass helps you stay compliant, efficient, and secure — no training required.
Join the 50,000+ businesses who already trust Proton.

Imagine you are a sports nutritionist. Your main job is to help athletes eat right so they can perform their best. A huge part of this is figuring out exactly how much protein and carbohydrates (carbs) they need each day. An athlete who is resting needs different fuel than an athlete who is in the middle of a tough training session.
Our first challenge is to create a simple calculator. This tool will take an athlete's weight and the type of day they're having ('rest' or 'training') and tell us the exact grams of protein and carbs they need. Here is a Python function to do this. Think of a function as a reusable recipe. You give it some ingredients (like weight
and day_type
), and it follows a set of instructions to give you back a result.
# 'def' is how we define a new function or 'recipe'.
# We've named our function 'calculate_single_athlete_macros'.
# Inside the parentheses are the 'ingredients' or 'arguments' it needs to work.
def calculate_single_athlete_macros(weight_in_kg, type_of_day):
"""
Calculates the protein and carb needs for one athlete.
"""
# We need to store the results somewhere. We'll create two variables.
# A 'variable' is just a box with a label that holds a value.
# We'll start them at zero.
protein_grams_needed = 0
carb_grams_needed = 0
# Now, we use 'if' and 'elif' (which means 'else if') to check
# what kind of day it is. The code inside each block only runs
# if its condition is true.
if type_of_day == "rest":
# If it's a rest day, we use these specific calculations.
# The '*' symbol is for multiplication.
protein_grams_needed = weight_in_kg * 1.8
carb_grams_needed = weight_in_kg * 2.5
elif type_of_day == "training":
# If it's a training day, the athlete needs more fuel,
# so we use different numbers.
protein_grams_needed = weight_in_kg * 2.0
carb_grams_needed = weight_in_kg * 5.0
# The 'return' statement sends back the final calculated results.
# We are returning a 'dictionary' - think of it as a report card with
# labeled results. 'protein' is the subject, and its value is the grade.
return {"protein": protein_grams_needed, "carbs": carb_grams_needed}
# --- Example Usage ---
# Let's test our calculator for an 80kg athlete on a training day.
athlete_macros = calculate_single_athlete_macros(80, "training")
# 'print' displays the result on the screen.
print(athlete_macros)
Your Task: That's great for one person, but a nutritionist usually works with a whole team! Now, your task is to take our simple calculator and expand it. We want to create a new function that can generate a nutrition plan for an entire team at once.
Our team has three athletes:
Chloe (72 kg)
David (85 kg)
Mei (68 kg)
Your new function should take a list of these athletes and the type of day, then create a personalized, easy-to-read summary for each of them. Here is the new, more powerful function. We'll use the same logic as before, but now we'll repeat it for every athlete on our team using something called a loop. A loop is a way to perform the same action over and over again.
# We define our new function. It needs a list of athletes and the day type.
def create_team_nutrition_plan(list_of_athletes, type_of_day):
"""
Generates a readable nutrition plan for a list of athletes.
"""
# First, let's create an empty 'list'. A list is just a container,
# like a shopping basket, that can hold multiple items in order.
# We will put our final plan strings in here.
final_plan_list = []
# This is a 'for' loop. It will go through the 'list_of_athletes' one by one.
# For each athlete in the list, it will temporarily store their name
# in the 'name' variable and their weight in the 'weight' variable,
# then run the indented code below.
for name, weight in list_of_athletes:
# We declare these variables inside the loop so they reset for each athlete.
protein_grams_needed = 0
carb_grams_needed = 0
# This 'if/elif' block is the same logic from our first function!
# We are reusing our recipe inside the loop.
if type_of_day == "rest":
protein_grams_needed = weight * 1.8
carb_grams_needed = weight * 2.5
elif type_of_day == "training":
protein_grams_needed = weight * 2.0
carb_grams_needed = weight * 5.0
# Now, we create a user-friendly sentence.
# The 'f' before the string lets us put variables directly inside {}.
# The ':.1f' part formats our number to have only one decimal place.
plan_message = f"{name}'s {type_of_day} plan: {protein_grams_needed:.1f}g protein & {carb_grams_needed:.1f}g carbs."
# '.append()' is how we add an item (our message) to the end of our list.
final_plan_list.append(plan_message)
# Finally, the function returns the complete list of personalized plans.
return final_plan_list
# --- Example Usage ---
# Here is our team data. It's a 'list' of 'tuples'.
# A tuple (the items in parentheses) is a simple way to group data
# that belongs together, like a name and a weight.
team_roster = [
("Chloe", 72),
("David", 85),
("Mei", 68)
]
# Let's generate the plan for a training day.
team_plan = create_team_nutrition_plan(team_roster, "training")
# This is another 'for' loop! This one will print each item
# from our 'team_plan' list on a new line.
for individual_plan in team_plan:
print(individual_plan)
As you can see, we took a simple idea, calculating macros for one person, and "looped" over it to handle a whole team. This is a fundamental concept in programming: solving a small problem first, then scaling it up to solve a much bigger one.


This figure presents a forest plot summarizing the meta-analysis of how endurance exercise increases protein oxidation, normalized by body weight and exercise duration (mg·kg⁻¹·min⁻¹). Each line represents a study's estimate of the additional amount of protein oxidized during exercise compared to rest. The combined (overall) estimate, indicated at the bottom, shows that exercise leads to an average increase of approximately 1.02 mg·kg⁻¹·min⁻¹ in protein oxidation. The confidence interval around this estimate (0.91 to 1.14) suggests a high level of certainty that exercise more than doubles the rate of protein breakdown compared to resting conditions.
Key finding:
Endurance exercise significantly increases protein oxidation, with higher intensity leading to greater protein metabolism.
How they did it:
Methodology: The study conducted a systematic review and meta-analysis of 30 articles involving 286 participants, focusing on endurance exercise defined as at least 60 minutes of running, cycling, or cross-country skiing. Protein metabolism was measured using nitrogen excretion, leucine oxidation, or the indicator amino acid utilization method.
Results: Protein oxidation during endurance exercise increased by 1.02 mg∙kg−1∙min−1 (95% CI [0.91, 1.14]), compared to 0.81 mg∙kg−1∙min−1 when not exercising, indicating more than double the protein metabolism during activity. Additionally, protein contributed approximately 3.28% of total energy expenditure during endurance exercise.
Exercise Intensity Impact: The analysis showed that protein oxidation normalized by body weight and exercise duration significantly increased with higher exercise intensity (r² = 0.254; p = 0.001), though the relative contribution to energy supply from protein remained constant, regardless of intensity.
Innovations: This review is the first meta-analysis focusing on protein oxidation during endurance exercise, utilizing a variety of measurement methods to provide a comprehensive understanding of how protein serves as an energy source during prolonged physical activities.
Key Insight: The findings suggest that while protein oxidation increases substantially during endurance exercise, optimizing protein intake is essential due to the body’s limited protein stores, which could have negative consequences for prolonged exercise without adequate nutritional support.
Why it matters:
Understanding protein oxidation during endurance exercise is crucial for optimizing athlete performance and recovery. This study reveals that protein oxidation increases by approximately 1.02 mg/kg/min during exercise, more than doubling the rate seen at rest. For coaches and nutritionists, this highlights the importance of strategizing protein intake, as protein contributes only about 3.3% of total energy during endurance activities, indicating a substantial need for carbohydrates and fats alongside protein to adequately fuel athletic performance.

This figure illustrates the integrated biometric and environmental monitoring system deployed at Paris 2024. Athletes were equipped with multiple sensors—such as heart rate monitors, ingestible pills, and skin patches—to track physiological data in real time. A smartwatch with an embedded eSIM continuously transmitted geolocation data to an API, which accessed global weather datasets powered by artificial intelligence to return local environmental conditions (e.g., temperature, humidity). This system enabled the dynamic adjustment of nutrition and hydration strategies based on the athlete’s physiological responses and environmental exposure. The goal was to provide tailored support for performance and health by merging wearable technology, environmental sensing, and AI-driven analytics.
Key finding:
Personalized nutrition, powered by advanced technology, is essential for optimizing elite athletic performance and health.
How they did it:
Methodology: The study highlights the evolution of sports nutrition, emphasizing personalized nutrition practices that consider individual variations in physiology, particularly through the integration of wearable technology and multi-omics data (genomics, transcriptomics, metabolomics, and proteomics).
Key Results: Historical studies noted the impact of carbohydrate intake on endurance, with recent findings indicating that tailored carbohydrate strategies can significantly enhance performance, as illustrated by one study that reported a 33% improvement in endurance running capacity with a carbohydrate-electrolyte solution versus a control (p < 0.05).
Innovations: The paper proposes the use of advanced wearable devices, such as continuous glucose monitors and sweat-analysis patches, to provide real-time data on hydration and metabolic responses, allowing for dynamic adjustments to athletes’ nutrition plans based on their individual needs during training and competition.
Technological Advancements: The anticipated introduction of 6G technology is expected to revolutionize personalized sports nutrition by enabling ultra-fast data transfer from monitoring devices, facilitating immediate adaptations in dietary and hydration strategies to optimize performance.
Future Directions: Emphasizing the need for a paradigm shift, the authors call for the integration of AI and machine learning to analyze complex multi-omics data, allowing for the development of truly personalized nutrition recommendations, and illustrating the importance of overcoming current limitations in genetics-based personalization for athletic performance optimization.
Why it matters:
These findings shed light on the pressing need for personalized nutrition in elite sports, emphasizing that the “one-size-fits-all” approach simply isn’t sufficient. With advancements in wearable technology helping track real-time data like hydration and glucose levels, athletes can optimize their dietary strategies, potentially leading to performance improvements of up to 33% in certain conditions. This precision empowers coaches and nutritionists to tailor interventions that match individual athlete responses, maximizing not just performance but overall health and recovery.

Concussion in Sport
-High-intensity exercise negatively affects vestibular and oculomotor function across all examined groups.
Environmental Factors in Sport
-Exertional heat stroke incidence at Vermont City Marathon is high, despite cooler spring weather, highlighting urgent medical preparedness needs.
Performance Analytics
-NASA-TLX is the best predictor of performance decrements in well-trained runners after different training sessions.
Skill acquisition
-The KIDDO Challenge assessment tool shows valid associations with established measures of children’s fundamental movement skills in primary education.
Sport Analytics
-A simple Bayesian model for expected goals prediction offers similar accuracy to complex models while enhancing interpretability.
Sport Physiology
-High-quality case studies in sport science can effectively connect research to practice and enhance training strategies.
Sport Psychology
-Transformational leadership in Japanese sports, especially high performance expectations, strongly enhances positive youth development outcomes.
Sport Technology
-Firstbeat Sport sensors reliably measure movement load in professional basketball training, allowing for interchangeable use among practitioners.
Talent Identification and Development
-The study identifies potential solutions to reduce Relative Age Effects in youth soccer, highlighting the need for further testing.
Talent Identification and Development
-Successful athlete transitions from part-time to full-time training depend on physical, psychosocial, and resource-related factors.
Talent Identification and Development
-As players progress in female Australian football, technical efficiency significantly influences performance and preparation demands.
What did you think of today's newsletter?Your feedback helps us create the best science snags possible. |