-
Notifications
You must be signed in to change notification settings - Fork 36
/
grab_articles.py
208 lines (181 loc) · 6.56 KB
/
grab_articles.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
#!/usr/bin/env python
# coding: utf-8
"""Download new lab publication information from PubMed.
We use this script to periodically search for, and download information about,
new papers by either Dr. Laird or Dr. Sutherland.
This script uses BioPython's PubMed search tool to grab information from PubMed based on search
criteria.
Then, we build a publication-specific MarkDown file for each new paper.
A lot of the elements of the file are automatically set up.
The only thing you generally have to check is that the journal cover that the MarkDown file
automatically points to exists.
If the image doesn't exist, search online for a good one, export to PNG, and reduce the size to
~150px by 300px.
You might also want to check new papers for relevant info, like a link to a GitHub repository or
OpenNeuro collection, that might be found in the text.
Unfortunately, this notebook cannot find new preprints, so the associated website files must be
created manually.
We also have to merge those files with the version grabbed from PubMed once the preprint is
published by hand.
Steps
-----
1. Run this notebook.
2. If any new papers were grabbed, check the following:
a. The journal image exists.
b. The paper has either of the lab PIs as an author.
Ensure that it isn't by *another* AR Laird or MT Sutherland.
c. The paper is not a duplicate of a preprint or another version of the paper.
If so, merge the two versions.
3. Save the changes to the notebook.
4. Push changes to the notebook and affected files to GitHub.
5. Open a pull request to NBCLab/NBCLab.github.io.
"""
import re
from glob import glob
import pandas as pd
from Bio import Entrez, Medline
from dateutil import parser
# Only grab papers from after the lab PIs came to FIU.
searches = [
'"Laird AR"[AUTH] AND ("2012/01/01"[PDAT] : "3000/12/31"[PDAT])',
'"Sutherland MT"[AUTH] AND ("2012/01/01"[PDAT] : "3000/12/31"[PDAT])',
]
# Papers indexed on PubMed, but not captured by the searches.
other_pmids = [
"33749724",
"33932337",
]
pmid_search = "[PMID] OR ".join(other_pmids) + "[PMID]"
searches.append(pmid_search)
# Extract all publications matching term.
Entrez.email = "tsalo006@fiu.edu"
rows = []
for TERM in searches:
h = Entrez.esearch(db="pubmed", retmax="2", term=TERM)
result = Entrez.read(h)
print(f"Total number of publications containing {TERM}: {result['Count']}")
h_all = Entrez.esearch(db="pubmed", term=TERM, retmax=result["Count"])
result_all = Entrez.read(h_all)
ids_all = result_all["IdList"]
h = Entrez.efetch(db="pubmed", id=ids_all, rettype="medline", retmode="text")
records = Medline.parse(h)
acceptable_formats = [
"journal article",
"comparative study",
"editorial",
"introductory journal article",
]
for record in records:
if any([type_.lower() in acceptable_formats for type_ in record.get("PT")]):
pmid = record.get("PMID")
pmcid = record.get("PMC", "")
doi = [aid for aid in record.get("AID", []) if aid.endswith(" [doi]")]
if doi:
doi = doi[0].replace(" [doi]", "")
else:
doi = ""
title = record.get("TI").rstrip(".")
authors = record.get("AU")
pub_date = parser.parse(record.get("DP"))
year = pub_date.year
month = pub_date.month
day = pub_date.day
journal = record.get("TA")
volume = record.get("VI", "")
issue = record.get("IP", "")
pages = record.get("PG", "")
abstract = record.get("AB", "")
row = [
pmid,
pmcid,
doi,
title,
authors,
year,
month,
day,
journal,
volume,
issue,
pages,
abstract,
]
rows += [row]
# Save all relevant info from articles to a csv.
df = pd.DataFrame(
columns=[
"pmid",
"pmcid",
"doi",
"title",
"authors",
"year",
"month",
"day",
"journal",
"volume",
"issue",
"pages",
"abstract",
],
data=rows,
)
df = df.sort_values(by=["pmid"])
df.to_csv("articles.tsv", sep="\t", lineterminator="\n", index=False)
df = df.fillna("")
# Grab our markdown file template
with open("papers/_posts/template_with_stuff.md", "r") as fo:
template = fo.read()
old_papers = sorted(glob("papers/_posts/20*.md"))
# One paper is by another MT Sutherland.
# Something to do with mouse teeth.
skip_pmids = ["28650075"]
# Add papers we already have pages for.
old_pmids = skip_pmids
for pap in old_papers:
# Grab each existing article's PMID
with open(pap, "r") as fo:
dat = fo.readlines()
line = [lin for lin in dat if lin.startswith("pmid:")][0]
pmid = line.replace("pmid:", "").strip()
old_pmids.append(pmid)
old_pmids = [pmid for pmid in old_pmids if pmid]
print(f"{len(old_papers)} existing articles found.")
print(f"{len(old_pmids)} existing articles with PubMed IDs found.")
# Just a small check. Unnecessary for the notebook.
# journals = df["journal"].str.lower().unique()
# print(journals)
# Create files for new articles
for _, row in df.iterrows():
pmid = row["pmid"]
if str(pmid) not in old_pmids:
# This appears broken. 'authors' is now a list of strings.
# authors = ast.literal_eval(row['authors'])
authors = row["authors"]
nick = [re.sub(r"\W+", "", w) for w in row["title"].lower().split(" ")[:3]]
nickname = (
f"{row['year']}-{int(row['month']):02d}-{int(row['day']):02d}-"
f"{authors[0].split(' ')[0].lower()}-{'-'.join(nick)}"
)
nickname = nickname.replace(":", "")
journal = row["journal"]
image = f"/assets/images/papers/{'-'.join(journal.lower().split(' '))}.png"
title = row["title"].replace('"', "'")
completed = template.format(
title=title,
nickname=nickname,
authors=", ".join(authors),
year=int(row["year"]),
journal=journal,
volume=row["volume"],
image=image,
issue=row["issue"],
pages=row["pages"],
pmcid=row["pmcid"],
doi=row["doi"],
pmid=row["pmid"],
abstract=row["abstract"],
)
with open(f"papers/_posts/{nickname}.md", "w") as fo:
fo.write(completed)
print(f"New file created for {pmid}")