Skip to content

parse_xml

autocorpus.parse_xml ¤

A script for running an XML parser version of Auto-CORPus.

This is still experimental and under development and is not part of the main too yet.

To use it run:

python -m autocorpus.parse_xml <path_to_directory_containing_xml_files>

Functions¤

convert_xml_to_json(path) ¤

This function takes a path to the XML file and convert it to BioC JSON.

Parameters:

Name Type Description Default
path

The path to the xml file.

required

Returns:

Type Description

A Dictionary in BioC format

Source code in autocorpus/parse_xml.py
 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
 245
 246
 247
 248
 249
 250
 251
 252
 253
 254
 255
 256
 257
 258
 259
 260
 261
 262
 263
 264
 265
 266
 267
 268
 269
 270
 271
 272
 273
 274
 275
 276
 277
 278
 279
 280
 281
 282
 283
 284
 285
 286
 287
 288
 289
 290
 291
 292
 293
 294
 295
 296
 297
 298
 299
 300
 301
 302
 303
 304
 305
 306
 307
 308
 309
 310
 311
 312
 313
 314
 315
 316
 317
 318
 319
 320
 321
 322
 323
 324
 325
 326
 327
 328
 329
 330
 331
 332
 333
 334
 335
 336
 337
 338
 339
 340
 341
 342
 343
 344
 345
 346
 347
 348
 349
 350
 351
 352
 353
 354
 355
 356
 357
 358
 359
 360
 361
 362
 363
 364
 365
 366
 367
 368
 369
 370
 371
 372
 373
 374
 375
 376
 377
 378
 379
 380
 381
 382
 383
 384
 385
 386
 387
 388
 389
 390
 391
 392
 393
 394
 395
 396
 397
 398
 399
 400
 401
 402
 403
 404
 405
 406
 407
 408
 409
 410
 411
 412
 413
 414
 415
 416
 417
 418
 419
 420
 421
 422
 423
 424
 425
 426
 427
 428
 429
 430
 431
 432
 433
 434
 435
 436
 437
 438
 439
 440
 441
 442
 443
 444
 445
 446
 447
 448
 449
 450
 451
 452
 453
 454
 455
 456
 457
 458
 459
 460
 461
 462
 463
 464
 465
 466
 467
 468
 469
 470
 471
 472
 473
 474
 475
 476
 477
 478
 479
 480
 481
 482
 483
 484
 485
 486
 487
 488
 489
 490
 491
 492
 493
 494
 495
 496
 497
 498
 499
 500
 501
 502
 503
 504
 505
 506
 507
 508
 509
 510
 511
 512
 513
 514
 515
 516
 517
 518
 519
 520
 521
 522
 523
 524
 525
 526
 527
 528
 529
 530
 531
 532
 533
 534
 535
 536
 537
 538
 539
 540
 541
 542
 543
 544
 545
 546
 547
 548
 549
 550
 551
 552
 553
 554
 555
 556
 557
 558
 559
 560
 561
 562
 563
 564
 565
 566
 567
 568
 569
 570
 571
 572
 573
 574
 575
 576
 577
 578
 579
 580
 581
 582
 583
 584
 585
 586
 587
 588
 589
 590
 591
 592
 593
 594
 595
 596
 597
 598
 599
 600
 601
 602
 603
 604
 605
 606
 607
 608
 609
 610
 611
 612
 613
 614
 615
 616
 617
 618
 619
 620
 621
 622
 623
 624
 625
 626
 627
 628
 629
 630
 631
 632
 633
 634
 635
 636
 637
 638
 639
 640
 641
 642
 643
 644
 645
 646
 647
 648
 649
 650
 651
 652
 653
 654
 655
 656
 657
 658
 659
 660
 661
 662
 663
 664
 665
 666
 667
 668
 669
 670
 671
 672
 673
 674
 675
 676
 677
 678
 679
 680
 681
 682
 683
 684
 685
 686
 687
 688
 689
 690
 691
 692
 693
 694
 695
 696
 697
 698
 699
 700
 701
 702
 703
 704
 705
 706
 707
 708
 709
 710
 711
 712
 713
 714
 715
 716
 717
 718
 719
 720
 721
 722
 723
 724
 725
 726
 727
 728
 729
 730
 731
 732
 733
 734
 735
 736
 737
 738
 739
 740
 741
 742
 743
 744
 745
 746
 747
 748
 749
 750
 751
 752
 753
 754
 755
 756
 757
 758
 759
 760
 761
 762
 763
 764
 765
 766
 767
 768
 769
 770
 771
 772
 773
 774
 775
 776
 777
 778
 779
 780
 781
 782
 783
 784
 785
 786
 787
 788
 789
 790
 791
 792
 793
 794
 795
 796
 797
 798
 799
 800
 801
 802
 803
 804
 805
 806
 807
 808
 809
 810
 811
 812
 813
 814
 815
 816
 817
 818
 819
 820
 821
 822
 823
 824
 825
 826
 827
 828
 829
 830
 831
 832
 833
 834
 835
 836
 837
 838
 839
 840
 841
 842
 843
 844
 845
 846
 847
 848
 849
 850
 851
 852
 853
 854
 855
 856
 857
 858
 859
 860
 861
 862
 863
 864
 865
 866
 867
 868
 869
 870
 871
 872
 873
 874
 875
 876
 877
 878
 879
 880
 881
 882
 883
 884
 885
 886
 887
 888
 889
 890
 891
 892
 893
 894
 895
 896
 897
 898
 899
 900
 901
 902
 903
 904
 905
 906
 907
 908
 909
 910
 911
 912
 913
 914
 915
 916
 917
 918
 919
 920
 921
 922
 923
 924
 925
 926
 927
 928
 929
 930
 931
 932
 933
 934
 935
 936
 937
 938
 939
 940
 941
 942
 943
 944
 945
 946
 947
 948
 949
 950
 951
 952
 953
 954
 955
 956
 957
 958
 959
 960
 961
 962
 963
 964
 965
 966
 967
 968
 969
 970
 971
 972
 973
 974
 975
 976
 977
 978
 979
 980
 981
 982
 983
 984
 985
 986
 987
 988
 989
 990
 991
 992
 993
 994
 995
 996
 997
 998
 999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
def convert_xml_to_json(path):
    """This function takes a path to the XML file and convert it to BioC JSON.

    Args:
        path: The path to the xml file.

    Returns:
        A Dictionary in BioC format
    """
    # Open the XML file located at the specified path
    with open(path, encoding="utf-8") as xml_file:
        # Read the contents of the XML file into a string
        text = xml_file.read()

    # Parse the XML content using BeautifulSoup with the 'lxml' parser
    soup = BeautifulSoup(text, features="xml")

    # Clean unwanted tags
    tags_to_remove = [
        "table-wrap",
        "table",
        "table-wrap-foot",
        "inline-formula",
        "fig",
        "graphic",
        "inline-graphic",
        "inline-supplementary-material",
        "media",
        "tex-math",
        "sub-article",
    ]
    for tag in tags_to_remove:
        for element in soup.find_all(tag):
            element.extract()

    # Set the source method description for tracking
    source_method = "Auto-CORPus (XML)"

    # Get the current date in the format 'YYYYMMDD'
    date = datetime.now().strftime("%Y%m%d")

    # Check if the text content, after replacing the any characters contained between < >, of the 'license-p' tag within the 'front' section is not 'None'
    if re.sub("<[^>]+>", "", str(soup.find("front").find("license-p"))) != "None":
        # Extract the content of the 'license-p' tag and remove all the characters between < and >
        license_xml = re.sub("<[^>]+>", "", str(soup.find("license-p")))

        # Replace Unicode escape sequences in the extracted license content with the helper function defines above
        license_xml = replace_unicode_escape(license_xml)

        # Remove excess spaces and newlines from the processed license content with the helper function defines above
        license_xml = replace_spaces_and_newlines(license_xml)
    else:
        # If the 'license-p' tag is not found or has no content, assign an empty string
        license_xml = ""

    # Check if an 'article-id' tag with the attribute 'pub-id-type' equal to 'pmid' exists in the soup
    ### no check for unicode or hexacode or XML tags
    if soup.find("article-id", {"pub-id-type": "pmid"}) is not None:
        # Extract the text content of the 'article-id' tag with 'pub-id-type' set to 'pmid'
        pmid_xml = soup.find("article-id", {"pub-id-type": "pmid"}).text
    else:
        # If the tag is not found, assign an empty string as the default value
        pmid_xml = ""

    # Check if an 'article-id' tag with the attribute 'pub-id-type' equal to 'pmcid' exists in the soup
    ### no check for unicode or hexacode or XML tags
    if soup.find("article-id", {"pub-id-type": "pmcid"}) is not None:
        # Extract the text content of the 'article-id' tag and prepend 'PMC' to it
        pmcid_xml = "PMC" + soup.find("article-id", {"pub-id-type": "pmcid"}).text
        # Old PMC files does not include PMC when the new ones include PMC
        pmcid_xml = pmcid_xml.replace("PMCPMC", "PMC")

        # Construct the PMC article URL using the extracted PMCID
        pmc_link = f"https://www.ncbi.nlm.nih.gov/pmc/articles/{pmcid_xml}/"
    else:
        # If the tag is not found, assign default empty strings for both variables
        pmcid_xml = ""
        pmc_link = ""

    # Check if an 'article-id' tag with the attribute 'pub-id-type' equal to 'doi' exists in the soup
    ### no check for unicode or hexacode or XML tags
    if soup.find("article-id", {"pub-id-type": "doi"}) is not None:
        # Extract the text content of the 'article-id' tag with 'pub-id-type' set to 'doi'
        doi_xml = soup.find("article-id", {"pub-id-type": "doi"}).text
    else:
        # If the tag is not found, assign an empty string to the 'doi_xml' variable
        doi_xml = ""

    # Check if the 'journal-title' tag exists within 'front', and if it contains valid text i.e. not none after removing the character present between < and > to remove XML tag from the content
    ### no check for unicode or hexacode
    if re.sub("<[^>]+>", "", str(soup.find("front").find("journal-title"))) != "None":
        # If valid text exists, remove XML tags and extract the content
        journal_xml = re.sub("<[^>]+>", "", str(soup.find("journal-title")))
    else:
        # If the tag is not found or contains no text, assign an empty string
        journal_xml = ""

    # Check if the 'subject' tag exists within 'article-categories', and if it contains valid text i.e. not none after removing the character present between < and > to remove XML tag from the content
    if (
        re.sub("<[^>]+>", "", str(soup.find("article-categories").find("subject")))
        != "None"
    ):
        # If valid text exists, remove XML tags and extract the content
        pub_type_xml = re.sub("<[^>]+>", "", str(soup.find("subject")))
    else:
        # If the tag is not found or contains no text, assign an empty string
        pub_type_xml = ""

    # Check if the 'accepted' date is found within 'date', and if it contains a 'year' tag
    ### no check for unicode or hexacode or XML tags
    if soup.find("date", {"date-type": "accepted"}) is not None:
        if soup.find("date", {"date-type": "accepted"}).find("year") is not None:
            # Extract the text content of the 'year' tag if found
            year_xml = soup.find("date", {"date-type": "accepted"}).find("year").text
        else:
            # If 'year' is missing, assign an empty string
            year_xml = ""
    else:
        # If 'accepted' date is missing, assign an empty string
        year_xml = ""

    # Initialize variables to store the offset, text, and tag-related information
    offset = 0
    offset_list = []
    text_list = []
    tag_title = []
    tag_subtitle = []

    # Check if the 'article-title' tag exists and contains valid text i.e. not none after removing the character present between < and > to remove XML tag from the content
    if re.sub("<[^>]+>", "", str(soup.find("article-title"))) != "None":
        # If valid text exists, remove XML tags and append it to text_list
        # > and <, some other special character, are actually present in the title they would be converted to their 'human' form, unicode and hexacode is check later
        text_list.append(re.sub("<[^>]+>", "", str(soup.find("article-title"))))
        # Append corresponding titles for the tag
        tag_title.append(["document title"])
        tag_subtitle.append(["document title"])

    # Check if the 'kwd-group' (keyword) tag exists and contains valid text i.e. not none after removing the character present between < and > to remove XML tag from the content
    kwd_groups = soup.find_all("kwd-group")  # Store result to avoid repeated calls
    for kwd in kwd_groups:
        # Skip kwd-group if xml:lang is present and not 'en'
        if kwd.has_attr("xml:lang") and kwd["xml:lang"] != "en":
            continue
        # Find the title (if it exists)
        title_tag = kwd.find("title")
        if title_tag is None:
            # Extract text from each <kwd>, ensuring inline elements stay together
            kwd_texts = [
                kwd_item.get_text(separator="", strip=True)
                for kwd_item in kwd.find_all("kwd")
            ]

            # Join <kwd> elements with "; " while keeping inline formatting intact
            remaining_text = "; ".join(kwd_texts)

            if remaining_text:
                tag_title.append(["Keywords"])
                tag_subtitle.append(["Keywords"])
                text_list.append(
                    str(remaining_text)
                )  # Print remaining content only if it exists
        else:
            if "abbr" not in title_tag.text.lower():
                # Extract text from each <kwd>, ensuring inline elements stay together
                kwd_texts = [
                    kwd_item.get_text(separator="", strip=True)
                    for kwd_item in kwd.find_all("kwd")
                ]

                # Join <kwd> elements with "; " while keeping inline formatting intact
                remaining_text = "; ".join(kwd_texts)

                # If a title exists, remove it from the remaining text
                if title_tag:
                    title_text = title_tag.get_text(strip=True)
                    remaining_text = remaining_text.replace(title_text, "", 1).strip()

                if remaining_text:
                    tag_title.append(["Keywords"])
                    tag_subtitle.append([str(title_tag.text)])
                    text_list.append(
                        str(remaining_text)
                    )  # Print remaining content only if it exists

    # Check if the 'abstract' tag exists and contains valid text (stripping XML tags if there any text left)
    # ALL ABSTRACT CODE: Special characters, i.e. < and >, are converted to human form and unicode and hexacode is replaced later
    if re.sub("<[^>]+>", "", str(soup.find("abstract"))) != "None":
        # If there is only one 'abstract' tag (often would be at the form of unstructured abstract)
        if len(soup.find_all("abstract")) == 1:
            # Check if the 'abstract' tag contains any 'title' elements (if 1 unstructured otherwise might be structured)
            if len(soup.find("abstract").find_all("title")) > 0:
                # Iterate over each 'title' found in the 'abstract' tag (create the passages with different abstract heading i.e structuring the abstract)
                for title in soup.find("abstract").find_all("title"):
                    title_text = title.text
                    p_tags = []

                    # Find all sibling 'p' (paragraph) tags following the title (merging the text with the same title)
                    next_sibling = title.find_next_sibling("p")
                    while (
                        next_sibling and next_sibling.name == "p"
                    ):  # Check for 'p' elements
                        p_tags.append(next_sibling)
                        next_sibling = next_sibling.find_next_sibling()  # Get next sibling until no more then None and leave the while loop

                    # Append the text of each 'p' tag to 'text_list' and assign titles/subtitles
                    for p_tag in p_tags:
                        tag_title.append(["Abstract"])
                        tag_subtitle.append(
                            [title_text]
                        )  # Title text from the 'title' tag
                        text_list.append(
                            p_tag.text
                        )  # Content of the 'p' tag (paragraph)

            else:
                # If no 'title' elements are found within the 'abstract', store the whole abstract text (100% unstructured abstract from publisher XML tags)
                text_list.append(str(re.sub("<[^>]+>", "", str(soup.abstract))))
                tag_title.append(["Abstract"])
                tag_subtitle.append(["Abstract"])

        # If there are multiple 'abstract' tags (structured abstract from the XML markup)
        elif len(soup.find_all("abstract")) > 1:
            # Iterate through all 'abstract' tags
            for notes in soup.find_all("abstract"):
                # Check if the 'abstract' tag contains any 'title' elements
                if len(notes.find_all("title")) > 0:
                    # Iterate over each 'title' found in the 'abstract' tag
                    for title in notes.find_all("title"):
                        title_text = title.text
                        p_tags = []

                        # Find all sibling 'p' (paragraph) tags following the title (merging the text with the same title)
                        next_sibling = title.find_next_sibling("p")
                        while (
                            next_sibling and next_sibling.name == "p"
                        ):  # Check for 'p' elements
                            p_tags.append(next_sibling)
                            next_sibling = next_sibling.find_next_sibling()  # Get next sibling until no more then None and leave the while loop

                        # Append the text of each 'p' tag to 'text_list' and assign titles/subtitles
                        for p_tag in p_tags:
                            tag_title.append(["Abstract"])
                            tag_subtitle.append(
                                [title_text]
                            )  # Title text from the 'title' tag
                            text_list.append(
                                p_tag.text
                            )  # Content of the 'p' tag (paragraph)

                else:
                    # If no 'title' elements are found, just append the whole 'abstract' text (becomes multiple pasages without structure)
                    text_list.append(notes)
                    tag_title.append(["Abstract"])
                    tag_subtitle.append(["Abstract"])

        else:
            # If there is no abstract or it doesn't match any conditions, do nothing
            pass

    ############### <p> outside of <sec>
    output_p = []  # Store the result for all documents

    with open(path, encoding="utf-8") as xml_file:
        text = xml_file.read()
        soup3 = BeautifulSoup(text, features="xml")

    # Clean unwanted tags
    tags_to_remove = [
        "table-wrap",
        "table",
        "table-wrap-foot",
        "inline-formula",
        "front",
        "back",
        "fig",
        "graphic",
        "inline-graphic",
        "inline-supplementary-material",
        "media",
        "tex-math",
        "sub-article",
        "def-list",
        "notes",
    ]
    for tag in tags_to_remove:
        for element in soup3.find_all(tag):
            element.extract()

    # Extract body
    body = soup3.body
    if not body:
        return

    # Identify all paragraphs inside and outside <sec>
    all_p_in_body = body.find_all("p")

    # Identify paragraphs inside <sec> and <boxed-text> to avoid duplication
    p_inside_sections = set()
    p_inside_boxed = set()

    for sec in body.find_all("sec"):
        p_inside_sections.update(sec.find_all("p"))

    for boxed in body.find_all("boxed-text"):
        p_inside_boxed.update(boxed.find_all("p"))

    # Filter paragraphs outside <sec> and <boxed-text>
    p_outside = [
        p
        for p in all_p_in_body
        if p not in p_inside_sections and p not in p_inside_boxed
    ]

    # Generate pairs without duplication
    pairs = []
    prev_group = []
    next_group = []

    i = 0
    while i < len(p_outside):
        next_group = []

        # Aggregate consecutive outside paragraphs
        while i < len(p_outside):
            next_group.append(p_outside[i])
            # Check if the next paragraph is also outside <sec> and <boxed-text>
            if (
                i + 1 < len(p_outside)
                and all_p_in_body.index(p_outside[i + 1])
                == all_p_in_body.index(p_outside[i]) + 1
            ):
                i += 1
            else:
                break
        i += 1

        # Append the pair
        pairs.append([prev_group, next_group])

        # Prepare for the next iteration
        prev_group = next_group

    # Store the result for the current file
    output_p.append({"file": str(path), "pairs": pairs})

    # Print the result
    for doc in output_p:
        if len(doc["pairs"]) == 1 and doc["pairs"][0][0] == []:
            current_intro_list = []
            for i in range(len(doc["pairs"][0][1])):
                if (
                    "boxed-text" not in str(doc["pairs"][0][1])
                    and len(doc["pairs"][0][1]) == 1
                    and "</sec>" not in str(doc["pairs"][0][1])
                ):
                    doc["pairs"][0][1][i] = re.sub(
                        "<p[^>]*>", "<p>", str(doc["pairs"][0][1][i])
                    )
                    for j in range(len(doc["pairs"][0][1][i].split("<p>"))):
                        # Check if the current section (split by <p>) is not empty after removing </p> tags
                        if (
                            doc["pairs"][0][1][i].split("<p>")[j].replace("</p>", "")
                            != ""
                        ):
                            # Remove all tags from the current p text from the current item of the text_list
                            new_text = str(
                                re.sub(
                                    "<[^>]+>",
                                    "",
                                    str(doc["pairs"][0][1][i].split("<p>")[j]),
                                )
                            )
                            # Replace unicode and hexacode, using the function introduced above
                            new_text = replace_unicode_escape(new_text)
                            # Replace spaces and newlines, using the function introduced above
                            new_text = replace_spaces_and_newlines(new_text)
                            # Clean up special characters
                            # Replace </p> with an empty string (### not sure it's necessary anymore) and handle XML entities like <, >, &, ', and "
                            new_text = (
                                new_text.replace("</p>", "")
                                .replace("&lt;", "<")
                                .replace("&gt;", ">")
                                .replace("&amp;", "&")
                                .replace("&apos;", "'")
                                .replace("&quot;", '"')
                            )

                            if len(new_text) < 6:
                                pass
                            else:
                                current_intro_list.append(new_text)

                                # Update the offset list (keeps track of the position in the document)
                                # offset_list.append(offset)

                                # Increment the offset by the length of the new text + 1 (for spacing or next content)
                                # offset += len(new_text) + 1
                        else:
                            # If the current section is empty after removing </p>, skip it
                            pass

                elif (
                    "boxed-text" not in str(doc["pairs"][0][1])
                    and len(doc["pairs"][0][1]) > 1
                    and "</sec>" not in str(doc["pairs"][0][1])
                ):
                    doc["pairs"][0][1][i] = re.sub(
                        "<p[^>]*>", "<p>", str(doc["pairs"][0][1][i])
                    )
                    for j in range(len(doc["pairs"][0][1][i].split("<p>"))):
                        # Check if the current section (split by <p>) is not empty after removing </p> tags
                        if (
                            doc["pairs"][0][1][i].split("<p>")[j].replace("</p>", "")
                            != ""
                        ):
                            # Remove all tags from the current p text from the current item of the text_list
                            new_text = str(
                                re.sub(
                                    "<[^>]+>",
                                    "",
                                    str(doc["pairs"][0][1][i].split("<p>")[j]),
                                )
                            )
                            # Replace unicode and hexacode, using the function introduced above
                            new_text = replace_unicode_escape(new_text)
                            # Replace spaces and newlines, using the function introduced above
                            new_text = replace_spaces_and_newlines(new_text)
                            # Clean up special characters
                            # Replace </p> with an empty string (### not sure it's necessary anymore) and handle XML entities like <, >, &, ', and "
                            new_text = (
                                new_text.replace("</p>", "")
                                .replace("&lt;", "<")
                                .replace("&gt;", ">")
                                .replace("&amp;", "&")
                                .replace("&apos;", "'")
                                .replace("&quot;", '"')
                            )

                            if len(new_text) < 6:
                                pass
                            else:
                                current_intro_list.append(new_text)

                                # Update the offset list (keeps track of the position in the document)
                                # offset_list.append(offset)

                                # Increment the offset by the length of the new text + 1 (for spacing or next content)
                                # offset += len(new_text) + 1
                        else:
                            # If the current section is empty after removing </p>, skip it
                            pass
                else:
                    if (
                        "<caption>" in str(doc["pairs"][0][1][i])
                        and len(doc["pairs"][0][1]) == 1
                    ):
                        if "</sec>" in str(doc["pairs"][0][1][i]):
                            for j in range(
                                len(
                                    str(doc["pairs"][0][1][i])
                                    .split("</caption>")[-1]
                                    .split("</sec>")
                                )
                                - 1
                            ):
                                if (
                                    re.sub(
                                        "<[^>]+>",
                                        "",
                                        str(doc["pairs"][0][1][i])
                                        .split("</caption>")[-1]
                                        .split("</sec>")[j]
                                        .split("</title>")[-1]
                                        .replace("\n", ""),
                                    )
                                    != ""
                                ):
                                    tag_title.append(
                                        [
                                            re.sub(
                                                "<[^>]+>",
                                                "",
                                                str(doc["pairs"][0][1][i])
                                                .split("<caption>")[-1]
                                                .split("</caption>")[0],
                                            )
                                        ]
                                    )
                                    tag_subtitle.append(
                                        [
                                            str(doc["pairs"][0][1][i])
                                            .split("</caption>")[-1]
                                            .split("</sec>")[j]
                                            .split("<title>")[-1]
                                            .split("</title>")[0]
                                        ]
                                    )
                                    text_list.append(
                                        re.sub(
                                            "<[^>]+>",
                                            " ",
                                            str(doc["pairs"][0][1][i])
                                            .split("</caption>")[-1]
                                            .split("</sec>")[j]
                                            .split("</title>")[-1]
                                            .replace("\n", ""),
                                        )
                                    )
                        else:
                            current_subtitle = ""
                            for j in range(
                                len(
                                    str(doc["pairs"][0][1][i])
                                    .split("</caption>")[-1]
                                    .split("</p>")
                                )
                            ):
                                if (
                                    re.sub(
                                        "<[^>]+>",
                                        "",
                                        str(doc["pairs"][0][1][i])
                                        .split("</caption>")[-1]
                                        .split("</p>")[j]
                                        .split("</title>")[-1]
                                        .replace("\n", ""),
                                    )
                                    != ""
                                ):
                                    tag_title.append(
                                        [
                                            re.sub(
                                                "<[^>]+>",
                                                "",
                                                str(doc["pairs"][0][1][i])
                                                .split("<caption>")[-1]
                                                .split("</caption>")[0],
                                            )
                                        ]
                                    )
                                    if current_subtitle == "":
                                        current_subtitle = re.sub(
                                            "<[^>]+>",
                                            "",
                                            str(doc["pairs"][0][1][i])
                                            .split("<caption>")[-1]
                                            .split("</caption>")[0],
                                        )
                                    if (
                                        "</title>"
                                        in str(doc["pairs"][0][1][i])
                                        .split("</caption>")[-1]
                                        .split("</p>")[j]
                                    ):
                                        tag_subtitle.append(
                                            [
                                                str(doc["pairs"][0][1][i])
                                                .split("</caption>")[-1]
                                                .split("</sec>")[j]
                                                .split("<title>")[-1]
                                                .split("</title>")[0]
                                            ]
                                        )
                                    else:
                                        tag_subtitle.append([current_subtitle])
                                    text_list.append(
                                        re.sub(
                                            "<[^>]+>",
                                            "",
                                            str(doc["pairs"][0][1][i])
                                            .split("</caption>")[-1]
                                            .split("</p>")[j]
                                            .split("</title>")[-1]
                                            .replace("\n", ""),
                                        )
                                    )
                    elif (
                        re.sub(
                            "<[^>]+>",
                            "",
                            "</title>".join(
                                str(doc["pairs"][0][1][i]).split("</title>")[:2]
                            )
                            .split("<title>")[1]
                            .split("</title>")[-1],
                        )
                        == ""
                        and len(doc["pairs"][0][1]) == 1
                        and "</sec>" not in str(doc["pairs"][0][1])
                    ):
                        curent_subtitle = ""
                        for j in range(
                            len(
                                "</title>".join(
                                    str(doc["pairs"][0][1][i]).split("</title>")[1:]
                                ).split("</p>")
                            )
                        ):
                            if (
                                re.sub(
                                    "<[^>]+>",
                                    "",
                                    "</title>".join(
                                        str(doc["pairs"][0][1][i]).split("</title>")[1:]
                                    )
                                    .split("</p>")[j]
                                    .split("</title>")[-1]
                                    .replace("\n", ""),
                                )
                                != ""
                            ):
                                tag_title.append(
                                    [
                                        "</title>".join(
                                            str(doc["pairs"][0][1][i]).split(
                                                "</title>"
                                            )[:2]
                                        )
                                        .split("<title>")[1]
                                        .split("</title>")[0]
                                    ]
                                )
                                if curent_subtitle == "":
                                    curent_subtitle = (
                                        "</title>".join(
                                            str(doc["pairs"][0][1][i]).split(
                                                "</title>"
                                            )[:2]
                                        )
                                        .split("<title>")[1]
                                        .split("</title>")[0]
                                    )
                                if (
                                    "<title>"
                                    in "</title>".join(
                                        str(doc["pairs"][0][1][i]).split("</title>")[1:]
                                    ).split("</p>")[j]
                                ):
                                    curent_subtitle = (
                                        "</title>".join(
                                            str(doc["pairs"][0][1][i]).split(
                                                "</title>"
                                            )[1:]
                                        )
                                        .split("</p>")[j]
                                        .split("<title>")[-1]
                                        .split("</title>")[0]
                                    )
                                tag_subtitle.append([curent_subtitle])
                                text_list.append(
                                    re.sub(
                                        "<[^>]+>",
                                        "",
                                        "</title>".join(
                                            str(doc["pairs"][0][1][i]).split(
                                                "</title>"
                                            )[1:]
                                        )
                                        .split("</p>")[j]
                                        .split("</title>")[-1]
                                        .replace("\n", ""),
                                    )
                                )
                    else:
                        if "</sec>" not in str(doc["pairs"][0][1]):
                            for pair in doc["pairs"]:
                                print("\nPrevious:", [str(p) for p in pair[0]])
                                print("\nNext:", [str(p) for p in pair[1]])
                                print("=" * 80)
            if len(current_intro_list) == 0:
                pass
            elif len(current_intro_list) == 1:
                # Append the corresponding tag title and tag subtitle for the section
                # corrected_section.append(tag_title[i])
                tag_title.append(["document part"])
                # corrected_subsection.append(tag_subtitle[i])
                tag_subtitle.append(["document part"])
                # Append the corrected text to the corrected_text list
                # corrected_text.append(new_text)
                text_list.append(current_intro_list[0])
            else:
                for j in range(len(current_intro_list)):
                    # Append the corresponding tag title and tag subtitle for the section
                    # corrected_section.append(tag_title[i])
                    tag_title.append(["introduction"])
                    # corrected_subsection.append(tag_subtitle[i])
                    tag_subtitle.append(["introduction"])
                    # Append the corrected text to the corrected_text list
                    # corrected_text.append(new_text)
                    text_list.append(current_intro_list[j])
        else:
            trigger_previous = True
            for z in range(1, len(doc["pairs"])):
                if (
                    doc["pairs"][z - 1][1] != doc["pairs"][z][0]
                    or doc["pairs"][0][0] != []
                ):
                    trigger_previous = False
            if trigger_previous:
                for z in range(len(doc["pairs"])):
                    current_intro_list = []
                    for i in range(len(doc["pairs"][z][1])):
                        if (
                            "boxed-text" not in str(doc["pairs"][z][1])
                            and len(doc["pairs"][z][1]) == 1
                            and "</sec>" not in str(doc["pairs"][z][1])
                        ):
                            doc["pairs"][z][1][i] = re.sub(
                                "<p[^>]*>", "<p>", str(doc["pairs"][z][1][i])
                            )
                            for j in range(len(doc["pairs"][z][1][i].split("<p>"))):
                                # Check if the current section (split by <p>) is not empty after removing </p> tags
                                if (
                                    doc["pairs"][z][1][i]
                                    .split("<p>")[j]
                                    .replace("</p>", "")
                                    != ""
                                ):
                                    # Remove all tags from the current p text from the current item of the text_list
                                    new_text = str(
                                        re.sub(
                                            "<[^>]+>",
                                            "",
                                            str(doc["pairs"][z][1][i].split("<p>")[j]),
                                        )
                                    )
                                    # Replace unicode and hexacode, using the function introduced above
                                    new_text = replace_unicode_escape(new_text)
                                    # Replace spaces and newlines, using the function introduced above
                                    new_text = replace_spaces_and_newlines(new_text)
                                    # Clean up special characters
                                    # Replace </p> with an empty string (### not sure it's necessary anymore) and handle XML entities like <, >, &, ', and "
                                    new_text = (
                                        new_text.replace("</p>", "")
                                        .replace("&lt;", "<")
                                        .replace("&gt;", ">")
                                        .replace("&amp;", "&")
                                        .replace("&apos;", "'")
                                        .replace("&quot;", '"')
                                    )

                                    if len(new_text) < 6:
                                        pass
                                    else:
                                        current_intro_list.append(new_text)

                                        # Update the offset list (keeps track of the position in the document)
                                        # offset_list.append(offset)

                                        # Increment the offset by the length of the new text + 1 (for spacing or next content)
                                        # offset += len(new_text) + 1
                                else:
                                    # If the current section is empty after removing </p>, skip it
                                    pass

                        elif (
                            "boxed-text" not in str(doc["pairs"][z][1])
                            and len(doc["pairs"][z][1]) > 1
                            and "</sec>" not in str(doc["pairs"][z][1])
                        ):
                            doc["pairs"][z][1][i] = re.sub(
                                "<p[^>]*>", "<p>", str(doc["pairs"][z][1][i])
                            )
                            for j in range(len(doc["pairs"][z][1][i].split("<p>"))):
                                # Check if the current section (split by <p>) is not empty after removing </p> tags
                                if (
                                    doc["pairs"][z][1][i]
                                    .split("<p>")[j]
                                    .replace("</p>", "")
                                    != ""
                                ):
                                    # Remove all tags from the current p text from the current item of the text_list
                                    new_text = str(
                                        re.sub(
                                            "<[^>]+>",
                                            "",
                                            str(doc["pairs"][z][1][i].split("<p>")[j]),
                                        )
                                    )
                                    # Replace unicode and hexacode, using the function introduced above
                                    new_text = replace_unicode_escape(new_text)
                                    # Replace spaces and newlines, using the function introduced above
                                    new_text = replace_spaces_and_newlines(new_text)
                                    # Clean up special characters
                                    # Replace </p> with an empty string (### not sure it's necessary anymore) and handle XML entities like <, >, &, ', and "
                                    new_text = (
                                        new_text.replace("</p>", "")
                                        .replace("&lt;", "<")
                                        .replace("&gt;", ">")
                                        .replace("&amp;", "&")
                                        .replace("&apos;", "'")
                                        .replace("&quot;", '"')
                                    )

                                    if len(new_text) < 6:
                                        pass
                                    else:
                                        current_intro_list.append(new_text)

                                        # Update the offset list (keeps track of the position in the document)
                                        # offset_list.append(offset)

                                        # Increment the offset by the length of the new text + 1 (for spacing or next content)
                                        # offset += len(new_text) + 1
                                else:
                                    # If the current section is empty after removing </p>, skip it
                                    pass
                        else:
                            if (
                                "<caption>" in str(doc["pairs"][z][1][i])
                                and len(doc["pairs"][z][1]) == 1
                            ):
                                if "</sec>" in str(doc["pairs"][z][1][i]):
                                    for j in range(
                                        len(
                                            str(doc["pairs"][z][1][i])
                                            .split("</caption>")[-1]
                                            .split("</sec>")
                                        )
                                        - 1
                                    ):
                                        if (
                                            re.sub(
                                                "<[^>]+>",
                                                "",
                                                str(doc["pairs"][z][1][i])
                                                .split("</caption>")[-1]
                                                .split("</sec>")[j]
                                                .split("</title>")[-1]
                                                .replace("\n", ""),
                                            )
                                            != ""
                                        ):
                                            tag_title.append(
                                                [
                                                    re.sub(
                                                        "<[^>]+>",
                                                        "",
                                                        str(doc["pairs"][z][1][i])
                                                        .split("<caption>")[-1]
                                                        .split("</caption>")[0],
                                                    )
                                                ]
                                            )
                                            tag_subtitle.append(
                                                [
                                                    str(doc["pairs"][z][1][i])
                                                    .split("</caption>")[-1]
                                                    .split("</sec>")[j]
                                                    .split("<title>")[-1]
                                                    .split("</title>")[0]
                                                ]
                                            )
                                            text_list.append(
                                                re.sub(
                                                    "<[^>]+>",
                                                    " ",
                                                    str(doc["pairs"][z][1][i])
                                                    .split("</caption>")[-1]
                                                    .split("</sec>")[j]
                                                    .split("</title>")[-1]
                                                    .replace("\n", ""),
                                                )
                                            )
                                else:
                                    current_subtitle = ""
                                    for j in range(
                                        len(
                                            str(doc["pairs"][z][1][i])
                                            .split("</caption>")[-1]
                                            .split("</p>")
                                        )
                                    ):
                                        if (
                                            re.sub(
                                                "<[^>]+>",
                                                "",
                                                str(doc["pairs"][z][1][i])
                                                .split("</caption>")[-1]
                                                .split("</p>")[j]
                                                .split("</title>")[-1]
                                                .replace("\n", ""),
                                            )
                                            != ""
                                        ):
                                            tag_title.append(
                                                [
                                                    re.sub(
                                                        "<[^>]+>",
                                                        "",
                                                        str(doc["pairs"][z][1][i])
                                                        .split("<caption>")[-1]
                                                        .split("</caption>")[0],
                                                    )
                                                ]
                                            )
                                            if current_subtitle == "":
                                                current_subtitle = re.sub(
                                                    "<[^>]+>",
                                                    "",
                                                    str(doc["pairs"][z][1][i])
                                                    .split("<caption>")[-1]
                                                    .split("</caption>")[0],
                                                )
                                            if (
                                                "</title>"
                                                in str(doc["pairs"][z][1][i])
                                                .split("</caption>")[-1]
                                                .split("</p>")[j]
                                            ):
                                                tag_subtitle.append(
                                                    [
                                                        str(doc["pairs"][z][1][i])
                                                        .split("</caption>")[-1]
                                                        .split("</sec>")[j]
                                                        .split("<title>")[-1]
                                                        .split("</title>")[0]
                                                    ]
                                                )
                                            else:
                                                tag_subtitle.append([current_subtitle])
                                            text_list.append(
                                                re.sub(
                                                    "<[^>]+>",
                                                    "",
                                                    str(doc["pairs"][z][1][i])
                                                    .split("</caption>")[-1]
                                                    .split("</p>")[j]
                                                    .split("</title>")[-1]
                                                    .replace("\n", ""),
                                                )
                                            )
                            elif (
                                re.sub(
                                    "<[^>]+>",
                                    "",
                                    "</title>".join(
                                        str(doc["pairs"][z][1][i]).split("</title>")[:2]
                                    )
                                    .split("<title>")[1]
                                    .split("</title>")[-1],
                                )
                                == ""
                                and len(doc["pairs"][z][1]) == 1
                                and "</sec>" not in str(doc["pairs"][z][1])
                            ):
                                curent_subtitle = ""
                                for j in range(
                                    len(
                                        "</title>".join(
                                            str(doc["pairs"][z][1][i]).split(
                                                "</title>"
                                            )[1:]
                                        ).split("</p>")
                                    )
                                ):
                                    if (
                                        re.sub(
                                            "<[^>]+>",
                                            "",
                                            "</title>".join(
                                                str(doc["pairs"][z][1][i]).split(
                                                    "</title>"
                                                )[1:]
                                            )
                                            .split("</p>")[j]
                                            .split("</title>")[-1]
                                            .replace("\n", ""),
                                        )
                                        != ""
                                    ):
                                        tag_title.append(
                                            [
                                                "</title>".join(
                                                    str(doc["pairs"][z][1][i]).split(
                                                        "</title>"
                                                    )[:2]
                                                )
                                                .split("<title>")[1]
                                                .split("</title>")[0]
                                            ]
                                        )
                                        if curent_subtitle == "":
                                            curent_subtitle = (
                                                "</title>".join(
                                                    str(doc["pairs"][z][1][i]).split(
                                                        "</title>"
                                                    )[:2]
                                                )
                                                .split("<title>")[1]
                                                .split("</title>")[0]
                                            )
                                        if (
                                            "<title>"
                                            in "</title>".join(
                                                str(doc["pairs"][z][1][i]).split(
                                                    "</title>"
                                                )[1:]
                                            ).split("</p>")[j]
                                        ):
                                            curent_subtitle = (
                                                "</title>".join(
                                                    str(doc["pairs"][z][1][i]).split(
                                                        "</title>"
                                                    )[1:]
                                                )
                                                .split("</p>")[j]
                                                .split("<title>")[-1]
                                                .split("</title>")[0]
                                            )
                                        tag_subtitle.append([curent_subtitle])
                                        text_list.append(
                                            re.sub(
                                                "<[^>]+>",
                                                "",
                                                "</title>".join(
                                                    str(doc["pairs"][z][1][i]).split(
                                                        "</title>"
                                                    )[1:]
                                                )
                                                .split("</p>")[j]
                                                .split("</title>")[-1]
                                                .replace("\n", ""),
                                            )
                                        )
                            else:
                                if "</sec>" not in str(doc["pairs"][z][1]):
                                    for pair in doc["pairs"]:
                                        print(
                                            "\nPrevious:",
                                            [str(p) for p in pair[0]],
                                        )
                                        print("\nNext:", [str(p) for p in pair[1]])
                                        print("=" * 80)
                    if len(current_intro_list) == 0:
                        pass
                    elif len(current_intro_list) == 1:
                        # Append the corresponding tag title and tag subtitle for the section
                        # corrected_section.append(tag_title[i])
                        tag_title.append(["document part"])
                        # corrected_subsection.append(tag_subtitle[i])
                        tag_subtitle.append(["document part"])
                        # Append the corrected text to the corrected_text list
                        # corrected_text.append(new_text)
                        text_list.append(current_intro_list[0])
                    else:
                        for j in range(len(current_intro_list)):
                            # Append the corresponding tag title and tag subtitle for the section
                            # corrected_section.append(tag_title[i])
                            tag_title.append(["introduction"])
                            # corrected_subsection.append(tag_subtitle[i])
                            tag_subtitle.append(["introduction"])
                            # Append the corrected text to the corrected_text list
                            # corrected_text.append(new_text)
                            text_list.append(current_intro_list[j])
            else:
                for pair in doc["pairs"]:
                    print("\nPrevious:", [str(p) for p in pair[0]])
                    print("\nNext:", [str(p) for p in pair[1]])
                    print("=" * 80)
    ################### <p> outside section

    # Create a second soup object to perform modification of its content without modify the original soup object where more information will be extracted later in the code
    soup2 = BeautifulSoup(text, features="xml")

    tableswrap_to_remove = soup2.find_all("table-wrap")
    # Iterate through the tables present in the 'table-wrap' tag and remove them from the soup object regardless of where in the soup the tag is present
    for tablewrap in tableswrap_to_remove:
        tablewrap.extract()

    tables_to_remove = soup2.find_all("table")
    # Iterate through the tables present in the 'table' tag and remove them from the soup object regardless of where in the soup the tag is present
    for table in tables_to_remove:
        table.extract()

    tablewrapfoot_to_remove = soup2.find_all("table-wrap-foot")
    # Iterate through the table footnotes present in the 'table-wrap-foot' tag and remove them from the soup object regardless of where in the soup the tag is present
    for tablewrapfoot in tablewrapfoot_to_remove:
        tablewrapfoot.extract()

    captions_to_remove = soup2.find_all("caption")
    # Iterate through the captions present in the 'caption' tag and remove them from the soup object regardless of where in the soup the tag is present
    for caption in captions_to_remove:
        caption.extract()

    formula_to_remove = soup2.find_all("inline-formula")
    # Iterate through the formulas present in the 'inline-formula' tag and remove them from the soup object regardless of where in the soup the tag is present
    for formula in formula_to_remove:
        formula.extract()

    front_to_remove = soup2.find_all("front")
    # Iterate through the front part of the document where metadata is saved as soup2 is used to extract the body of text present in the 'front' tag and remove them from the soup object regardless of where in the soup the tag is present
    for front in front_to_remove:
        front.extract()

    back_to_remove = soup2.find_all("back")
    # Iterate through the back part of the document where metadata is saved as soup2 is used to extract the body of text present in the 'back' tag and remove them from the soup object regardless of where in the soup the tag is present
    for back in back_to_remove:
        back.extract()

    fig_to_remove = soup2.find_all("fig")
    # Iterate through the figures present in the 'fig' tag and remove them from the soup object regardless of where in the soup the tag is present
    for fig in fig_to_remove:
        fig.extract()

    graphic_to_remove = soup2.find_all("graphic")
    # Iterate through the graphic elements present in the 'graphic' tag and remove them from the soup object regardless of where in the soup the tag is present
    for graphic in graphic_to_remove:
        graphic.extract()

    inlinegraphic_to_remove = soup2.find_all("inline-graphic")
    # Iterate through the graphic elements made as a one-liner present in the 'inline-graphic' tag and remove them from the soup object regardless of where in the soup the tag is present
    for inlinegraphic in inlinegraphic_to_remove:
        inlinegraphic.extract()

    inlinesupplementarymaterial_to_remove = soup2.find_all(
        "inline-supplementary-material"
    )
    # Iterate through the supplementary material elements made as a one-liner present in the 'inline-supplementary-material' tag and remove them from the soup object regardless of where in the soup the tag is present
    for inlinesupplementarymaterial in inlinesupplementarymaterial_to_remove:
        inlinesupplementarymaterial.extract()

    media_to_remove = soup2.find_all("media")
    # Iterate through the media elements present in the 'media' tag and remove them from the soup object regardless of where in the soup the tag is present
    for media in media_to_remove:
        media.extract()

    texmath_to_remove = soup2.find_all("tex-math")
    # Iterate through the math equations present in the 'tex-math' tag and remove them from the soup object regardless of where in the soup the tag is present
    for texmath in texmath_to_remove:
        texmath.extract()

    # Find all <sec> elements in the soup2 object
    sec_elements = soup2.find_all("sec")

    # Define a regular expression pattern to match XML tags, as < and > are replace in the text with a str
    pattern = r"</[^>]+>"

    # Iterate through each <sec> element found in the soup2 object, i.e in the body as front and back part have been removed
    for a in range(len(sec_elements)):
        # Convert the <sec> element to a string for manipulation
        text_test = str(sec_elements[a])

        # Find all the closing tags in the current <sec> element (e.g., </p>, </sec>, </title>), looking for opening is more difficult because of id and extra information never present in the closing, the logic is that each opening as a closing
        matches = re.findall(pattern, text_test)

        # Remove duplicate closing tags and create a list of unique matches
        good_matches = list(dict.fromkeys(matches))

        # Remove unwanted tags such as </p>, </sec>, and </title> from the list of matches, we need to keep these tag for later parsing the document, this manipulation is done to remove xref, italic, bold, ... tags
        if "</p>" in good_matches:
            good_matches.remove("</p>")
        if "</sec>" in good_matches:
            good_matches.remove("</sec>")
        if "</title>" in good_matches:
            good_matches.remove("</title>")

        # Iterate over the remaining tags to remove them from the soup2 object converted as a string
        for b in range(len(good_matches)):
            current_tag_remove = good_matches[b]  # Get the tag to remove
            # Create the corresponding opening tag pattern to match in the content
            opening = f"<{current_tag_remove.split('</')[1][:-1]}[^>]*>"

            # Remove both the opening and closing tags from the text
            text_test = re.sub(opening, "", text_test)
            text_test = re.sub(current_tag_remove, "", text_test)

        # After all unwanted tags are removed from the converted string, update the sec_elements list with the cleaned <sec> element by reconverting to string to a soup object
        sec_elements[a] = BeautifulSoup(text_test, features="xml").find_all("sec")[
            0
        ]  # we keep the 0 element because we want the paragraph as a all not specific section since the parsing is taking place after

    # Iterate through each <sec> element in the sec_elements list - extarct the main text of the body, all the <sec> from the soup2 object
    # modification of the extracted content is performed later
    for sec in sec_elements:
        # Check if the current <sec> element does not have a parent <sec> element
        if not sec.find_parent("sec"):
            # If the <sec> element does not have a parent <sec>, find its title
            ori_title = sec.find("title")

            # Call the function extract_section_content defined above, passing the <sec> element that is composed as a block paragraph containing one or more passages, the soup2 object, and the title of the main <sec> but the function will refine the title search
            ### Current function is based on global variable, in the future we might want to pass the values as argument and unpack them again - will not provoke an error but could be improve
            extract_section_content(
                sec, soup2, ori_title, tag_title, tag_subtitle, text_list
            )

    # Check if the text inside the <ack> (acknowledgement) tag, back to the main soup object, is not 'None' after removing anything present between < and >
    # the special characters, unicode and hexacode are check later
    if re.sub("<[^>]+>", "", str(soup.find("ack"))) != "None":
        # If there is only one <ack> tag
        if len(soup.find_all("ack")) == 1:
            if len(soup.find("back").find("ack").find_all("title")) > 0:
                # Loop through all <title> tags inside the first <ack> tag
                for title in soup.find("back").find("ack").find_all("title"):
                    title_text = title.text  # Extract the title text

                    # Initialize an empty list to hold the <p> tags
                    p_tags = []
                    # Find the <p> tags that follow the title
                    next_sibling = title.find_next_sibling("p")

                    # Loop through all <p> tags that follow the title tag
                    while next_sibling and next_sibling.name == "p":
                        p_tags.append(next_sibling)  # Add the <p> tag to the list
                        next_sibling = next_sibling.find_next_sibling()  # Move to the next sibling until None and get out of the while

                    # Loop through the collected <p> tags and extract the text
                    for p_tag in p_tags:
                        # Append the title and subtitle (same as the title) to the respective lists
                        tag_title.append([title_text])
                        tag_subtitle.append([title_text])
                        # Append the text of the <p> tag to the text_list
                        text_list.append(p_tag.text)
            else:
                # Append the title and subtitle (same as the title) to the respective lists
                tag_title.append(["Acknowledgments"])
                tag_subtitle.append(["Acknowledgments"])
                # Append the text of the <p> tag to the text_list
                text_list.append(soup.find("back").find("ack").text)

        # If there are multiple <ack> tags
        elif len(soup.find_all("ack")) > 1:
            # Loop through all <ack> tags in the document
            for notes in soup.find_all("ack"):
                # Loop through all <title> tags inside each <ack> tag
                if len(notes.find_all("title")) > 0:
                    for title in notes.find_all("title"):
                        title_text = title.text  # Extract the title text

                        # Initialize an empty list to hold the <p> tags
                        p_tags = []
                        # Find the <p> tags that follow the title
                        next_sibling = title.find_next_sibling("p")

                        # Loop through all <p> tags that follow the title tag
                        while next_sibling and next_sibling.name == "p":
                            p_tags.append(next_sibling)  # Add the <p> tag to the list
                            next_sibling = next_sibling.find_next_sibling()  # Move to the next sibling until None and get out of the while

                        # Loop through the collected <p> tags and extract the text
                        for p_tag in p_tags:
                            # Append the title and subtitle (same as the title) to the respective lists
                            tag_title.append([title_text])
                            tag_subtitle.append([title_text])
                            # Append the text of the <p> tag to the text_list
                            text_list.append(p_tag.text)
                else:
                    # Append the title and subtitle (same as the title) to the respective lists
                    tag_title.append(["Acknowledgments"])
                    tag_subtitle.append(["Acknowledgments"])
                    # Append the text of the <p> tag to the text_list
                    text_list.append(notes.text)
        else:
            pass  # If no <ack> tag is found, do nothing

    # Check if the content inside the <funding-statement> tag, from the main soup object, is not 'None' after removing the text between < and >
    # the special characters, unicode and hexacode are check later
    if re.sub("<[^>]+>", "", str(soup.find("funding-statement"))) != "None":
        # If there are any <title> tags inside the <funding-statement> tag
        if len(soup.find("funding-statement").find_all("title")) != 0:
            # Loop through all the <title> tags inside <funding-statement>
            for title in soup.find("funding-statement").find_all("title"):
                title_text = title.text  # Extract the title text

                # Initialize an empty list to hold the <p> tags
                p_tags = []
                # Find the <p> tags that follow the title
                next_sibling = title.find_next_sibling("p")

                # Loop through all <p> tags that follow the title tag
                while next_sibling and next_sibling.name == "p":
                    p_tags.append(next_sibling)  # Add the <p> tag to the list
                    next_sibling = (
                        next_sibling.find_next_sibling()
                    )  # Move to the next sibling until None and get out of the while

                # Loop through the collected <p> tags and extract the text
                for p_tag in p_tags:
                    # Append the title and subtitle (same as the title) to the respective lists
                    tag_title.append([title_text])
                    tag_subtitle.append([title_text])
                    # Append the text of the <p> tag to the text_list
                    text_list.append(p_tag.text)

        # If there are no <title> tags but the <funding-statement> tag exists and is not 'None'
        elif re.sub("<[^>]+>", "", str(soup.find("funding-statement"))) != "None":
            # Append 'Funding Statement' as both the title and subtitle to the lists
            tag_title.append(["Funding Statement"])
            tag_subtitle.append(["Funding Statement"])
            # Append the content inside the <funding-statement> tag (without XML tags) to text_list
            text_list.append(re.sub("<[^>]+>", "", str(soup.find("funding-statement"))))
        else:
            pass  # If no <funding-statement> tag exists, do nothing

    # Check if the content inside the <fn-group> tag (footnotes), from the main soup object, is not 'None' after removing XML tags
    # the special characters, unicode and hexacode are check later
    if re.sub("<[^>]+>", "", str(soup.find("fn-group"))) != "None":
        # If there are any <title> tags inside the <fn-group> tag
        if len(soup.find("fn-group").find_all("title")) != 0:
            # Loop through all the <title> tags inside <fn-group>
            for title in soup.find("fn-group").find_all("title"):
                title_text = title.text  # Extract the title text

                # Initialize an empty list to hold the <p> tags
                p_tags = []
                # Find the <p> tags that follow the title
                next_sibling = title.find_next_sibling("p")

                # Loop through all <p> tags that follow the title tag
                while next_sibling and next_sibling.name == "p":
                    p_tags.append(next_sibling)  # Add the <p> tag to the list
                    next_sibling = (
                        next_sibling.find_next_sibling()
                    )  # Move to the next sibling until None and get out of the while

                # Loop through the collected <p> tags and extract the text
                for p_tag in p_tags:
                    # Append the title and subtitle (same as the title) to the respective lists
                    tag_title.append([title_text])
                    tag_subtitle.append([title_text])
                    # Append the text of the <p> tag to the text_list
                    text_list.append(p_tag.text)

        # If there are no <title> tags but the <fn-group> tag exists and is not 'None'
        elif re.sub("<[^>]+>", "", str(soup.find("fn-group"))) != "None":
            # Append 'Footnotes' as both the title and subtitle to the lists
            tag_title.append(["Footnotes"])
            tag_subtitle.append(["Footnotes"])
            # Append the content inside the <fn-group> tag (without XML tags) to text_list
            text_list.append(re.sub("<[^>]+>", "", str(soup.find("fn-group"))))
        else:
            pass  # If no <fn-group> tag exists, do nothing

    # Check if the content inside the <app-group> tag is not 'None' after removing the XML tags
    # the special characters, unicode and hexacode are check later
    if re.sub("<[^>]+>", "", str(soup.find("app-group"))) != "None":
        # If there are any <title> tags inside the <app-group> tag
        if len(soup.find("app-group").find_all("title")) != 0:
            # Loop through all the <title> tags inside <app-group>
            for title in soup.find("back").find("app-group").find_all("title"):
                title_text = title.text  # Extract the title text

                # Initialize an empty list to hold the <p> tags
                p_tags = []
                # Find the <p> tags that follow the title
                next_sibling = title.find_next_sibling("p")

                # Loop through all <p> tags that follow the title tag
                while next_sibling and next_sibling.name == "p":
                    p_tags.append(next_sibling)  # Add the <p> tag to the list
                    next_sibling = (
                        next_sibling.find_next_sibling()
                    )  # Move to the next sibling until None and get out of the while

                # Loop through the collected <p> tags and extract the text
                for p_tag in p_tags:
                    # Append the title and subtitle (same as the title) to the respective lists
                    tag_title.append([title_text])
                    tag_subtitle.append([title_text])
                    # Append the text of the <p> tag to the text_list
                    text_list.append(p_tag.text)

        # If there are no <title> tags but the <app-group> tag exists and is not 'None'
        elif re.sub("<[^>]+>", "", str(soup.find("app-group"))) != "None":
            # Append 'Unknown' as both the title and subtitle to the lists
            tag_title.append(["document part"])
            tag_subtitle.append(["document part"])
            # Append the content inside the <app-group> tag (without XML tags) to text_list
            text_list.append(re.sub("<[^>]+>", "", str(soup.find("app-group"))))
        else:
            pass  # If no <app-group> tag exists, do nothing

    # Check if the content inside the <notes> tag is not 'None' after removing XML tags
    if re.sub("<[^>]+>", "", str(soup.find("notes"))) != "None":
        # If there is only one <notes> tag
        if len(soup.find_all("notes")) == 1:
            # Loop through all the <title> tags inside <notes>
            ### ERROR make the code in case there is no title
            for title in soup.find("notes").find_all("title"):
                title_text = title.text  # Extract the title text

                # Initialize an empty list to hold the <p> tags
                p_tags = []
                # Find the <p> tags that follow the title
                next_sibling = title.find_next_sibling("p")

                # Loop through all <p> tags that follow the title tag
                while next_sibling and next_sibling.name == "p":
                    p_tags.append(next_sibling)  # Add the <p> tag to the list
                    next_sibling = (
                        next_sibling.find_next_sibling()
                    )  # Move to the next sibling until None and get out of the while

                # Loop through the collected <p> tags and extract the text
                for p_tag in p_tags:
                    # Append the title and subtitle (same as the title) to the respective lists
                    tag_title.append([title_text])
                    tag_subtitle.append([title_text])
                    # Append the text of the <p> tag to the text_list
                    text_list.append(p_tag.text)

        # If there are multiple <notes> tags
        elif len(soup.find_all("notes")) > 1:
            # Loop through each <notes> tag
            for notes in soup.find_all("notes"):
                # Loop through all the <title> tags inside the current <notes> tag
                ### ERROR make the code in case there is no title
                for title in notes.find_all("title"):
                    title_text = title.text  # Extract the title text

                    # Initialize an empty list to hold the <p> tags
                    p_tags = []
                    # Find the <p> tags that follow the title
                    next_sibling = title.find_next_sibling("p")

                    # Loop through all <p> tags that follow the title tag
                    while next_sibling and next_sibling.name == "p":
                        p_tags.append(next_sibling)  # Add the <p> tag to the list
                        next_sibling = next_sibling.find_next_sibling()  # Move to the next sibling until None and get out of the while

                    # Loop through the collected <p> tags and extract the text
                    for p_tag in p_tags:
                        # Append the title and subtitle (same as the title) to the respective lists
                        tag_title.append([title_text])
                        tag_subtitle.append([title_text])
                        # Append the text of the <p> tag to the text_list
                        text_list.append(p_tag.text)
        else:
            pass  # If no <notes> tag exists, do nothing

    # Initialize lists to store the reference data
    tag_title_ref = []
    tag_subtitle_ref = []
    text_list_ref = []
    source_list = []
    year_list = []
    volume_list = []
    doi_list = []
    pmid_list = []

    # Find all <ref> tags in the main soup object as present in the <back> tag
    ref_tags = soup.find_all("ref")

    # Loop through each <ref> tag to extract citation information
    for ref in ref_tags:
        # Check if the <ref> tag contains an 'element-citation' tag with a publication type of 'journal', we can parse this format one when the other citation formats will not be parsed
        if ref.find("element-citation", {"publication-type": "journal"}) is not None:
            # Extract the label, which may or may not exist
            label = ref.label.text if ref.label else ""

            # Extract the article title, which may or may not exist
            article_title = (
                ref.find("article-title").text if ref.find("article-title") else ""
            )

            # Extract the source (journal name), which may or may not exist
            source = ref.source.text if ref.source else ""

            # Extract the year of publication, which may or may not exist
            year = ref.year.text if ref.year else ""

            # Extract the volume of the publication, which may or may not exist
            volume = ref.volume.text if ref.volume else ""

            # Extract the DOI, if available
            doi = (
                ref.find("pub-id", {"pub-id-type": "doi"}).text
                if ref.find("pub-id", {"pub-id-type": "doi"})
                else ""
            )

            # Extract the PMID, if available
            pmid = (
                ref.find("pub-id", {"pub-id-type": "pmid"}).text
                if ref.find("pub-id", {"pub-id-type": "pmid"})
                else ""
            )

            # Initialize an empty list to store the authors
            authors = []

            # Check if there is a <person-group> tag for authors
            if ref.find("person-group", {"person-group-type": "author"}) is not None:
                author_group = ref.find("person-group", {"person-group-type": "author"})

                # Loop through all <name> tags in the author group
                if len(author_group.find_all("name")) > 0:
                    for name in author_group.find_all("name"):
                        surname = name.surname.text  # Extract the surname of the author
                        given_names = (
                            name.find("given-names").text
                            if name.find("given-names")
                            else ""
                        )  # Extract given names, if available
                        authors.append(
                            f"{given_names} {surname}"
                        )  # Append the author's name to the authors list

            # Check for the presence of <etal> (et al.)
            etal_tag = ref.find("etal")
            if etal_tag is not None:
                etal = "Et al."  # Add "Et al." if the tag is present
            else:
                etal = ""

            # If 'etal' is found, append it to the final authors list
            ### ERROR authors could be an empty list, need to figure out if the above tag is absent what to do
            if etal != "":
                final_authors = f"{', '.join(authors)} {etal}"
            else:
                final_authors = f"{', '.join(authors)}"

            # Append the reference data to the lists
            tag_title_ref.append(["References"])
            tag_subtitle_ref.append(["References"])
            ### Not checked for XML tags, special characters not converted to human readable format
            # unicode and hexa checked later
            ### might need to look at the conditional of this one again
            text_list_ref.append(
                f"{label}{' ' + final_authors if final_authors else ''}{', ' + article_title if article_title else ''}{', ' + source if source else ''}{', ' + year if year else ''}{';' + volume if volume and year else ''}{', ' + volume if volume and not year else ''}"
            )

            # Append additional citation details to the respective lists
            source_list.append(source)
            year_list.append(year)
            volume_list.append(volume)
            doi_list.append(doi)
            pmid_list.append(pmid)

        else:
            # If the <ref> tag does not contain an 'element-citation' tag, extract the text content as-is
            content = ref.get_text(separator=" ")

            # Append the content to the reference lists
            tag_title_ref.append(["References"])
            tag_subtitle_ref.append(["References"])

            ### Not checked for XML tags, special characters not converted to human readable format
            # unicode and hexa checked later
            text_list_ref.append(content)

            # can't be parsed because we don't know the formats used
            source_list.append("")
            year_list.append("")
            volume_list.append("")
            doi_list.append("")
            pmid_list.append("")

    # Iterate through each element in the 'tag_title' list from the <front>, <abstract>, all the extracted text from soup2 object, and some information from the <back> outside of references saved in a different list
    for i in range(len(tag_title)):
        # Clean 'tag_subtitle[i]' by removing XML tags and unwanted characters, this is the most recent heading for the text
        # Remove all XML tags using regex
        # Remove single quotes from the string, removing the list syntax from the string
        # Remove opening square brackets from the string, removing the list syntax from the string
        # Remove closing square brackets from the string, removing the list syntax from the string
        # Remove double quotes from the string, removing the list syntax from the string
        tag_subtitle[i] = [
            re.sub("<[^>]+>", "", str(tag_subtitle[i]))
            .replace("'", "")
            .replace("[", "")
            .replace("]", "")
            .replace('"', "")
        ]

        # Iterate through each sublist in 'tag_title[i]'
        for j in range(len(tag_title[i])):
            # Clean each element (title) in the sublist by removing XML tags and unwanted characters, this is all the parent headings for the text
            # Remove all XML tags using regex
            # Remove single quotes from the string, removing the list syntax from the string
            # Remove opening square brackets from the string, removing the list syntax from the string
            # Remove closing square brackets from the string, removing the list syntax from the string
            # Remove double quotes from the string, removing the list syntax from the string
            tag_title[i][j] = [
                re.sub("<[^>]+>", "", str(tag_title[i][j]))
                .replace("'", "")
                .replace("[", "")
                .replace("]", "")
                .replace('"', "")
            ]

    # Iterate through each element in the 'tag_title' list
    for i in range(len(tag_title)):
        # Iterate through each sublist in 'tag_title[i]'
        for j in range(len(tag_title[i])):
            # Check if the string in the first element of the current sublist has more than one word, i.e. a space is present
            if len(tag_title[i][j][0].split()) > 1:
                # Check if the first word ends with a period
                if tag_title[i][j][0].split()[0][-1] == ".":
                    # Check if the first word (excluding the period) is a number (ignoring commas and periods)
                    if (
                        tag_title[i][j][0]
                        .split()[0][:-1]
                        .replace(".", "")
                        .replace(",", "")
                        .isdigit()
                    ):
                        # Remove the first word (likely a number followed by a period) and join the remaining words
                        tag_title[i][j][0] = " ".join(tag_title[i][j][0].split()[1:])

    # Iterate through each element in the 'tag_subtitle' list
    for i in range(len(tag_subtitle)):
        # Check if the first element in the current sublist contains more than one word
        if len(tag_subtitle[i][0].split()) > 1:
            # Check if the first word ends with a period
            if tag_subtitle[i][0].split()[0][-1] == ".":
                # Check if the first word (excluding the period) is a number (ignoring commas and periods)
                if (
                    tag_subtitle[i][0]
                    .split()[0][:-1]
                    .replace(".", "")
                    .replace(",", "")
                    .isdigit()
                ):
                    # Remove the first word (likely a number followed by a period) and join the remaining words
                    tag_subtitle[i][0] = " ".join(tag_subtitle[i][0].split()[1:])

    # Iterate over all elements in 'text_list'
    for i in range(len(text_list)):
        # Remove anything from '<sec[^*]' until '/title>' str and '</sec>' str from each element of text_list
        text_list[i] = re.sub("<sec[^*]+/title>", "", str(text_list[i])).replace(
            "</sec>", ""
        )

    # Iterate over all elements in 'text_list'
    for i in range(len(text_list)):
        # Replace Unicode escape sequences with actual characters, from the function introduced above
        text_list[i] = replace_unicode_escape(text_list[i])

    # Iterate over all elements in 'text_list'
    for i in range(len(text_list)):
        # Replace multiple spaces and newlines in the text with single spaces, from the function introduced above
        text_list[i] = replace_spaces_and_newlines(text_list[i])

    # Define a pattern to match <xref> tags in the text (reference cross-references)
    ### in my opinion not in used anymore as all the tags except sec title and p are kept in soup2 object
    pattern = r"(<xref[^>]*>)([^<]+)(</xref>)"

    # Iterate over all elements in 'text_list'
    for i in range(len(text_list)):
        # Apply regex pattern to reformat <xref> tags by adding a space between the tag content
        ### in my opinion not in used anymore as all the tags except sec title and p are kept in soup2 object
        text_list[i] = re.sub(pattern, r"\1 \2 \3", text_list[i])

    # Iterate over all elements in 'text_list' again
    for i in range(len(text_list)):
        # Replace spaces and newlines in the text once more after the <xref> tags are modified, from the function introduced above
        ### in my opinion not in used anymore as all the tags except sec title and p are kept in soup2 object
        text_list[i] = replace_spaces_and_newlines(text_list[i])

    # Initialize empty lists to store corrected sections, subsections, text, and offsets
    corrected_section = []
    corrected_subsection = []
    corrected_text = []

    # Iterate over each element in the 'text_list'
    for i in range(len(text_list)):
        # Check if the current element in text_list is not empty
        if text_list[i] != "":
            # Iterate over each section split by <p> tags in the current text
            for j in range(len(text_list[i].split("<p>"))):
                # Check if the current section (split by <p>) is not empty after removing </p> tags
                if text_list[i].split("<p>")[j].replace("</p>", "") != "":
                    # Append the corresponding tag title and tag subtitle for the section
                    # corrected_section.append(tag_title[i])
                    # corrected_subsection.append(tag_subtitle[i])

                    # Remove all tags from the current p text from the current item of the text_list
                    new_text = str(
                        re.sub("<[^>]+>", "", str(text_list[i].split("<p>")[j]))
                    )
                    # Replace unicode and hexacode, using the function introduced above
                    new_text = replace_unicode_escape(new_text)
                    # Replace spaces and newlines, using the function introduced above
                    new_text = replace_spaces_and_newlines(new_text)
                    # Clean up special characters
                    # Replace </p> with an empty string (### not sure it's necessary anymore) and handle XML entities like <, >, &, ', and "
                    new_text = (
                        new_text.replace("</p>", "")
                        .replace("&lt;", "<")
                        .replace("&gt;", ">")
                        .replace("&amp;", "&")
                        .replace("&apos;", "'")
                        .replace("&quot;", '"')
                        .replace("\xa0", " ")
                    )
                    if len(new_text) > 0:
                        if new_text[0] == " " and new_text[-1] == " ":
                            if new_text[1:-1] in corrected_text:
                                pass
                            else:
                                corrected_section.append(tag_title[i])
                                corrected_subsection.append(tag_subtitle[i])
                                corrected_text.append(new_text[1:-1])
                                offset_list.append(offset)
                                offset += len(new_text[1:-1]) + 1
                        # Append the corrected text to the corrected_text list
                        else:
                            if new_text in corrected_text:
                                pass
                            else:
                                corrected_section.append(tag_title[i])
                                corrected_subsection.append(tag_subtitle[i])
                                corrected_text.append(new_text)
                                offset_list.append(offset)
                                offset += len(new_text) + 1

                    # Update the offset list (keeps track of the position in the document)
                    # offset_list.append(offset)

                    # Increment the offset by the length of the new text + 1 (for spacing or next content)
                    # offset += len(new_text) + 1
                else:
                    # If the current section is empty after removing </p>, skip it
                    pass
        else:
            # If the current text list element is empty, skip it
            pass

    # Correct any missing section titles by copying the previous title if the current title is empty
    for i in range(len(corrected_section)):
        if len(corrected_section[i]) == 0:
            corrected_section[i] = corrected_section[i - 1]

    ### No XML tags remove here or special characters conversion
    # Initialize an empty list to store offsets for references
    offset_list_ref = []

    # Iterate over each element in the 'text_list_ref' (list containing reference texts)
    for i in range(len(text_list_ref)):
        # Replace unicode and hexacode, using the function introduced above
        text_list_ref[i] = replace_unicode_escape(text_list_ref[i])

    # Iterate over each element in the 'text_list_ref' (list containing reference texts)
    for i in range(len(text_list_ref)):
        # Replace spaces and newlines, using the function introduced above
        text_list_ref[i] = replace_spaces_and_newlines(text_list_ref[i])

    # Iterate over each element in the 'text_list_ref' to calculate and store offsets
    for i in range(len(text_list_ref)):
        # Append the current value of 'offset' to the offset list for the reference
        offset_list_ref.append(offset)

        # Update the 'offset', as it comes after the main text by adding the length of the current reference text + 1, the +1 accounts for a space or delimiter between references
        offset += len(text_list_ref[i]) + 1

    for i in range(len(corrected_section)):
        corrected_section[i][0][0] = fix_mojibake_string(
            corrected_section[i][0][0]
            .replace("\n", "")
            .replace("\\n", "")
            .replace("\\xa0", " ")
        )
    for i in range(len(corrected_subsection)):
        for y in range(len(corrected_subsection[i])):
            corrected_subsection[i][y] = fix_mojibake_string(
                corrected_subsection[i][y]
                .replace("\n", "")
                .replace("\\n", "")
                .replace("\\xa0", " ")
            )

    # Main body IAO allocation
    iao_list = []

    for y in range(len(corrected_section)):
        if corrected_section[y][0][0] == "document title":
            section_type = [{"iao_name": "document title", "iao_id": "IAO:0000305"}]
        else:
            mapping_result = get_iao_term_mapping(corrected_section[y][0][0])

            # if condition to add the default value 'document part' for passages without IAO
            if mapping_result == []:
                section_type = [
                    {
                        "iao_name": "document part",  # Name of the IAO term
                        "iao_id": "IAO:0000314",  # ID associated with the IAO term, or empty if not found
                    }
                ]
            else:
                section_type = mapping_result

        iao_list.append(list({v["iao_id"]: v for v in section_type}.values()))

    # References IAO allocation
    iao_list_ref = []

    for y in range(len(tag_title_ref)):
        section_type = [
            {
                "iao_name": "references section",  # Name of the IAO term
                "iao_id": "IAO:0000320",  # ID associated with the IAO term, or empty if not found
            }
        ]

        iao_list_ref.append(list({v["iao_id"]: v for v in section_type}.values()))

    # Initialize lists to store embedded data
    embeded_list = []  # Final list containing all embedded documents
    embeded_section_list = []  # Final list containing all the infons information, excluding reference
    embeded_section_ref_list = []  # Final list containing all the infons for the reference section

    # Loop through corrected_section to create embedded section dictionaries
    for i in range(len(corrected_section)):
        # Create a dictionary for the first-level section title
        embeded_dict = {
            "section_title_1": corrected_section[i][0][0]  # First section title
        }
        cont_section = 2  # Counter for additional section titles

        # If there are more levels in the section, add them to the dictionary, i.e. subheadings
        if len(corrected_section[i]) > 1:
            for imp in range(1, len(corrected_section[i])):
                embeded_dict[f"section_title_{cont_section}"] = corrected_section[i][
                    imp
                ][0]
                cont_section += 1

        # If the subsection is different from the main section, add it as well i.e. the last subheading if there is a main heading
        if corrected_subsection[i][0] != corrected_section[i][0][0]:
            embeded_dict[f"section_title_{cont_section}"] = corrected_subsection[i][0]

        # Add IAO data (if available) to the dictionary
        if len(iao_list[i]) > 0:
            for y in range(len(iao_list[i])):
                embeded_dict[f"iao_name_{y + 1}"] = iao_list[i][y].get("iao_name")
                embeded_dict[f"iao_id_{y + 1}"] = iao_list[i][y].get("iao_id")

        # Append the completed dictionary to the embedded section list
        embeded_section_list.append(embeded_dict)

    # Process reference sections (tag_title_ref) to create embedded reference dictionaries
    for i in range(len(tag_title_ref)):
        embeded_dict = {
            "section_title_1": fix_mojibake_string(
                tag_title_ref[i][0]
            )  # First section title i.e. 'Reference'
        }

        # Add IAO data (if available) for references
        if len(iao_list_ref[i]) > 0:
            for y in range(len(iao_list_ref[i])):
                embeded_dict[f"iao_name_{y + 1}"] = iao_list_ref[i][y].get("iao_name")
                embeded_dict[f"iao_id_{y + 1}"] = iao_list_ref[i][y].get("iao_id")

        # Add metadata from references if available
        if source_list[i] != "":
            embeded_dict["journal"] = source_list[i]
        if year_list[i] != "":
            embeded_dict["year"] = year_list[i]
        if volume_list[i] != "":
            embeded_dict["volume"] = volume_list[i]
        if doi_list[i] != "":
            embeded_dict["doi"] = doi_list[i]
        if pmid_list[i] != "":
            embeded_dict["pmid"] = pmid_list[i]

        # Append the completed dictionary to the embedded section reference list
        embeded_section_ref_list.append(embeded_dict)

    # Combine corrected text with embedded sections into final embedded list
    for i in range(len(corrected_text)):
        # If after cleaning the there is no more text or only a space, we don't keep them
        if corrected_text[i] == "" or corrected_text[i] == " ":
            pass
        else:
            embeded_dict = {
                "offset": offset_list[i],  # Offset for the text
                "infons": embeded_section_list[i],  # Section metadata
                "text": fix_mojibake_string(corrected_text[i]),  # Main text
                "sentences": [],  # Placeholder for sentences
                "annotations": [],  # Placeholder for annotations
                "relations": [],  # Placeholder for relations
            }
            # Populate the list of passages
            embeded_list.append(embeded_dict)

    # Add reference text with metadata to the embedded list
    for i in range(len(text_list_ref)):
        # If after cleaning the there is no more text or only a space, we don't keep them
        if text_list_ref[i] == "" or text_list_ref[i] == " ":
            pass
        else:
            embeded_dict = {
                "offset": offset_list_ref[i],  # Offset for reference text
                "infons": embeded_section_ref_list[i],  # Reference metadata
                "text": fix_mojibake_string(
                    replace_spaces_and_newlines(text_list_ref[i])
                    .replace(" ,", ",")
                    .replace(" .", ".")
                    .replace("..", ".")
                ),  # Reference text
                "sentences": [],  # Placeholder for sentences
                "annotations": [],  # Placeholder for annotations
                "relations": [],  # Placeholder for relations
            }
            # Populate the list of passages
            embeded_list.append(embeded_dict)

    # Create a dictionary for document metadata
    infons_dict_meta = {}
    if pmcid_xml != "":
        infons_dict_meta["pmcid"] = pmcid_xml
    if pmid_xml != "":
        infons_dict_meta["pmid"] = pmid_xml
    if doi_xml != "":
        infons_dict_meta["doi"] = doi_xml
    if pmc_link != "":
        infons_dict_meta["link"] = pmc_link
    if journal_xml != "":
        infons_dict_meta["journal"] = journal_xml
    if pub_type_xml != "":
        infons_dict_meta["pub_type"] = pub_type_xml
    if year_xml != "":
        infons_dict_meta["year"] = year_xml
    if license_xml != "":
        infons_dict_meta["license"] = license_xml

    # Create the final dictionary for the document
    my_dict = {}
    if source_method != "":
        my_dict["source"] = source_method
    if date != "":
        my_dict["date"] = date
    my_dict["key"] = "autocorpus_fulltext.key"
    my_dict["infons"] = infons_dict_meta  # Metadata for the document
    my_dict["documents"] = [
        {
            "id": pmcid_xml,  # Document ID
            "infons": {},  # Placeholder for additional document-level infons
            "passages": embeded_list,  # Embedded passages including sections and references
            "relations": [],  # Placeholder for relations at the document level
        }
    ]

    return my_dict

extract_section_content(section, soup2, ori_title, tag_title, tag_subtitle, text_list) ¤

Extract the content of a section and its subsections recursively.

Parameters:

Name Type Description Default
section BeautifulSoup

A BeautifulSoup ResultSet object representing a section of the document.

required
soup2 BeautifulSoup

A BeautifulSoup object representing the entire document.

required
ori_title BeautifulSoup | None

The original title of the section.

required
tag_title list[list[str]]

It contains all the parent titles of all the sections identified for the document. This list is being updated in this function.

required
tag_subtitle list[list[str]]

It contains all the current titles of all the sections identified for the document. This list is being updated in this function.

required
text_list list[str]

It contains all the current text of all the sections identified for the document. This list is being updated in this function.

required
Source code in autocorpus/parse_xml.py
 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
def extract_section_content(
    section: BeautifulSoup,
    soup2: BeautifulSoup,
    ori_title: BeautifulSoup | None,
    tag_title: list[list[str]],
    tag_subtitle: list[list[str]],
    text_list: list[str],
):
    """Extract the content of a section and its subsections recursively.

    Args:
        section: A BeautifulSoup ResultSet object representing a section of the document.
        soup2: A BeautifulSoup object representing the entire document.
        ori_title: The original title of the section.
        tag_title: It contains all the parent titles of all the sections identified for
            the document. This list is being updated in this function.
        tag_subtitle: It contains all the current titles of all the sections identified
            for the document. This list is being updated in this function.
        text_list: It contains all the current text of all the sections identified for
            the document. This list is being updated in this function.
    """
    # Extract the current section's title, or use the original title if none is found
    current_title = section.find("title")
    if current_title is None:  # If no title is found, fall back to the original title
        current_title = ori_title

    # If a title is available, attempt to locate it in the soup2 object
    if current_title:
        target_title = soup2.find(
            "title", string=current_title.text
        )  # Find the exact title in the soup2 object

        if target_title is not None:
            # Find the hierarchy of parent titles for the current title
            parent_titles = find_parent_titles(target_title)
        else:
            parent_titles = []

        # If there are multiple parent titles, exclude the last one (likely redundant)
        if len(parent_titles) > 1:
            parent_titles = parent_titles[:-1]
    else:
        parent_titles = None  # If no current title, set parent titles to None

    # Extract the content within the current section, specifically paragraphs (`<p>` tags)
    content = BeautifulSoup(
        "<sec" + str(section).split("<sec")[1], features="xml"
    ).find_all("p")

    # If content is found, process each paragraph
    if content:
        for i in range(len(content)):
            # Avoid adding duplicate or null content
            if f"{content[i]}" not in text_list and content[i] is not None:
                # If no parent titles are found, tag the content with 'Unknown'
                if parent_titles:
                    tag_title.append(parent_titles)
                else:
                    # Otherwise, tag it with the identified parent titles
                    tag_title.append(["document part"])

                # Similarly, handle subtitle tagging
                if current_title:
                    tag_subtitle.append([current_title.text])
                else:
                    tag_subtitle.append(["document part"])

                # Add the processed content to the text list
                text_list.append(f"{content[i]}")

    # Recursively process any subsections within the current section
    subsections = section.find_all("sec")
    for subsection in subsections:
        extract_section_content(
            subsection, soup2, ori_title, tag_title, tag_subtitle, text_list
        )

find_parent_titles(title_element) ¤

Find the parent titles of a given title element in the document hierarchy.

Parameters:

Name Type Description Default
title_element Tag | NavigableString

A BeautifulSoup Tag or NavigableString object representing a title element.

required

Returns:

Type Description
list[str]

A list of parent titles in the document hierarchy.

Source code in autocorpus/parse_xml.py
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
def find_parent_titles(title_element: Tag | NavigableString) -> list[str]:
    """Find the parent titles of a given title element in the document hierarchy.

    Args:
        title_element: A BeautifulSoup Tag or NavigableString object representing a
            title element.

    Returns:
        A list of parent titles in the document hierarchy.
    """
    # Initialize an empty list to store parent titles
    parent_titles: list[str] = []

    # Find the immediate parent <sec> element of the given title element
    parent = title_element.find_parent(["sec"])

    # Traverse up the hierarchy of <sec> elements
    while parent:
        # Look for a <title> within the current parent <sec>
        title = parent.find("title")
        if title:
            # If a title is found, add it to the beginning of the parent_titles list
            parent_titles.insert(0, title.text)

        # Move up to the next parent <sec> in the hierarchy
        parent = parent.find_parent(["sec"])

    # Return the list of parent titles, ordered from topmost to immediate parent
    return parent_titles

fix_mojibake_string(bad_string) ¤

This function takes a string with badly formatted mojibake and return the same string fixed.

Parameters:

Name Type Description Default
bad_string str

string with mojibake errors.

required

Returns:

Type Description

the same string better formatted

Source code in autocorpus/parse_xml.py
79
80
81
82
83
84
85
86
87
88
89
90
91
92
def fix_mojibake_string(bad_string: str):
    """This function takes a string with badly formatted mojibake and return the same string fixed.

    Args:
        bad_string: string with mojibake errors.

    Returns:
        the same string better formatted
    """
    try:
        return bad_string.encode("latin1").decode("utf-8")
    except UnicodeEncodeError:
        # If it's already fine or can't be encoded in latin1
        return bad_string

replace_spaces_and_newlines(input_string) ¤

Replace multiple spaces and newline characters in a string with a single space.

Parameters:

Name Type Description Default
input_string str

The input string.

required

Returns:

Type Description
str

The updated string.

Source code in autocorpus/parse_xml.py
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
def replace_spaces_and_newlines(input_string: str) -> str:
    """Replace multiple spaces and newline characters in a string with a single space.

    Args:
        input_string: The input string.

    Returns:
        The updated string.
    """
    # Replace multiple spaces (2 or more) with a single space
    input_string = re.sub(r" {2,}", " ", input_string)

    # Replace newline characters ('\n') with spaces
    input_string = input_string.replace("\n", " ")

    # Return the result
    return input_string

replace_unicode_escape(input_string) ¤

Find and replace unicode escape sequences with the actual characters in a string.

Parameters:

Name Type Description Default
input_string str

The input string containing Unicode escape sequences.

required

Returns:

Type Description

The updated string with Unicode escape sequences replaced by actual characters.

Source code in autocorpus/parse_xml.py
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
def replace_unicode_escape(input_string: str):
    """Find and replace unicode escape sequences with the actual characters in a string.

    Args:
        input_string: The input string containing Unicode escape sequences.

    Returns:
        The updated string with Unicode escape sequences replaced by actual characters.
    """
    # Use a regular expression to find all Unicode escape sequences (e.g., \uXXXX)
    pattern = re.compile(r"\\u[0-9a-fA-F]{4}")
    # Replace Unicode escape sequences with actual characters
    output_string = pattern.sub(_replace_match, input_string)

    # Return the result
    return output_string