Skip to content

Parser

apple_health_parser.utils.parser.Parser

Bases: Loader

Parser class to parse the Apple Health export file.

Subclass of the Loader class which extracts the export.zip file and logs metadata.

Source code in apple_health_parser/utils/parser.py
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
class Parser(Loader):
    """
    Parser class to parse the Apple Health export file.

    Subclass of the Loader class which extracts the export.zip file and logs metadata.
    """

    def __init__(
        self,
        export_file: str | Path,
        output_dir: str | Path = "data",
        verbose: bool = False,
        overwrite: bool | None = None,
    ) -> None:
        """
        Initialize the Parser class with the path to the export.zip file.

        Args:
            export_file (str): Path to the export.zip file
            output_dir (str): Directory to export the parsed data to, defaults to "data"
            verbose (bool): Flag to enable verbose logging, defaults to False
            overwrite (bool, optional): Flag to overwrite the existing data, defaults to None
        """
        if verbose is False:
            logger.propagate = False

        self.xml_file = self.extract_zip(
            zip_file=export_file, output_dir=output_dir, overwrite=overwrite
        )
        self.records = self._get_records()
        self.sources = self.get_sources()

    @timeit
    def _get_records(self) -> dict[str, list[ET.Element]]:
        """
        Get records from the Apple Health export file.
        The records are grouped by flags as keys and list of records as values.

        Returns:
            dict[str, list[ET.Element]]: Records from the export.xml file
        """
        data = self.read_xml(self.xml_file)

        self.flags = self._get_flags(data)
        records = {
            flag: [rec for rec in data if rec.attrib["type"] == flag]
            for flag in self.flags
        }

        record_count = sum(len(rec) for rec in records.values())
        logger.info(
            f"Processed {len(records.keys())} flags with {record_count:,} records"
        )

        return records

    def _get_flags(self, data: list[ET.Element]) -> list[str]:
        """
        Get flags from the Apple Health records.

        Args:
            data (list[ET.Element]): List of records from the export.xml file

        Returns:
            list[str]: Sorted list of flags
        """
        return sorted({rec.attrib["type"] for rec in data})

    def _build_models(self, flag: str) -> list:
        """
        Build models from the records based on the flag.

        Args:
            flag (str): Flag to parse the records

        Returns:
            list: List of models based on the flag
        """
        logger.info(f"Parsing records with flag: {click.style(flag, fg='magenta')}")

        if flag not in self.flags:
            raise InvalidFlag(flag, self.flags)

        # Heart rate records have additional metadata (motionContext)
        if flag == "HKQuantityTypeIdentifierHeartRate":
            return [
                HeartRateData(
                    **{
                        **rec.attrib,
                        **{"motionContext": rec.find("MetadataEntry").attrib["value"]},
                    }
                )
                for rec in self.records[flag]
            ]
        else:
            return [HealthData(**rec.attrib) for rec in self.records[flag]]

    def _get_dates(self, models: list) -> set[date]:
        """
        Get unique month and year combinations from the models.

        Args:
            models (list): List of models

        Returns:
            set[datetime.date]: Set of dates (year, month, day)
        """
        return {rec.start_date.date for rec in models}

    def _map_record_keys_to_flags(self) -> dict[str, set]:
        """
        Map record keys (e.g. `unit`, `value`, `creationDate`) for each flag.

        For example:

        ```python
        HKCategoryTypeIdentifierAppleStandHour         {('type', 'sourceName', 'sourceVersion', 'device', ...)}
        HKCategoryTypeIdentifierAudioExposureEvent     {('type', 'sourceName', 'sourceVersion', 'device', ...)}
        HKDataTypeSleepDurationGoal                    {('type', 'sourceName', 'sourceVersion', 'unit', ...)}
        HKQuantityTypeIdentifierActiveEnergyBurned     {('type', 'sourceName', 'sourceVersion', 'device', ...)}
        ```

        Returns:
            dict[str, set]: Dictionary with flags as keys and set of record keys as values
        """
        return {
            flag: {tuple(rec.attrib.keys()) for rec in self.records[flag]}
            for flag in self.flags
        }

    @timeit
    def get_flag_records(
        self, flag: str | list[str]
    ) -> ParsedData | dict[str, ParsedData]:
        """
        Get parsed data based on the given flag.

        Args:
            flag (str | list[str]): Flag to parse the records (e.g., `"HKQuantityTypeIdentifierHeartRate"`)

        Returns:
            ParsedData | dict[str, ParsedData]: Parsed data based on the flag(s)
        """

        def _get_parsed_data(flag: str) -> ParsedData:
            sources = self.get_sources(flag=flag)
            models = self._build_models(flag=flag)
            dates = self._get_dates(models=models)
            records = pd.DataFrame([model.model_dump() for model in models])
            return ParsedData(flag=flag, sources=sources, dates=dates, records=records)

        if isinstance(flag, str):
            return _get_parsed_data(flag=flag)

        elif isinstance(flag, list):
            return {f: _get_parsed_data(flag=f) for f in flag}

    def get_sources(self, flag: str | None = None) -> list[str] | dict[str, list[str]]:
        """
        Get sources for each flag or for a given flag.

        Args:
            flag (str, optional): Get sources for the given flag, defaults to None

        Returns:
            list[str] | dict[str, list[str]]: Dictionary with flags as keys and list of sources as values
        """
        if flag:
            return sorted({rec.attrib["sourceName"] for rec in self.records[flag]})
        else:
            return {
                flag: sorted({rec.attrib["sourceName"] for rec in self.records[flag]})
                for flag in self.flags
            }

    @staticmethod
    def write_csv(data: ParsedData, filename: str) -> None:
        """
        Write the parsed data to a CSV file.

        Args:
            data (ParsedData): Parsed data to write to CSV file
            filename (str): Filename to write the data

        Raises:
            RecordsMissing: No records to write to CSV file
            FileTypeInvalid: File type is incorrect
        """
        if data.records is None:
            raise MissingRecords

        filepath = Path(filename)
        if filepath.suffix != ".csv":
            raise InvalidFileFormat(filepath.suffix)

        data.records.to_csv(filepath, index=False)
        logger.info(f"Parsed data written to {filepath}")

    @timeit
    def export(self, dir_name: str) -> None:
        """
        Export all parsed data to multiple CSV files.

        Args:
            dir_name (str): Directory name to export the CSV files
        """
        export_dir = Path(dir_name)
        export_dir.mkdir(exist_ok=True)

        logger.info(f"Exporting parsed data to {export_dir}...")

        for n, flag in enumerate(self.flags):
            try:
                parsed = self.get_flag_records(flag=flag)
            except:
                logger.error(f"Error parsing {flag=}")
                continue

            filename = f"{dir_name}/{flag}.csv"
            self.write_csv(data=parsed, filename=filename)

            logger.info(f"Exported {n+1}/{len(self.flags)} flags to {filename}")

__init__(export_file, output_dir='data', verbose=False, overwrite=None)

Initialize the Parser class with the path to the export.zip file.

Parameters:

Name Type Description Default
export_file str

Path to the export.zip file

required
output_dir str

Directory to export the parsed data to, defaults to "data"

'data'
verbose bool

Flag to enable verbose logging, defaults to False

False
overwrite bool

Flag to overwrite the existing data, defaults to None

None
Source code in apple_health_parser/utils/parser.py
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
def __init__(
    self,
    export_file: str | Path,
    output_dir: str | Path = "data",
    verbose: bool = False,
    overwrite: bool | None = None,
) -> None:
    """
    Initialize the Parser class with the path to the export.zip file.

    Args:
        export_file (str): Path to the export.zip file
        output_dir (str): Directory to export the parsed data to, defaults to "data"
        verbose (bool): Flag to enable verbose logging, defaults to False
        overwrite (bool, optional): Flag to overwrite the existing data, defaults to None
    """
    if verbose is False:
        logger.propagate = False

    self.xml_file = self.extract_zip(
        zip_file=export_file, output_dir=output_dir, overwrite=overwrite
    )
    self.records = self._get_records()
    self.sources = self.get_sources()

export(dir_name)

Export all parsed data to multiple CSV files.

Parameters:

Name Type Description Default
dir_name str

Directory name to export the CSV files

required
Source code in apple_health_parser/utils/parser.py
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
@timeit
def export(self, dir_name: str) -> None:
    """
    Export all parsed data to multiple CSV files.

    Args:
        dir_name (str): Directory name to export the CSV files
    """
    export_dir = Path(dir_name)
    export_dir.mkdir(exist_ok=True)

    logger.info(f"Exporting parsed data to {export_dir}...")

    for n, flag in enumerate(self.flags):
        try:
            parsed = self.get_flag_records(flag=flag)
        except:
            logger.error(f"Error parsing {flag=}")
            continue

        filename = f"{dir_name}/{flag}.csv"
        self.write_csv(data=parsed, filename=filename)

        logger.info(f"Exported {n+1}/{len(self.flags)} flags to {filename}")

get_flag_records(flag)

Get parsed data based on the given flag.

Parameters:

Name Type Description Default
flag str | list[str]

Flag to parse the records (e.g., "HKQuantityTypeIdentifierHeartRate")

required

Returns:

Type Description
ParsedData | dict[str, ParsedData]

ParsedData | dict[str, ParsedData]: Parsed data based on the flag(s)

Source code in apple_health_parser/utils/parser.py
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
@timeit
def get_flag_records(
    self, flag: str | list[str]
) -> ParsedData | dict[str, ParsedData]:
    """
    Get parsed data based on the given flag.

    Args:
        flag (str | list[str]): Flag to parse the records (e.g., `"HKQuantityTypeIdentifierHeartRate"`)

    Returns:
        ParsedData | dict[str, ParsedData]: Parsed data based on the flag(s)
    """

    def _get_parsed_data(flag: str) -> ParsedData:
        sources = self.get_sources(flag=flag)
        models = self._build_models(flag=flag)
        dates = self._get_dates(models=models)
        records = pd.DataFrame([model.model_dump() for model in models])
        return ParsedData(flag=flag, sources=sources, dates=dates, records=records)

    if isinstance(flag, str):
        return _get_parsed_data(flag=flag)

    elif isinstance(flag, list):
        return {f: _get_parsed_data(flag=f) for f in flag}

get_sources(flag=None)

Get sources for each flag or for a given flag.

Parameters:

Name Type Description Default
flag str

Get sources for the given flag, defaults to None

None

Returns:

Type Description
list[str] | dict[str, list[str]]

list[str] | dict[str, list[str]]: Dictionary with flags as keys and list of sources as values

Source code in apple_health_parser/utils/parser.py
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
def get_sources(self, flag: str | None = None) -> list[str] | dict[str, list[str]]:
    """
    Get sources for each flag or for a given flag.

    Args:
        flag (str, optional): Get sources for the given flag, defaults to None

    Returns:
        list[str] | dict[str, list[str]]: Dictionary with flags as keys and list of sources as values
    """
    if flag:
        return sorted({rec.attrib["sourceName"] for rec in self.records[flag]})
    else:
        return {
            flag: sorted({rec.attrib["sourceName"] for rec in self.records[flag]})
            for flag in self.flags
        }

write_csv(data, filename) staticmethod

Write the parsed data to a CSV file.

Parameters:

Name Type Description Default
data ParsedData

Parsed data to write to CSV file

required
filename str

Filename to write the data

required

Raises:

Type Description
RecordsMissing

No records to write to CSV file

FileTypeInvalid

File type is incorrect

Source code in apple_health_parser/utils/parser.py
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
@staticmethod
def write_csv(data: ParsedData, filename: str) -> None:
    """
    Write the parsed data to a CSV file.

    Args:
        data (ParsedData): Parsed data to write to CSV file
        filename (str): Filename to write the data

    Raises:
        RecordsMissing: No records to write to CSV file
        FileTypeInvalid: File type is incorrect
    """
    if data.records is None:
        raise MissingRecords

    filepath = Path(filename)
    if filepath.suffix != ".csv":
        raise InvalidFileFormat(filepath.suffix)

    data.records.to_csv(filepath, index=False)
    logger.info(f"Parsed data written to {filepath}")