SlideShare una empresa de Scribd logo
1 de 41
Descargar para leer sin conexión
Standardising Swedish
genomics analyses
using nextflow
Phil Ewels
@ewels
@tallphil
Nextflow Meeting
2017-09-14
CRG, Barcelona
2 x MiSeq 5 x HiSeq 2500 5 x HiSeq X10 NovaSeq
RNA-Seq
WG Re-Seq
Targeted Re-Seq
Metagenomics
Others
0 2000 4000 6000 8000 10000 12000 14000
1,265
2,580
3,214
8,934
12,017
Number of
Samples in 2016
1141 Gbp/day
1X Human Genome
every 4 minutes
NGI stockholmstockholm
SciLifeLab NGI
CumulativeOutput(MBp)
0
250,000,000
500,000,000
750,000,000
1,000,000,000
Jan
2012
Sep
2012
M
ay
2013
Jan
2014
Sep
2014
M
ay
2015
Jan
2016
Sep
2016
M
ay
2017
NGI stockholmstockholm - sequencing output
SciLifeLab NGI
NGI bioinformatics
• Initial data analysis for major protocols
• Internal QC and standardised starting
point for users
• Team of 10 bioinformaticians
• Accredited facility
analysis requirements
Automated
Reliable
Easy for others to run
Reproducible results
icons: the noun project
NGI pipelines
NouGAT (de-novo)
what have we learnt?
sharing is caring
sharing is caring
• Open-source on GitHub from day one
• Easier help and feedback from others
• Other people may help to develop your code
• https://github.com/nextflow-io/awesome-nextflow
use containers
use containers
• Create a docker image, even if you don’t think you
need to
• Makes local and automated testing possible
• Future proof for cloud / singularity / other people
test, test and test again
test, test and test again
• Find a small test dataset
• Make a bash script to fetch data and launch pipeline
• Different flags to launch with different parameters
• Use Travis build matrix to launch parallel test runs
use versioned releases
use versioned releases
minimal configs
minimal configs
• Build config files around blocks of function
• Hardware / software deps / genome references
• Use nextflow profiles
• Even if only using ‘standard’ default
• Don’t be afraid to use multiple configs per profile
• Build on a base profile and be clever with
limits
minimal configs
def	check_max(obj,	type)	{	
		if(type	==	'memory'){	
				if(obj.compareTo(params.max_memory))	
						return	params.max_memory	
				else	
						return	obj	
		}	else	if(type	==	'time'){	
				if(obj.compareTo(params.max_time))	
						return	params.max_time	
				else	
						return	obj	
		}	else	if(type	==	'cpus'){	
				return	Math.min(	obj,	params.max_cpus	)	
		}	
}
nextflow.config
process	{	
		cpus	=	{	check_max(16,	'cpus')	}	
		memory	=	{	check_max(128.GB,	'memory')	}	
		time	=	{	check_max(10.h,	'time')	}	
}
conf/base.config
profiles	{	
		standard	{	
				includeConfig	'conf/base.config'	
				includeConfig	'conf/igenomes.config'	
				includeConfig	'conf/uppmax.config'	
		}	
		devel	{	
				includeConfig	'conf/base.config'	
				includeConfig	'conf/igenomes.config'	
				includeConfig	'conf/uppmax.config'	
				includeConfig	'conf/uppmax-dev.config'	
		}	
}
nextflow.config
params	{	
		max_cpus	=	1	
		max_memory	=	16.GB	
		max_time	=	1.h	
}
conf/uppmax-dev.config
reference genomes
reference genomes
params	{	
		genomes	{	
				'GRCh37'	{	
						fasta	=	'/refs/human/genome.fasta'	
						gtf	=	'/refs/human/genes.gtf'	
				}	
				'GRCm38'	{	
						fasta	=	'/refs/mouse/genome.fasta'	
						gtf	=	'/refs/mouse/genes.gtf'	
				}	
		}	
}
conf/references.conf
params.fasta	=	params.genome	?	params.genomes[	params.genome	].fasta	?:	false	:	false	
params.gtf	=	params.genome	?	params.genomes[	params.genome	].gtf	?:	false	:	false
main.nf
$	nextflow	run	main.nf	--genome	GRCh37
$	nextflow	run	main.nf	--fasta	/path/to/my/genome.fa
reference genomes
• illumina iGenomes is a great resource for this
• Standard organisation allows easy use of multiple
genomes
• Use AWS iGenomes for free on AWS S3
• See https://ewels.github.io/AWS-iGenomes/
problems we’ve hit
dodgy file patterns
dodgy file patterns
Channel	
				.fromFilePairs(	
								params.reads,	
								size:	-1	
				)
Channel	
				.fromFilePairs(	
								params.reads,	
								size:	params.singleEnd	?	1	:	2	
				)
If glob pattern doesn’t use {1,2}
then all PE files are run in SE mode
If glob pattern doesn’t use {1,2}
then pipeline exits with no matching files
overwriting params
overwriting params
//	Custom	trimming	options	
params.clip_r1	=	0	
params.clip_r2	=	0	
params.three_prime_clip_r1	=	0	
params.three_prime_clip_r2	=	0	
//	Preset	trimming	options	
params.pico	=	false	
if	(params.pico){	
		params.clip_r1	=	3	
		params.clip_r2	=	0	
		params.three_prime_clip_r1	=	0	
		params.three_prime_clip_r2	=	3	
}
//	Custom	trimming	options	
params.clip_r1	=	0	
params.clip_r2	=	0	
params.three_prime_clip_r1	=	0	
params.three_prime_clip_r2	=	0	
//	Define	regular	variables	
clip_r1	=	params.clip_r1	
clip_r2	=	params.clip_r2	
tp_clip_r1	=	params.three_prime_clip_r1	
tp_clip_r2	=	params.three_prime_clip_r2	
//	Preset	trimming	options	
params.pico	=	false	
if	(params.pico){	
		clip_r1	=	3	
		clip_r2	=	0	
		tp_clip_r1	=	0	
		tp_clip_r2	=	3	
}
regular variables
(this now triggers a
warning message)
quick-fire round
MultiQC in workflows
MultiQC in workflows
params.multiqc_config	=	"$baseDir/conf/multiqc_config.yaml"	
multiqc_config	=	file(params.multiqc_config)	
process	run_multiqc	{	
				input:	
				file	multiqc_config	
				file	('fastqc/*')	from	fastqc_results.collect()	
				file	('alignment/*')	from	alignment_logs.collect()	
				output:	
				file	"*multiqc_report.html"	into	multiqc_report	
				file	"*_data"	
				script:	
				"""	
				multiqc	-f	--config	$multiqc_config	.	
				"""	
}
extra_fn_clean_exts:	
				-	_R1	
				-	_R2	
report_comment:	>	
				This	report	has	been	generated	by	the	NGI-RNAseq	analysis	pipeline.	
				For	information	about	how	to	interpret	these	results,	please	see	the	docs.
conf/multiqc_config.yaml
software versions
process	get_software_versions	{	
				output:	
				file	'software_versions_mqc.yaml'	into	software_versions_yaml	
				script:	
				"""	
				echo	$pipeline_version	>	v_ngi_methylseq.txt	
				echo	$workflow.nextflow.version	>	v_nextflow.txt	
				fastqc	--version	>	v_fastqc.txt	
				samtools	--version	>	v_samtools.txt	
				scrape_software_versions.py	>	software_versions_mqc.yaml	
				"""	
}
main.nf
email notifications
email notifications
workflow.onComplete	{	
				def	subject	=	'My	pipeline	execution'	
				def	recipient	=	'me@gmail.com'	
				['mail',	'-s',	subject,	recipient].execute()	<<	"""	
				Pipeline	execution	summary	
				---------------------------	
				Completed	at:	${workflow.complete}	
				Duration				:	${workflow.duration}	
				Success					:	${workflow.success}	
				workDir					:	${workflow.workDir}	
				exit	status	:	${workflow.exitStatus}	
				Error	report:	${workflow.errorReport	?:	'-'}	
				"""	
}
Nextflow documentation
email notifications
workflow.onComplete	{	
				//	Render	the	HTML	template	
				def	hf	=	new	File("$baseDir/assets/email_template.html")	
				def	html_template	=	engine.createTemplate(hf).make(email_fields)	
				def	email_html	=	html_template.toString()	
				//	Send	the	HTML	e-mail	
				if	(params.email)	{	
						[	'sendmail',	'-t'	].execute()	<<	sendmail_html	
						log.info	"[NGI-MethylSeq]	Sent	summary	e-mail	to	$params.email	(sendmail)"	
				}	
				//	Write	summary	e-mail	HTML	to	a	file	
				def	output_d	=	new	File(	"${params.outdir}/pipeline_info/"	)	
				if(	!output_d.exists()	)	{	
						output_d.mkdirs()	
				}	
				def	output_hf	=	new	File(	output_d,	"pipeline_report.html"	)	
				output_hf.withWriter	{	w	->	w	<<	email_html	}	
}
main.nf
email notifications
<html>	
<head><title>NGI-MethylSeq	Pipeline	Report</title></head>	
<body>	
<h1>NGI-MethylSeq:	Bisulfite-Seq	Best	Practice	v${version}</h1>	
<h2>Run	Name:	$runName</h2>	
<%	if	(success){	
				out	<<	"""	
				<div	style="color:	green;">NGI-MethylSeq	execution	completed	successfully!</div>	
				"""	
}	else	{	
				out	<<	"""	
				<div	style="color:	#red;">	
								<h4>NGI-MethylSeq	execution	completed	unsuccessfully!</h4>	
								<p>The	exit	status	of	the	failed	task	was:	<code>$exitStatus</code>.</p>	
								<p>The	full	error	message	was:</p>	
								<pre>${errorReport}</pre>	
				</div>	
				"""	
}	
%>
assets/email_template.html
[NGI-RNAseq] Successful: Test RNA Run
email notifications
email notifications
email notifications
[NGI-RNAseq] FAILED: Test RNA Run
Groovy syntax highlighting
run-STAR	=	params.runstar
run-STAR	=	params.runstar
#!/usr/bin/env	nextflow	
/*	
vim:	syntax=groovy	
-*-	mode:	groovy;-*-	
*/
main.nf
without highlighting:
with highlighting:
saving intermediates
publishDir	"${params.outdir}/trim_galore",	
				mode:	'copy',	
				saveAs:	{fn	->	
								if	(fn.indexOf("_fastqc")	>	0)	"FastQC/$fn"	
								else	if	(fn.indexOf("trimming_report")	>	0)	"logs/$fn"	
								else	params.saveTrimmed	?	fn	:	null	
				}
publishDir	"${params.outdir}/STAR",	
				mode:	'copy',	
				saveAs:	{	
								fn	->	params.saveAlignedIntermediates	?	fn	:	null	
				}
future plans
• Use singularity for everything
• Benchmark AWS run pricing for future
planning
• Refine pipelines
• Improve resource requests
• Automate launch and run management
Phil Ewels
phil.ewels@scilifelab.se
ewels
tallphil
Acknowledgements
http://github.com/SciLifeLab
http://opensource.scilifelab.se
NGI stockholm
Max Käller
Rickard Hammarén
Denis Moreno
Francesco Vezzi
NGI Stockholm Genomics
Applications Development Group
Paolo Di Tommaso
The nextflow community

Más contenido relacionado

La actualidad más candente

OpenHPC: Community Building Blocks for HPC Systems
OpenHPC: Community Building Blocks for HPC SystemsOpenHPC: Community Building Blocks for HPC Systems
OpenHPC: Community Building Blocks for HPC Systemsinside-BigData.com
 
MongoDB - Sharded Cluster Tutorial
MongoDB - Sharded Cluster TutorialMongoDB - Sharded Cluster Tutorial
MongoDB - Sharded Cluster TutorialJason Terpko
 
Unified Batch & Stream Processing with Apache Samza
Unified Batch & Stream Processing with Apache SamzaUnified Batch & Stream Processing with Apache Samza
Unified Batch & Stream Processing with Apache SamzaDataWorks Summit
 
Node Interactive Debugging Node.js In Production
Node Interactive Debugging Node.js In ProductionNode Interactive Debugging Node.js In Production
Node Interactive Debugging Node.js In ProductionYunong Xiao
 
Luca Ceresoli - Buildroot vs Yocto: Differences for Your Daily Job
Luca Ceresoli - Buildroot vs Yocto: Differences for Your Daily JobLuca Ceresoli - Buildroot vs Yocto: Differences for Your Daily Job
Luca Ceresoli - Buildroot vs Yocto: Differences for Your Daily Joblinuxlab_conf
 
Nextflow Camp 2019: nf-core tutorial
Nextflow Camp 2019: nf-core tutorialNextflow Camp 2019: nf-core tutorial
Nextflow Camp 2019: nf-core tutorialPhil Ewels
 
Spack - A Package Manager for HPC
Spack - A Package Manager for HPCSpack - A Package Manager for HPC
Spack - A Package Manager for HPCinside-BigData.com
 
Single-cell RNA-seq tutorial
Single-cell RNA-seq tutorialSingle-cell RNA-seq tutorial
Single-cell RNA-seq tutorialAaron Diaz
 
Cfgmgmtcamp 2023 — eBPF Superpowers
Cfgmgmtcamp 2023 — eBPF SuperpowersCfgmgmtcamp 2023 — eBPF Superpowers
Cfgmgmtcamp 2023 — eBPF SuperpowersRaphaël PINSON
 
Enabling new protocol processing with DPDK using Dynamic Device Personalization
Enabling new protocol processing with DPDK using Dynamic Device PersonalizationEnabling new protocol processing with DPDK using Dynamic Device Personalization
Enabling new protocol processing with DPDK using Dynamic Device PersonalizationMichelle Holley
 
The columnar roadmap: Apache Parquet and Apache Arrow
The columnar roadmap: Apache Parquet and Apache ArrowThe columnar roadmap: Apache Parquet and Apache Arrow
The columnar roadmap: Apache Parquet and Apache ArrowJulien Le Dem
 
Finding the Right Primers: Using NCBI for RT-PCR Primer Design
Finding the Right Primers: Using NCBI for RT-PCR Primer DesignFinding the Right Primers: Using NCBI for RT-PCR Primer Design
Finding the Right Primers: Using NCBI for RT-PCR Primer DesignIntegrated DNA Technologies
 
Epoll - from the kernel side
Epoll -  from the kernel sideEpoll -  from the kernel side
Epoll - from the kernel sidellj098
 
Kernel advantages for Istio realized with Cilium
Kernel advantages for Istio realized with CiliumKernel advantages for Istio realized with Cilium
Kernel advantages for Istio realized with CiliumCynthia Thomas
 
Innovative NGS Library Construction Technology
Innovative NGS Library Construction TechnologyInnovative NGS Library Construction Technology
Innovative NGS Library Construction TechnologyQIAGEN
 

La actualidad más candente (20)

OpenHPC: Community Building Blocks for HPC Systems
OpenHPC: Community Building Blocks for HPC SystemsOpenHPC: Community Building Blocks for HPC Systems
OpenHPC: Community Building Blocks for HPC Systems
 
MongoDB - Sharded Cluster Tutorial
MongoDB - Sharded Cluster TutorialMongoDB - Sharded Cluster Tutorial
MongoDB - Sharded Cluster Tutorial
 
NUMA and Java Databases
NUMA and Java DatabasesNUMA and Java Databases
NUMA and Java Databases
 
Unified Batch & Stream Processing with Apache Samza
Unified Batch & Stream Processing with Apache SamzaUnified Batch & Stream Processing with Apache Samza
Unified Batch & Stream Processing with Apache Samza
 
Node Interactive Debugging Node.js In Production
Node Interactive Debugging Node.js In ProductionNode Interactive Debugging Node.js In Production
Node Interactive Debugging Node.js In Production
 
Luca Ceresoli - Buildroot vs Yocto: Differences for Your Daily Job
Luca Ceresoli - Buildroot vs Yocto: Differences for Your Daily JobLuca Ceresoli - Buildroot vs Yocto: Differences for Your Daily Job
Luca Ceresoli - Buildroot vs Yocto: Differences for Your Daily Job
 
Overview of Next Gen Sequencing Data Analysis
Overview of Next Gen Sequencing Data AnalysisOverview of Next Gen Sequencing Data Analysis
Overview of Next Gen Sequencing Data Analysis
 
Nextflow Camp 2019: nf-core tutorial
Nextflow Camp 2019: nf-core tutorialNextflow Camp 2019: nf-core tutorial
Nextflow Camp 2019: nf-core tutorial
 
Spack - A Package Manager for HPC
Spack - A Package Manager for HPCSpack - A Package Manager for HPC
Spack - A Package Manager for HPC
 
Single-cell RNA-seq tutorial
Single-cell RNA-seq tutorialSingle-cell RNA-seq tutorial
Single-cell RNA-seq tutorial
 
Cfgmgmtcamp 2023 — eBPF Superpowers
Cfgmgmtcamp 2023 — eBPF SuperpowersCfgmgmtcamp 2023 — eBPF Superpowers
Cfgmgmtcamp 2023 — eBPF Superpowers
 
Enabling new protocol processing with DPDK using Dynamic Device Personalization
Enabling new protocol processing with DPDK using Dynamic Device PersonalizationEnabling new protocol processing with DPDK using Dynamic Device Personalization
Enabling new protocol processing with DPDK using Dynamic Device Personalization
 
The columnar roadmap: Apache Parquet and Apache Arrow
The columnar roadmap: Apache Parquet and Apache ArrowThe columnar roadmap: Apache Parquet and Apache Arrow
The columnar roadmap: Apache Parquet and Apache Arrow
 
Finding the Right Primers: Using NCBI for RT-PCR Primer Design
Finding the Right Primers: Using NCBI for RT-PCR Primer DesignFinding the Right Primers: Using NCBI for RT-PCR Primer Design
Finding the Right Primers: Using NCBI for RT-PCR Primer Design
 
Epoll - from the kernel side
Epoll -  from the kernel sideEpoll -  from the kernel side
Epoll - from the kernel side
 
Kernel advantages for Istio realized with Cilium
Kernel advantages for Istio realized with CiliumKernel advantages for Istio realized with Cilium
Kernel advantages for Istio realized with Cilium
 
L'élevage laitier, source de fertilité des sols
L'élevage laitier, source de fertilité des solsL'élevage laitier, source de fertilité des sols
L'élevage laitier, source de fertilité des sols
 
Apache flink
Apache flinkApache flink
Apache flink
 
Bioinformatics: What, Why and Where?
Bioinformatics: What, Why and Where?Bioinformatics: What, Why and Where?
Bioinformatics: What, Why and Where?
 
Innovative NGS Library Construction Technology
Innovative NGS Library Construction TechnologyInnovative NGS Library Construction Technology
Innovative NGS Library Construction Technology
 

Similar a Standardising Swedish genomics analyses using nextflow

NBIS ChIP-seq course
NBIS ChIP-seq courseNBIS ChIP-seq course
NBIS ChIP-seq coursePhil Ewels
 
Let's Compare: A Benchmark review of InfluxDB and Elasticsearch
Let's Compare: A Benchmark review of InfluxDB and ElasticsearchLet's Compare: A Benchmark review of InfluxDB and Elasticsearch
Let's Compare: A Benchmark review of InfluxDB and ElasticsearchInfluxData
 
NBIS RNA-seq course
NBIS RNA-seq courseNBIS RNA-seq course
NBIS RNA-seq coursePhil Ewels
 
AWS re:Invent 2016: Large-Scale, Cloud-Based Analysis of Cancer Genomes: Less...
AWS re:Invent 2016: Large-Scale, Cloud-Based Analysis of Cancer Genomes: Less...AWS re:Invent 2016: Large-Scale, Cloud-Based Analysis of Cancer Genomes: Less...
AWS re:Invent 2016: Large-Scale, Cloud-Based Analysis of Cancer Genomes: Less...Amazon Web Services
 
Ceph Day San Jose - All-Flahs Ceph on NUMA-Balanced Server
Ceph Day San Jose - All-Flahs Ceph on NUMA-Balanced Server Ceph Day San Jose - All-Flahs Ceph on NUMA-Balanced Server
Ceph Day San Jose - All-Flahs Ceph on NUMA-Balanced Server Ceph Community
 
How the Automation of a Benchmark Famework Keeps Pace with the Dev Cycle at I...
How the Automation of a Benchmark Famework Keeps Pace with the Dev Cycle at I...How the Automation of a Benchmark Famework Keeps Pace with the Dev Cycle at I...
How the Automation of a Benchmark Famework Keeps Pace with the Dev Cycle at I...DevOps.com
 
Ontology-based data access: why it is so cool!
Ontology-based data access: why it is so cool!Ontology-based data access: why it is so cool!
Ontology-based data access: why it is so cool!Josef Hardi
 
Ceph: Open Source Storage Software Optimizations on Intel® Architecture for C...
Ceph: Open Source Storage Software Optimizations on Intel® Architecture for C...Ceph: Open Source Storage Software Optimizations on Intel® Architecture for C...
Ceph: Open Source Storage Software Optimizations on Intel® Architecture for C...Odinot Stanislas
 
Pynvme introduction
Pynvme introductionPynvme introduction
Pynvme introductionCrane Chu
 
CEPH DAY BERLIN - CEPH ON THE BRAIN!
CEPH DAY BERLIN - CEPH ON THE BRAIN!CEPH DAY BERLIN - CEPH ON THE BRAIN!
CEPH DAY BERLIN - CEPH ON THE BRAIN!Ceph Community
 
OSMC 2012 | Neues in Nagios 4.0 by Andreas Ericsson
OSMC 2012 | Neues in Nagios 4.0 by Andreas EricssonOSMC 2012 | Neues in Nagios 4.0 by Andreas Ericsson
OSMC 2012 | Neues in Nagios 4.0 by Andreas EricssonNETWAYS
 
Using Deep Learning on Apache Spark to Diagnose Thoracic Pathology from Chest...
Using Deep Learning on Apache Spark to Diagnose Thoracic Pathology from Chest...Using Deep Learning on Apache Spark to Diagnose Thoracic Pathology from Chest...
Using Deep Learning on Apache Spark to Diagnose Thoracic Pathology from Chest...Databricks
 
FPGAs in the cloud? (October 2017)
FPGAs in the cloud? (October 2017)FPGAs in the cloud? (October 2017)
FPGAs in the cloud? (October 2017)Julien SIMON
 
High Performance With Java
High Performance With JavaHigh Performance With Java
High Performance With Javamalduarte
 
What to expect from Java 9
What to expect from Java 9What to expect from Java 9
What to expect from Java 9Ivan Krylov
 
OS for AI: Elastic Microservices & the Next Gen of ML
OS for AI: Elastic Microservices & the Next Gen of MLOS for AI: Elastic Microservices & the Next Gen of ML
OS for AI: Elastic Microservices & the Next Gen of MLNordic APIs
 
Kognitio - an overview
Kognitio - an overviewKognitio - an overview
Kognitio - an overviewKognitio
 

Similar a Standardising Swedish genomics analyses using nextflow (20)

NBIS ChIP-seq course
NBIS ChIP-seq courseNBIS ChIP-seq course
NBIS ChIP-seq course
 
Let's Compare: A Benchmark review of InfluxDB and Elasticsearch
Let's Compare: A Benchmark review of InfluxDB and ElasticsearchLet's Compare: A Benchmark review of InfluxDB and Elasticsearch
Let's Compare: A Benchmark review of InfluxDB and Elasticsearch
 
NBIS RNA-seq course
NBIS RNA-seq courseNBIS RNA-seq course
NBIS RNA-seq course
 
AWS re:Invent 2016: Large-Scale, Cloud-Based Analysis of Cancer Genomes: Less...
AWS re:Invent 2016: Large-Scale, Cloud-Based Analysis of Cancer Genomes: Less...AWS re:Invent 2016: Large-Scale, Cloud-Based Analysis of Cancer Genomes: Less...
AWS re:Invent 2016: Large-Scale, Cloud-Based Analysis of Cancer Genomes: Less...
 
Ceph Day San Jose - All-Flahs Ceph on NUMA-Balanced Server
Ceph Day San Jose - All-Flahs Ceph on NUMA-Balanced Server Ceph Day San Jose - All-Flahs Ceph on NUMA-Balanced Server
Ceph Day San Jose - All-Flahs Ceph on NUMA-Balanced Server
 
How the Automation of a Benchmark Famework Keeps Pace with the Dev Cycle at I...
How the Automation of a Benchmark Famework Keeps Pace with the Dev Cycle at I...How the Automation of a Benchmark Famework Keeps Pace with the Dev Cycle at I...
How the Automation of a Benchmark Famework Keeps Pace with the Dev Cycle at I...
 
Ontology-based data access: why it is so cool!
Ontology-based data access: why it is so cool!Ontology-based data access: why it is so cool!
Ontology-based data access: why it is so cool!
 
Ceph
CephCeph
Ceph
 
Ceph: Open Source Storage Software Optimizations on Intel® Architecture for C...
Ceph: Open Source Storage Software Optimizations on Intel® Architecture for C...Ceph: Open Source Storage Software Optimizations on Intel® Architecture for C...
Ceph: Open Source Storage Software Optimizations on Intel® Architecture for C...
 
Pynvme introduction
Pynvme introductionPynvme introduction
Pynvme introduction
 
CEPH DAY BERLIN - CEPH ON THE BRAIN!
CEPH DAY BERLIN - CEPH ON THE BRAIN!CEPH DAY BERLIN - CEPH ON THE BRAIN!
CEPH DAY BERLIN - CEPH ON THE BRAIN!
 
Manycores for the Masses
Manycores for the MassesManycores for the Masses
Manycores for the Masses
 
MAVRL Workshop 2014 - Python Materials Genomics (pymatgen)
MAVRL Workshop 2014 - Python Materials Genomics (pymatgen)MAVRL Workshop 2014 - Python Materials Genomics (pymatgen)
MAVRL Workshop 2014 - Python Materials Genomics (pymatgen)
 
OSMC 2012 | Neues in Nagios 4.0 by Andreas Ericsson
OSMC 2012 | Neues in Nagios 4.0 by Andreas EricssonOSMC 2012 | Neues in Nagios 4.0 by Andreas Ericsson
OSMC 2012 | Neues in Nagios 4.0 by Andreas Ericsson
 
Using Deep Learning on Apache Spark to Diagnose Thoracic Pathology from Chest...
Using Deep Learning on Apache Spark to Diagnose Thoracic Pathology from Chest...Using Deep Learning on Apache Spark to Diagnose Thoracic Pathology from Chest...
Using Deep Learning on Apache Spark to Diagnose Thoracic Pathology from Chest...
 
FPGAs in the cloud? (October 2017)
FPGAs in the cloud? (October 2017)FPGAs in the cloud? (October 2017)
FPGAs in the cloud? (October 2017)
 
High Performance With Java
High Performance With JavaHigh Performance With Java
High Performance With Java
 
What to expect from Java 9
What to expect from Java 9What to expect from Java 9
What to expect from Java 9
 
OS for AI: Elastic Microservices & the Next Gen of ML
OS for AI: Elastic Microservices & the Next Gen of MLOS for AI: Elastic Microservices & the Next Gen of ML
OS for AI: Elastic Microservices & the Next Gen of ML
 
Kognitio - an overview
Kognitio - an overviewKognitio - an overview
Kognitio - an overview
 

Más de Phil Ewels

ELIXIR Proteomics Community - Connection with nf-core
ELIXIR Proteomics Community - Connection with nf-coreELIXIR Proteomics Community - Connection with nf-core
ELIXIR Proteomics Community - Connection with nf-corePhil Ewels
 
Coffee 'n code: Regexes
Coffee 'n code: RegexesCoffee 'n code: Regexes
Coffee 'n code: RegexesPhil Ewels
 
EpiChrom 2019 - Updates in Epigenomics at the NGI
EpiChrom 2019 - Updates in Epigenomics at the NGIEpiChrom 2019 - Updates in Epigenomics at the NGI
EpiChrom 2019 - Updates in Epigenomics at the NGIPhil Ewels
 
The future of genomics in the cloud
The future of genomics in the cloudThe future of genomics in the cloud
The future of genomics in the cloudPhil Ewels
 
SciLifeLab NGI NovaSeq seminar
SciLifeLab NGI NovaSeq seminarSciLifeLab NGI NovaSeq seminar
SciLifeLab NGI NovaSeq seminarPhil Ewels
 
Lecture: NGS at the National Genomics Infrastructure
Lecture: NGS at the National Genomics InfrastructureLecture: NGS at the National Genomics Infrastructure
Lecture: NGS at the National Genomics InfrastructurePhil Ewels
 
SBW 2016: MultiQC Workshop
SBW 2016: MultiQC WorkshopSBW 2016: MultiQC Workshop
SBW 2016: MultiQC WorkshopPhil Ewels
 
Whole Genome Sequencing - Data Processing and QC at SciLifeLab NGI
Whole Genome Sequencing - Data Processing and QC at SciLifeLab NGIWhole Genome Sequencing - Data Processing and QC at SciLifeLab NGI
Whole Genome Sequencing - Data Processing and QC at SciLifeLab NGIPhil Ewels
 
Developing Reliable QC at the Swedish National Genomics Infrastructure
Developing Reliable QC at the Swedish National Genomics InfrastructureDeveloping Reliable QC at the Swedish National Genomics Infrastructure
Developing Reliable QC at the Swedish National Genomics InfrastructurePhil Ewels
 
Using visual aids effectively
Using visual aids effectivelyUsing visual aids effectively
Using visual aids effectivelyPhil Ewels
 
Analysis of ChIP-Seq Data
Analysis of ChIP-Seq DataAnalysis of ChIP-Seq Data
Analysis of ChIP-Seq DataPhil Ewels
 
Internet McMenemy
Internet McMenemyInternet McMenemy
Internet McMenemyPhil Ewels
 

Más de Phil Ewels (12)

ELIXIR Proteomics Community - Connection with nf-core
ELIXIR Proteomics Community - Connection with nf-coreELIXIR Proteomics Community - Connection with nf-core
ELIXIR Proteomics Community - Connection with nf-core
 
Coffee 'n code: Regexes
Coffee 'n code: RegexesCoffee 'n code: Regexes
Coffee 'n code: Regexes
 
EpiChrom 2019 - Updates in Epigenomics at the NGI
EpiChrom 2019 - Updates in Epigenomics at the NGIEpiChrom 2019 - Updates in Epigenomics at the NGI
EpiChrom 2019 - Updates in Epigenomics at the NGI
 
The future of genomics in the cloud
The future of genomics in the cloudThe future of genomics in the cloud
The future of genomics in the cloud
 
SciLifeLab NGI NovaSeq seminar
SciLifeLab NGI NovaSeq seminarSciLifeLab NGI NovaSeq seminar
SciLifeLab NGI NovaSeq seminar
 
Lecture: NGS at the National Genomics Infrastructure
Lecture: NGS at the National Genomics InfrastructureLecture: NGS at the National Genomics Infrastructure
Lecture: NGS at the National Genomics Infrastructure
 
SBW 2016: MultiQC Workshop
SBW 2016: MultiQC WorkshopSBW 2016: MultiQC Workshop
SBW 2016: MultiQC Workshop
 
Whole Genome Sequencing - Data Processing and QC at SciLifeLab NGI
Whole Genome Sequencing - Data Processing and QC at SciLifeLab NGIWhole Genome Sequencing - Data Processing and QC at SciLifeLab NGI
Whole Genome Sequencing - Data Processing and QC at SciLifeLab NGI
 
Developing Reliable QC at the Swedish National Genomics Infrastructure
Developing Reliable QC at the Swedish National Genomics InfrastructureDeveloping Reliable QC at the Swedish National Genomics Infrastructure
Developing Reliable QC at the Swedish National Genomics Infrastructure
 
Using visual aids effectively
Using visual aids effectivelyUsing visual aids effectively
Using visual aids effectively
 
Analysis of ChIP-Seq Data
Analysis of ChIP-Seq DataAnalysis of ChIP-Seq Data
Analysis of ChIP-Seq Data
 
Internet McMenemy
Internet McMenemyInternet McMenemy
Internet McMenemy
 

Último

Pests of cotton_Borer_Pests_Binomics_Dr.UPR.pdf
Pests of cotton_Borer_Pests_Binomics_Dr.UPR.pdfPests of cotton_Borer_Pests_Binomics_Dr.UPR.pdf
Pests of cotton_Borer_Pests_Binomics_Dr.UPR.pdfPirithiRaju
 
Seismic Method Estimate velocity from seismic data.pptx
Seismic Method Estimate velocity from seismic  data.pptxSeismic Method Estimate velocity from seismic  data.pptx
Seismic Method Estimate velocity from seismic data.pptxAlMamun560346
 
American Type Culture Collection (ATCC).pptx
American Type Culture Collection (ATCC).pptxAmerican Type Culture Collection (ATCC).pptx
American Type Culture Collection (ATCC).pptxabhishekdhamu51
 
Labelling Requirements and Label Claims for Dietary Supplements and Recommend...
Labelling Requirements and Label Claims for Dietary Supplements and Recommend...Labelling Requirements and Label Claims for Dietary Supplements and Recommend...
Labelling Requirements and Label Claims for Dietary Supplements and Recommend...Lokesh Kothari
 
9999266834 Call Girls In Noida Sector 22 (Delhi) Call Girl Service
9999266834 Call Girls In Noida Sector 22 (Delhi) Call Girl Service9999266834 Call Girls In Noida Sector 22 (Delhi) Call Girl Service
9999266834 Call Girls In Noida Sector 22 (Delhi) Call Girl Servicenishacall1
 
Justdial Call Girls In Indirapuram, Ghaziabad, 8800357707 Escorts Service
Justdial Call Girls In Indirapuram, Ghaziabad, 8800357707 Escorts ServiceJustdial Call Girls In Indirapuram, Ghaziabad, 8800357707 Escorts Service
Justdial Call Girls In Indirapuram, Ghaziabad, 8800357707 Escorts Servicemonikaservice1
 
Call Girls Alandi Call Me 7737669865 Budget Friendly No Advance Booking
Call Girls Alandi Call Me 7737669865 Budget Friendly No Advance BookingCall Girls Alandi Call Me 7737669865 Budget Friendly No Advance Booking
Call Girls Alandi Call Me 7737669865 Budget Friendly No Advance Bookingroncy bisnoi
 
Connaught Place, Delhi Call girls :8448380779 Model Escorts | 100% verified
Connaught Place, Delhi Call girls :8448380779 Model Escorts | 100% verifiedConnaught Place, Delhi Call girls :8448380779 Model Escorts | 100% verified
Connaught Place, Delhi Call girls :8448380779 Model Escorts | 100% verifiedDelhi Call girls
 
Factory Acceptance Test( FAT).pptx .
Factory Acceptance Test( FAT).pptx       .Factory Acceptance Test( FAT).pptx       .
Factory Acceptance Test( FAT).pptx .Poonam Aher Patil
 
Forensic Biology & Its biological significance.pdf
Forensic Biology & Its biological significance.pdfForensic Biology & Its biological significance.pdf
Forensic Biology & Its biological significance.pdfrohankumarsinghrore1
 
Hire 💕 9907093804 Hooghly Call Girls Service Call Girls Agency
Hire 💕 9907093804 Hooghly Call Girls Service Call Girls AgencyHire 💕 9907093804 Hooghly Call Girls Service Call Girls Agency
Hire 💕 9907093804 Hooghly Call Girls Service Call Girls AgencySheetal Arora
 
Botany 4th semester file By Sumit Kumar yadav.pdf
Botany 4th semester file By Sumit Kumar yadav.pdfBotany 4th semester file By Sumit Kumar yadav.pdf
Botany 4th semester file By Sumit Kumar yadav.pdfSumit Kumar yadav
 
Botany 4th semester series (krishna).pdf
Botany 4th semester series (krishna).pdfBotany 4th semester series (krishna).pdf
Botany 4th semester series (krishna).pdfSumit Kumar yadav
 
Bacterial Identification and Classifications
Bacterial Identification and ClassificationsBacterial Identification and Classifications
Bacterial Identification and ClassificationsAreesha Ahmad
 
module for grade 9 for distance learning
module for grade 9 for distance learningmodule for grade 9 for distance learning
module for grade 9 for distance learninglevieagacer
 
Pests of cotton_Sucking_Pests_Dr.UPR.pdf
Pests of cotton_Sucking_Pests_Dr.UPR.pdfPests of cotton_Sucking_Pests_Dr.UPR.pdf
Pests of cotton_Sucking_Pests_Dr.UPR.pdfPirithiRaju
 
Feature-aligned N-BEATS with Sinkhorn divergence (ICLR '24)
Feature-aligned N-BEATS with Sinkhorn divergence (ICLR '24)Feature-aligned N-BEATS with Sinkhorn divergence (ICLR '24)
Feature-aligned N-BEATS with Sinkhorn divergence (ICLR '24)Joonhun Lee
 
Chemistry 4th semester series (krishna).pdf
Chemistry 4th semester series (krishna).pdfChemistry 4th semester series (krishna).pdf
Chemistry 4th semester series (krishna).pdfSumit Kumar yadav
 
High Profile 🔝 8250077686 📞 Call Girls Service in GTB Nagar🍑
High Profile 🔝 8250077686 📞 Call Girls Service in GTB Nagar🍑High Profile 🔝 8250077686 📞 Call Girls Service in GTB Nagar🍑
High Profile 🔝 8250077686 📞 Call Girls Service in GTB Nagar🍑Damini Dixit
 

Último (20)

Pests of cotton_Borer_Pests_Binomics_Dr.UPR.pdf
Pests of cotton_Borer_Pests_Binomics_Dr.UPR.pdfPests of cotton_Borer_Pests_Binomics_Dr.UPR.pdf
Pests of cotton_Borer_Pests_Binomics_Dr.UPR.pdf
 
Seismic Method Estimate velocity from seismic data.pptx
Seismic Method Estimate velocity from seismic  data.pptxSeismic Method Estimate velocity from seismic  data.pptx
Seismic Method Estimate velocity from seismic data.pptx
 
American Type Culture Collection (ATCC).pptx
American Type Culture Collection (ATCC).pptxAmerican Type Culture Collection (ATCC).pptx
American Type Culture Collection (ATCC).pptx
 
Labelling Requirements and Label Claims for Dietary Supplements and Recommend...
Labelling Requirements and Label Claims for Dietary Supplements and Recommend...Labelling Requirements and Label Claims for Dietary Supplements and Recommend...
Labelling Requirements and Label Claims for Dietary Supplements and Recommend...
 
9999266834 Call Girls In Noida Sector 22 (Delhi) Call Girl Service
9999266834 Call Girls In Noida Sector 22 (Delhi) Call Girl Service9999266834 Call Girls In Noida Sector 22 (Delhi) Call Girl Service
9999266834 Call Girls In Noida Sector 22 (Delhi) Call Girl Service
 
Justdial Call Girls In Indirapuram, Ghaziabad, 8800357707 Escorts Service
Justdial Call Girls In Indirapuram, Ghaziabad, 8800357707 Escorts ServiceJustdial Call Girls In Indirapuram, Ghaziabad, 8800357707 Escorts Service
Justdial Call Girls In Indirapuram, Ghaziabad, 8800357707 Escorts Service
 
Call Girls Alandi Call Me 7737669865 Budget Friendly No Advance Booking
Call Girls Alandi Call Me 7737669865 Budget Friendly No Advance BookingCall Girls Alandi Call Me 7737669865 Budget Friendly No Advance Booking
Call Girls Alandi Call Me 7737669865 Budget Friendly No Advance Booking
 
Connaught Place, Delhi Call girls :8448380779 Model Escorts | 100% verified
Connaught Place, Delhi Call girls :8448380779 Model Escorts | 100% verifiedConnaught Place, Delhi Call girls :8448380779 Model Escorts | 100% verified
Connaught Place, Delhi Call girls :8448380779 Model Escorts | 100% verified
 
Factory Acceptance Test( FAT).pptx .
Factory Acceptance Test( FAT).pptx       .Factory Acceptance Test( FAT).pptx       .
Factory Acceptance Test( FAT).pptx .
 
Forensic Biology & Its biological significance.pdf
Forensic Biology & Its biological significance.pdfForensic Biology & Its biological significance.pdf
Forensic Biology & Its biological significance.pdf
 
Hire 💕 9907093804 Hooghly Call Girls Service Call Girls Agency
Hire 💕 9907093804 Hooghly Call Girls Service Call Girls AgencyHire 💕 9907093804 Hooghly Call Girls Service Call Girls Agency
Hire 💕 9907093804 Hooghly Call Girls Service Call Girls Agency
 
Botany 4th semester file By Sumit Kumar yadav.pdf
Botany 4th semester file By Sumit Kumar yadav.pdfBotany 4th semester file By Sumit Kumar yadav.pdf
Botany 4th semester file By Sumit Kumar yadav.pdf
 
Botany 4th semester series (krishna).pdf
Botany 4th semester series (krishna).pdfBotany 4th semester series (krishna).pdf
Botany 4th semester series (krishna).pdf
 
Bacterial Identification and Classifications
Bacterial Identification and ClassificationsBacterial Identification and Classifications
Bacterial Identification and Classifications
 
module for grade 9 for distance learning
module for grade 9 for distance learningmodule for grade 9 for distance learning
module for grade 9 for distance learning
 
Clean In Place(CIP).pptx .
Clean In Place(CIP).pptx                 .Clean In Place(CIP).pptx                 .
Clean In Place(CIP).pptx .
 
Pests of cotton_Sucking_Pests_Dr.UPR.pdf
Pests of cotton_Sucking_Pests_Dr.UPR.pdfPests of cotton_Sucking_Pests_Dr.UPR.pdf
Pests of cotton_Sucking_Pests_Dr.UPR.pdf
 
Feature-aligned N-BEATS with Sinkhorn divergence (ICLR '24)
Feature-aligned N-BEATS with Sinkhorn divergence (ICLR '24)Feature-aligned N-BEATS with Sinkhorn divergence (ICLR '24)
Feature-aligned N-BEATS with Sinkhorn divergence (ICLR '24)
 
Chemistry 4th semester series (krishna).pdf
Chemistry 4th semester series (krishna).pdfChemistry 4th semester series (krishna).pdf
Chemistry 4th semester series (krishna).pdf
 
High Profile 🔝 8250077686 📞 Call Girls Service in GTB Nagar🍑
High Profile 🔝 8250077686 📞 Call Girls Service in GTB Nagar🍑High Profile 🔝 8250077686 📞 Call Girls Service in GTB Nagar🍑
High Profile 🔝 8250077686 📞 Call Girls Service in GTB Nagar🍑
 

Standardising Swedish genomics analyses using nextflow