forked from ENCODE-DCC/hic-pipeline
-
Notifications
You must be signed in to change notification settings - Fork 0
/
make_input_json_from_portal.py
229 lines (204 loc) · 7.73 KB
/
make_input_json_from_portal.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
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
import argparse
import json
from pathlib import Path
from urllib.parse import urljoin
import requests
PORTAL_URL = "https://www.encodeproject.org"
REFERENCE_FILES = {
"GRCh38": {
"restriction_sites": {
"HindIII": urljoin(
PORTAL_URL, "/files/ENCFF984SUZ/@@download/ENCFF984SUZ.txt.gz"
),
"DpnII": urljoin(
PORTAL_URL, "/files/ENCFF132WAM/@@download/ENCFF132WAM.txt.gz"
),
"MboI": urljoin(
PORTAL_URL, "/files/ENCFF132WAM/@@download/ENCFF132WAM.txt.gz"
),
},
"bwa_index": urljoin(
PORTAL_URL, "/files/ENCFF643CGH/@@download/ENCFF643CGH.tar.gz"
),
"chrom_sizes": urljoin(
PORTAL_URL,
"/files/GRCh38_EBV.chrom.sizes/@@download/GRCh38_EBV.chrom.sizes.tsv",
),
}
}
ENZYMES = ("HindIII", "DpnII", "MboI", "none")
_NO_ENZYME_FRAGMENTATION_METHODS = (
"chemical (micrococcal nuclease)",
"chemical (DNaseI)",
"shearing (Covaris S2)",
)
ALLOWED_STATUSES = ("released", "in progress")
def main():
parser = get_parser()
args = parser.parse_args()
auth = read_auth_from_file(args.keypair_file)
experiment = get_experiment(args.accession, auth=auth)
fastqs = get_fastqs_from_experiment(experiment)
if args.ligation_site_regex is None:
enzymes = args.enzymes or get_enzymes_from_experiment(experiment)
input_json = get_input_json(
fastqs=fastqs,
assembly_name=args.assembly_name,
enzymes=enzymes,
no_delta=args.no_delta,
no_slice=args.no_slice,
)
else:
input_json = get_input_json(
fastqs=fastqs,
assembly_name=args.assembly_name,
ligation_site_regex=args.ligation_site_regex,
no_delta=args.no_delta,
no_slice=args.no_slice,
)
outfile = args.outfile or "{}.json".format(args.accession)
write_json_to_file(input_json, outfile)
def get_experiment(accession, auth=None):
response = requests.get(
urljoin(PORTAL_URL, accession),
auth=auth,
headers={"Accept": "application/json"},
)
response.raise_for_status()
return response.json()
def get_enzymes_from_experiment(experiment, enzymes=ENZYMES):
used_enzymes = []
fragmentation_methods = []
for replicate in experiment["replicates"]:
fragmentation_methods.extend(replicate["library"]["fragmentation_methods"])
fragmentation_methods = list(set(fragmentation_methods))
if len(fragmentation_methods) > 1:
raise ValueError(
"Currently only experiments with one fragmentation method are supported"
)
if fragmentation_methods[0] in _NO_ENZYME_FRAGMENTATION_METHODS:
return ["none"]
for enzyme in enzymes:
if enzyme in fragmentation_methods[0]:
used_enzymes.append(enzyme)
break
if not used_enzymes:
raise ValueError(
"Unsupported fragmentation method: {}".format(fragmentation_methods[0])
)
return used_enzymes
def get_fastqs_from_experiment(experiment):
fastq_pairs_by_replicate = {}
read_group_ids = set()
for file in experiment["files"]:
if file["file_format"] == "fastq" and file["status"] in ALLOWED_STATUSES:
biological_replicate = file["biological_replicates"][0]
paired_with = file.get("paired_with")
# Same as how juicer.sh does it, assumes "_R1" is used to indicated read 1
# It is perhaps a bit low level, but it is hard to construct a unique ID
# per read pair from other pieces of portal metadata. fastq signature is
# close but not readily useful
library_accession = file["replicate"]["library"].split("/")[2]
sample_name = experiment["accession"]
read_group_id = (
file["submitted_file_name"]
.split("/")[-1]
.replace(".fastq.gz", "")
.replace("_R1", "")
.replace("_R2", "")
)
if paired_with is not None:
platform = "ILLUMINA"
paired_with_file = [
f for f in experiment["files"] if f["@id"] == paired_with
][0]
if file["paired_end"] == "2":
file, paired_with_file = paired_with_file, file
fastq_pair = {
"read_1": urljoin(PORTAL_URL, file["href"]),
"read_2": urljoin(PORTAL_URL, paired_with_file["href"]),
}
else:
platform = "LS454"
fastq_pair = {
"read_1": urljoin(PORTAL_URL, file["href"]),
}
fastq_pair[
"read_group"
] = f"@RG\\tID:{read_group_id}\\tSM:{sample_name}\\tPL:{platform}\\tLB:{library_accession}"
replicate_fastqs = fastq_pairs_by_replicate.get(biological_replicate)
if replicate_fastqs is None:
fastq_pairs_by_replicate[biological_replicate] = []
if fastq_pair not in fastq_pairs_by_replicate[biological_replicate]:
if read_group_id not in read_group_ids:
read_group_ids.add(read_group_id)
else:
raise ValueError("Read group ids must be unique")
fastq_pairs_by_replicate[biological_replicate].append(fastq_pair)
output = [replicate for replicate in fastq_pairs_by_replicate.values()]
return output
def get_input_json(
fastqs,
assembly_name,
enzymes=None,
ligation_site_regex=None,
no_slice=False,
no_delta=False,
):
input_json = {
"hic.fastq": fastqs,
"hic.assembly_name": assembly_name,
"hic.chrsz": REFERENCE_FILES[assembly_name]["chrom_sizes"],
"hic.reference_index": REFERENCE_FILES[assembly_name]["bwa_index"],
}
if enzymes is not None:
input_json["hic.restriction_enzymes"] = enzymes
if enzymes != ["none"]:
input_json["hic.restriction_sites"] = REFERENCE_FILES[assembly_name][
"restriction_sites"
][enzymes[0]]
if ligation_site_regex is not None:
input_json["hic.ligation_site_regex"] = ligation_site_regex
if "read_2" not in fastqs[0][0]:
input_json["hic.intact"] = True
if no_slice:
input_json["hic.no_slice"] = True
if no_delta:
input_json["hic.no_delta"] = True
return input_json
def write_json_to_file(data, outfile):
Path(outfile).write_text(json.dumps(data, indent=2, sort_keys=True))
def read_auth_from_file(keypair_file):
keypair_path = Path(keypair_file).expanduser()
if keypair_path.exists():
data = json.loads(keypair_path.read_text())
return (data["submit"]["key"], data["submit"]["secret"])
else:
return None
def get_parser():
parser = argparse.ArgumentParser()
parser.add_argument(
"-a",
"--accession",
required=True,
help="Accession of portal experiment to generate input for",
)
parser.add_argument("--outfile")
parser.add_argument("--no-slice", action="store_true")
parser.add_argument("--no-delta", action="store_true")
parser.add_argument(
"-e", "--enzymes", nargs="+", help="Restriction enzymes used in experiment"
)
parser.add_argument(
"--keypair-file", help="Path to keypairs.json", default="~/keypairs.json"
)
parser.add_argument(
"--assembly-name",
choices=("GRCh38",),
default="GRCh38",
help="Name of assembly, mm10 is not yet supported",
)
parser.add_argument("--ligation-site-regex", help="Regex for ligation site")
return parser
if __name__ == "__main__":
main()