Details for 2020 MPB testosterone and mood (iMoodJournal).ipynb

Published by madprime

Description

Analyzes mood data versus specific repeated events (testosterone injections).

Mood is tracked via the iMoodJournal app, medications were tracked on a spreadsheet and exported as CSV.

It seems the mood data is very "noisy". When a rolling average is used, though, it seems there may be a shift of lower mood at the end of the weekly cycle (i.e. rises in the day after injection).

0

Tags & Data Sources

iMoodJournal mood testosterone iMoodJournal

Comments

Please log in to comment.

Notebook
Last updated 4 years, 2 months ago

This notebook uses data exported from iMoodJournal, a mobile app for mood tracking.

Note from Mad: I created this notebook analyze my mood relative to a series of specific, repeated events: testosterone injections. Testosterone is believed to have an effect on mood; transfolk report low/bad mood associated with lower testosterone before injection, and higher/better moods shortly afterwards. I started testosterone a couple months ago, in August 2019, and I've been tracking my mood using iMoodJournal since May 2019.

Via data uploaded to Open Humans

You can read more and upload data here:

Via datafile uploaded to Jupyter server

You can also run this on files uploaded to your Jupyter server directly by modifying the code below.

Get packages and load data

Information about the code is provided for anyone that's interested.

To start, the code below imports packages this notebook uses.

Then, get a list of all available data on Open Humans.

Next, search that data for a datafile that matches the iMoodJournal DataType (id=20) and Medication Log CSV DataType (id=25). (Or, if you have local files, load these directly.)

If this fails, one may need to go back to the top of this notebook and follow instructions for adding this data. Once that's done, it's necessary to run the code above to refresh the file list.

If successful, the file data is loaded into pandas dataframes for mood and medication.

In order to organize and access the data according to timepoints, the code below combines information across columns to create a single index column DateTime with the pandas datetime format.

Finally, I process the medication file data.

Graphs!

First, let's start with a plot of the full time period to show all mood levels and injections over time.

This isn't very informative, but we can try to see if there's been a general change since starting T.

If testosterone is affecting my mood, I expect the strongest "signal" to occur shortly after injection.

Let's calculate and plot mood levels relative to each injection. To do that, I've decided to make a general solution that can be re-used…

Here's a generic function to examine data relative to repeated events.

Graph mood vs. injection times

My first effort used an averaging window of 8. This seemed very noisy.

But increasing the window size to 40: I do seem to see a mood increase in the day after injection?

Is this just a weekly rhythm?

My injections are weekly. While I try to shift them over the course of months, what if I simply have lower moods in a weekly pattern (e.g. on the weekends), might that explain this pattern?

One way to check is to shift my injections around the week and continue collecting data. I've tried that, but the artifact might still be present.

Another is to check if I see the same pattern if I map moods against the start of each week – I can re-use my function to do this right away, by mapping against the start of Monday each week.

Conclusions

I'm leaning towards believing there really is a shift!

Initially I thought "no pattern": I'm very skeptical and cautious of making inferences from data, my experience in research has taught me there are many confounders and false leads.

But with a sufficiently large averaging window, there seems to be a genuine change to the average data. Also, the one confounder I expected – a weekly pattern – doesn't seem to explain the pattern.

If testosterone is affecting my mood, I expect the strongest "signal" to occur shortly after injection.

Thank you

Many thanks to Eric Jain and Bastian Greshake Tzovaras, whose feedback was brief but sufficient to nudge me to revisit the analysis (twice now!) to add (a) a larger averaging window, and (b) check the weekly patterns.

Code license and re-use

This notebook is released by its creator, Mad Price Ball, as public domain under a CC0 waiver. Full legal text of CC0 is available here: https://creativecommons.org/publicdomain/zero/1.0/legalcode

But if you do re-use it, it's always nice to get a shout out and hear back from folks. ;)

Notebook
Last updated 4 years, 2 months ago

This notebook uses data exported from iMoodJournal, a mobile app for mood tracking.

Note from Mad: I created this notebook analyze my mood relative to a series of specific, repeated events: testosterone injections. Testosterone is believed to have an effect on mood; transfolk report low/bad mood associated with lower testosterone before injection, and higher/better moods shortly afterwards. I started testosterone a couple months ago, in August 2019, and I've been tracking my mood using iMoodJournal since May 2019.

Via data uploaded to Open Humans

You can read more and upload data here:

Via datafile uploaded to Jupyter server

You can also run this on files uploaded to your Jupyter server directly by modifying the code below.

In [1]:
# Set this to "True" and edit filenames to match uploaded files.

local_files = False
mood_csv_filename = "mood-Jan 23, 2020.csv"
medication_csv_filename = "medication logs.csv"

Get packages and load data

Information about the code is provided for anyone that's interested.

To start, the code below imports packages this notebook uses.

In [2]:
from datetime import datetime, timedelta
import re
import io
import os

import arrow
import pandas
import numpy as np
from matplotlib import pyplot
import ohapi
import requests
import seaborn

Then, get a list of all available data on Open Humans.

In [3]:
token = os.environ.get('OH_ACCESS_TOKEN')
user = ohapi.api.exchange_oauth2_member(token)

Next, search that data for a datafile that matches the iMoodJournal DataType (id=20) and Medication Log CSV DataType (id=25). (Or, if you have local files, load these directly.)

If this fails, one may need to go back to the top of this notebook and follow instructions for adding this data. Once that's done, it's necessary to run the code above to refresh the file list.

If successful, the file data is loaded into pandas dataframes for mood and medication.

In [4]:
if not local_files:
    mood_log = [x for x in user['data'] if
                'https://www.openhumans.org/api/public/datatype/20/'
                in x['datatypes']][-1]
    raw_data_mood = requests.get(mood_log['download_url']).content
    mood = pandas.read_csv(io.StringIO(raw_data_mood.decode('utf-8')), index_col=False)

    medication_log = [x for x in user['data'] if
                      'https://www.openhumans.org/api/public/datatype/25/'
                      in x['datatypes']][-1]
    raw_data_medication = requests.get(medication_log['download_url']).content
    medication = pandas.read_csv(io.StringIO(raw_data_medication.decode('utf-8')), index_col=False)

else:
    mood = pandas.read_csv(open(mood_csv_filename), index_col=False)
    medication = pandas.read_csv(open(medication_csv_filename), index_col=False)

medication = medication.rename(columns={"Datetime": "DateTime"})

In order to organize and access the data according to timepoints, the code below combines information across columns to create a single index column DateTime with the pandas datetime format.

In [5]:
# Trying to parse different date formats (iMoodJournal export is inconsistent!)...
def get_isoformat(string):
    options = ['MMM D, YYYY H m', 'D. MMM YYYY H m']
    err = None
    for fmt in options:
        try:
            return arrow.get(string, fmt).isoformat()
        except Exception as e:
            err = e
            continue
    raise e

mood['DateTime'] = pandas.to_datetime(
    (mood['Date'] + " " + mood['Hour'].map(str) + ' ' + mood['Minute'].map(str)).map(
        lambda x: get_isoformat(x)
    ))
mood = mood.set_index('DateTime')

Finally, I process the medication file data.

In [6]:
medication['DateTime'] = pandas.to_datetime(medication['DateTime'])
medication['Amount'] = medication['Amount'].map(lambda x: int(re.match('([0-9]+)', x).groups()[0]))
medication = medication.set_index('DateTime')

Graphs!

First, let's start with a plot of the full time period to show all mood levels and injections over time.

This isn't very informative, but we can try to see if there's been a general change since starting T.

In [7]:
seaborn.set(rc={'figure.figsize':(11, 4)})

combined_data = pandas.concat([mood, medication], sort=True)
combined_data['Level'].plot(linewidth=1, style=".")
combined_data['Amount'].plot(style="o", secondary_y=True)
pyplot.show()

If testosterone is affecting my mood, I expect the strongest "signal" to occur shortly after injection.

Let's calculate and plot mood levels relative to each injection. To do that, I've decided to make a general solution that can be re-used…

Here's a generic function to examine data relative to repeated events.

In [8]:
def overlay_and_aggregate(df, events, field, before=4, after=4, rolling_avg_n=40):
    """
    Overlay and aggregate numeric data from a DateTime indexed dataframe and list of events.

    Inputs:
    - df: DateTime indexed dataframe
    - events: list of DateTimes
    - field: field with numeric values in df for overlay and aggregate
    - before (default: 7): number of days before each event to graph
    - after (default: 7): number of days after each event to graph
    - rolling_avg_n (default: 30): number of datapoints to combine for
        rolling average across all events
    """
    all_rel_times = {}
    idx = 0
    for event in events:
        rel_times = []
        amounts = []
        for dt in df.index:
            diff = arrow.get(dt) - arrow.get(event)
            if diff < timedelta(days=after) and diff > timedelta(days=-before):
                diff_days = diff.days + diff.seconds/(24 * 60 * 60)
                rel_times.append(diff_days)
                amounts.append(df[field][dt])
        all_rel_times[event.isoformat()] = pandas.DataFrame(
            {'Relative time (days)': rel_times, field: amounts}
        ).set_index('Relative time (days)', drop=False)

    combined_data = pandas.DataFrame({'Relative time (days)': [], 'Level': []})
    for key in all_rel_times.keys():
        all_rel_times[key][field].plot(x='Relative time', style=".")
        combined_data = pandas.concat([combined_data, all_rel_times[key]], sort=True)

    combined_data = combined_data.sort_values('Relative time (days)')
    combined_data['average'] = combined_data.iloc[:,0].rolling(window=rolling_avg_n).mean()
    plot = combined_data['average'].plot(style=':', color='darkred')
    return plot

Graph mood vs. injection times

My first effort used an averaging window of 8. This seemed very noisy.

In [9]:
plot = overlay_and_aggregate(mood, medication.index, 'Level', rolling_avg_n=8)
plot = plot.set_ylabel("Mood level")

But increasing the window size to 40: I do seem to see a mood increase in the day after injection?

In [10]:
plot = overlay_and_aggregate(mood, medication.index, 'Level', rolling_avg_n=60)
plot = plot.set_ylabel("Mood level")

Is this just a weekly rhythm?

My injections are weekly. While I try to shift them over the course of months, what if I simply have lower moods in a weekly pattern (e.g. on the weekends), might that explain this pattern?

One way to check is to shift my injections around the week and continue collecting data. I've tried that, but the artifact might still be present.

Another is to check if I see the same pattern if I map moods against the start of each week – I can re-use my function to do this right away, by mapping against the start of Monday each week.

In [11]:
start_date = min(medication.index)
end_date = max(mood.index)
first_monday = arrow.get(start_date).floor("week").shift(days=1).floor("day")

week_starts = [a.datetime for a in arrow.Arrow.range("week", first_monday, end_date)]

plot = overlay_and_aggregate(mood, week_starts, 'Level', rolling_avg_n=40)
plot = plot.set_ylabel("Mood level")

Conclusions

I'm leaning towards believing there really is a shift!

Initially I thought "no pattern": I'm very skeptical and cautious of making inferences from data, my experience in research has taught me there are many confounders and false leads.

But with a sufficiently large averaging window, there seems to be a genuine change to the average data. Also, the one confounder I expected – a weekly pattern – doesn't seem to explain the pattern.

If testosterone is affecting my mood, I expect the strongest "signal" to occur shortly after injection.

Thank you

Many thanks to Eric Jain and Bastian Greshake Tzovaras, whose feedback was brief but sufficient to nudge me to revisit the analysis (twice now!) to add (a) a larger averaging window, and (b) check the weekly patterns.

Code license and re-use

This notebook is released by its creator, Mad Price Ball, as public domain under a CC0 waiver. Full legal text of CC0 is available here: https://creativecommons.org/publicdomain/zero/1.0/legalcode

But if you do re-use it, it's always nice to get a shout out and hear back from folks. ;)