Repo to analyze population genetic data with many different methods

public public 1yr ago 0 bookmarks

Goal

This pipeline was built for the Peter et al 2019 manuscript on applying EEMS to a number of human populations and compares the results to PCA on the same datasets. The pipeline share here includes a workflow that comparisonn between several additional methods (listed below).

Reproducing results from Peter et al. 2019

As some of the data used requires permission, we are not free to redistribute it. To re-generate all figures from the paper, it will be necessary to

  1. acquire access to all data and create the master data set as described in the merge-pipeline

  2. change paths in config/config.json to reflect your working environment

  3. run snakemake all

Implementation details

Genotypic data is stored in plink format. Metadata/location data is stored using the PopGenStructures data format, with some minor (recommended) changes. The pipeline is implemented using Snakemake , using python for most data wrangling and R for most plotting

Implemented methods

Code Snippets

 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
library(dplyr)

old <- function(){
C <- snakemake@config$paper
panels <- names(C)

outfile <- snakemake@output$excluded
print(outfile)

excluded_table <- data.frame(panel=c(),
			     popId=c(),
			     abbrev=c(),
			     N=c())

pd <- read.csv(snakemake@input$pop_display)

for(panel in panels){
    print(panel)
#panel <- 'Southern Africa'
    main = C[[panel]][['main']]
    full = C[[panel]][['full']]
    if(is.null(full)){print("X!"); next};
    if(full == F){print("X2"); next};

    pg_m <- read.csv(sprintf("subset/%s.pop_geo", main))
    pg_f <- read.csv(sprintf("subset/%s.pop_geo", full))
    im_f <- read.csv(sprintf("subset/%s.indiv_meta", full))
    excluded_ids <- setdiff(pg_f %>% select(popId), pg_m %>% select(popId))

    n_excluded <-  excluded_ids %>% left_join(im_f) %>% 
	    group_by(popId) %>% summarize(N=n())
    tbl <- n_excluded %>% left_join(select(pd, popId, abbrev))
    tbl$panel <- panel
    tbl$full <- full
    tbl$main <- main
    excluded_table <- bind_rows(excluded_table, tbl)

}

excluded_table$panel <- factor(excluded_table$panel, levels=panels)
excluded_table <- excluded_table %>% arrange(panel, abbrev, N)

write.csv(excluded_table, file=outfile, row.names=F)


save.image(".excluded.rdebug")
}
 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
suppressPackageStartupMessages({
source("scripts/load_pop_meta.R") #load raw
source("scripts/ggeems/error.R")
source("scripts/config.R")
})
#save.image(".rdebug")

CC <- get_config(snakemake, plotname='error')

dist <- read.csv(snakemake@input$dist)
inddist <- read.csv(snakemake@input$inddist)
grid <- read.csv(snakemake@input$grid)
pd <- read.csv(snakemake@input$pop_display)
pg <- read.csv(snakemake@input$popgrid)
im <- read.csv(snakemake@input$ind_meta) %>%
    select(sampleId, popId)
nmax <- CC$nmax


pd <- annotate(pd)

dist_err <- get_marginal(dist, pd) 
P_dist_err <- plot_error(dist_err, CC$label,
                         CC$nmax)

grid_err <- get_marginal_grid(grid, pg, pd)
P_grid_err <- plot_error(grid_err, 'labels', CC$nmax)

worst_errors <- get_worst_errors(dist, pd)
P_worst_err <- plot_error(worst_errors, 'label', CC$nmax)

ind_err <- get_marginal_ind(inddist, im, pd)
P_ind_err <- plot_error(ind_err, "sampleId", CC$nmax)
#P_ind_err <- plot_error(ind_err, "pop", CC$nmax)
worst_ind_errors <- get_worst_errors_ind(inddist, im, pd)
P_worst_ind_err <- plot_error(worst_ind_errors, 'label', CC$nmax)

ggsave(snakemake@output$err_pop, P_dist_err, width=CC$width, height=CC$height)
ggsave(snakemake@output$err_grid, P_grid_err, width=CC$width, height=CC$height)
ggsave(snakemake@output$err_worst, P_worst_err, width=CC$width, height=CC$height)
ggsave(snakemake@output$err_ind, P_ind_err, width=CC$width, height=CC$height)
ggsave(snakemake@output$err_worst_ind, P_worst_ind_err, width=CC$width, height=CC$height)
saveRDS(P_dist_err,snakemake@output$err_pop_rds)
saveRDS(P_grid_err,snakemake@output$err_grid_rds)
saveRDS(P_worst_err,snakemake@output$err_worst_rds)
R From line 1 of ggeems/run_error.R
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
suppressPackageStartupMessages({
	library(ggplot2)
	library(dplyr)
	source("scripts/config.R")
	source("scripts/ggpca2d.R")
        source("scripts/themes.R")
})
C <- get_config(snakemake, 'pve')

pve <- read.table(snakemake@input$pve_file)[1:C$nmax,1]
df <- data.frame(PC=1:length(pve), pve=pve) 
G <- ggplot(df, aes(y=pve, x=as.factor(PC))) + geom_bar(stat="identity")  +
        pve_theme(base_size=C$theme_size)+ xlab("PC")
    ggsave(snakemake@output$png, G, width=C$width, height=C$height)
    saveRDS(G, snakemake@output$rds)
 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
library(SpaceMix)
library(dplyr)

make.spacemix.map <- function (spacemix.map.list, text = FALSE, ellipses = TRUE, source.option = TRUE, 
    xlim = NULL, ylim = NULL, ...) {
    with(spacemix.map.list, {
        plot(MAPP.geogen.coords, type = "n", xlim = xlim, ylim = ylim, 
            xlab = "", ylab = "", ...)
        if (ellipses) {
            lapply(1:k, FUN = function(i) {
                plot.credible.ellipse(pp.geogen.ellipses[[i]], 
                  color.vector[i])
            })
        }
        if (text) {
            text(MAPP.geogen.coords, col = color.vector, font = 2, 
                labels = name.vector, cex = 0.7)
        }
        if (source.option) {
            if (ellipses) {
                lapply(1:k, FUN = function(i) {
                  plot.credible.ellipse(pp.admix.source.ellipses[[i]], 
                    admix.source.color.vector[i], fading = 1, 
                    lty = 2)
                })
            }
            text(MAPP.admix.source.coords, col = admix.source.color.vector, 
                font = 3, labels = name.vector, cex = 0.7)
            plot.admix.arrows(MAPP.admix.source.coords, MAPP.geogen.coords, 
                admix.proportions = MCMC.output$admix.proportions[, 
                  best.iter], colors = admix.source.color.vector, 
                length = 0.1)
        }
        box(lwd = 2)
    })
    return(invisible("spacemix map!"))
}


plot_object <- function(opt, pop_meta, ...){
    make.spacemix.map.list(
        #MCMC.output.file=sprintf("%s/__LongRun/__space_MCMC_output1.Robj", opt),
        MCMC.output.file=opt,
        geographic.locations = as.matrix(pop_meta[,c('longitude', 'latitude')]),
        name.vector = pop_meta$name,
        color.vector = pop_meta$color,
        quantile = 0.95,
        burnin = 0)
}

    args <- commandArgs(T)
    if(exists('snakemake')){
        spm_out = snakemake@input$spacemix_output
        pop_geo = snakemake@input$pop_geo
        pop_display = snakemake@input$pop_display
        opt = snakemake@output[[1]]
    } else if(length(args) >=4){
        spm_out = args[1]
        pop_geo = args[2]
        pop_display = args[3]
        opt = args[4]
    }



        pop_g <- read.csv(pop_geo)
        pop_d <- read.csv(pop_display, strings=F)
        pop_meta <- pop_g %>% left_join(pop_d) %>% arrange(popId)
        #save.image('qqqtmpx')

        q <- SpaceMix::load_MCMC_output(spm_out)
        #saveRDS(q, 'temp_q.rds')
        pobj <- plot_object(spm_out, pop_meta)
        #saveRDS(pobj, 'temp.rds')
        png(opt, width=1600/2, height=600)
        make.spacemix.map(pobj, text=T, source.option=T,
            xlim=range(pop_g$longitude),
            ylim=range(pop_g$latitude))
        require(maps)
        points(pop_g$longitude, pop_g$latitude, pch=16, col='red')


        map(add=T)
        dev.off()
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
do_plot <- function(name){
library(maps)
p <- read.table(sprintf("subset/%s.polygon", name))
a <- read.csv(sprintf("subset/%s.pop_geo", name))                     


#pdf(sprintf("subset/%s_sample_map.pdf", name), width=8)
png(sprintf("subset/%s_sample_map.png", name), height=5*300, width=5*300)
plot(p, type='l', col='red', lty=2, lwd=2, asp=1); map(add=T)                           
text(a$longitude, a$latitude, a$popId, col='black', pch=16, cex=2) 
dev.off()
}


do_plot(snakemake@wildcards$name)
 9
10
script: 
    "../" + "scripts/construct/make_mat.R"
20
script: "../" + "scripts/construct/make_coords.R"
30
script: "../" + "scripts/construct/run.R"
13
14
15
16
17
18
19
20
    script: "../" + gidscript
rule eems_ind_dist:
    input:
        geodist="dists/{name}.eemsdist0",
        indiv_meta="subset/{name}.indiv_meta",
        script=gidscript,
    output:
        "dists/{name}.eemsinddist"
21
22
23
    script: "../" + gidscript

pcindscript="scripts/pcinddist.R"
33
34
35
    script:  "../" + pcindscript

pcpopscript="scripts/pcdist.R"
42
43
44
    script:  "../" + pcpopscript

pcgridscript="scripts/pcdistgrid.R"
52
53
54
    script:  "../" + pcgridscript

geopopscript="scripts/geodist.R"
62
63
64
    script:  "../" + geopopscript

gendistscript = "scripts/gendist.R"
74
75
76
    script: "../" + gendistscript

eemsdistscript = "scripts/eemsdist.R"
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
    script: "../" + eemsdistscript

rule eems0_pop_dist:
    input:
        Dhat=expand("eemsout0/{i}/{name}/rdistJtDhatJ.txt",
            i = range(N_EEMS_RUNS), 
            name = ['{name}']),
        ipmap='eemsout0/0/{name}/ipmap.txt',
        order="eems/{name}.order",
        indiv_meta="subset/{name}.indiv_meta",
        script=eemsdistscript
    params:
        statname='eems0dist'
    output:
        "dists/{name}.eems0dist",
        "dists/{name}.popgrid0",
    script: "../" + eemsdistscript

eemsgridscript="scripts/eems_grid_dist.R"
121
122
123
124
125
126
127
128
129
130
131
132
    script: "../" + eemsgridscript

rule gen_grid_dist:
    input:
        mat=expand("eemsout/{i}/{name}/rdistJtDobsJ.txt",
            i = range(N_EEMS_RUNS), 
            name = ['{name}']),
        script=eemsgridscript
    params:
        statname='gendist'
    output:
        "dists/{name}.gengriddist"
133
134
135
    script: "../" + eemsgridscript

geogriddistscript="scripts/geodistgrid.R"
143
144
145
146
147
148
149
150
151
152
153
154
    script: "../" + geogriddistscript


rule dist_grid_all:
    input:
        "dists/{name}.gengriddist",
        "dists/{name}.eemsgriddist",
        "dists/{name}.geogriddist",
        "dists/{name}_dim2.pcgriddist",
        "dists/{name}_dim10.pcgriddist",
    output:
        "dists/{name}.grid"
155
script: "../" + "scripts/merge_dists.R"
167
script: "../" + "scripts/merge_dists.R"
179
script: "../" + "scripts/merge_dists.R"
188
189
script:
    "../" + "scripts/dist_rsq.R"
198
199
script:
    "../" + "scripts/dist_decile_rsq.R"
208
209
script:
    "../" + "scripts/inddists.R"
219
220
script:
    "../" + "scripts/dists.R"
41
42
43
44
45
46
47
48
49
50
run:
    wc = wildcards.name, wildcards.i
    new_diff = 'eems/%s-run%s.diffs' % wc
    new_outer = 'eems/%s-run%s.outer' % wc
    s = 'ln -f %s %s ' % (input.outer, new_outer)
    shell(s)
    s = 'ln -f %s %s ' % (input.diffs, new_diff)
    shell(s)
    s = config['EXE']['eems0'] + " --params " + input.inifile 
    shell(s + " 2> {log}")
100
101
102
103
104
105
106
107
108
109
run:
    wc = wildcards.name, wildcards.i
    new_diff = 'eems/%s-run%s.diffs' % wc
    new_outer = 'eems/%s-run%s.outer' % wc
    s = 'ln -f %s %s ' % (input.outer, new_outer)
    shell(s)
    s = 'ln -f %s %s ' % (input.diffs, new_diff)
    shell(s)
    s = config['EXE']['eems0'] + " --params " + input.inifile 
    shell(s + " 2> {log}")
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
run:
    from subsetter.eems import create_diffs_file, create_ini_file
    from subsetter.load import load_pop_geo, load_indiv_meta
    from subsetter.intersect import intersect
    import pandas as pd
    import numpy as np
    cfg = config['eems']['__default__'].copy()
    if "pilot" in config['eems']['__default__']:
        print("updating with default pilot")
        cfg.update(config['eems']['__default__']['pilot'])

    if wildcards.name in config['eems']:
        print("updating with name")
        cfg.update(config['eems'][wildcards.name])

    if "pilot" in config['eems'][wildcards.name]:
        print("updating with name")
        cfg.update(config['eems'][wildcards.name]['pilot'])

    n_demes = cfg.pop('nDemes')
    n_sites = np.loadtxt(input.bim, str).shape[0]
    cfg['nSites'] = n_sites
    mcmcpath='eemspilot0/' + wildcards.i + "/" + wildcards.name + '/'
    datapath = base(input.coord)
    ini = base(output.inifile)
    meta_data= pd.read_table(input.coord, header=None)

    if "gridsrc" in cfg and cfg['gridsrc'] == 'auto':
        pass
    else:
        cfg['gridpath'] = datapath

    #adapt ini
    cfg['numBurnIter'] = int(cfg['numBurnIter'] /EEMSO_FACTOR)
    cfg['numMCMCIter'] = int(cfg['numMCMCIter'] /EEMSO_FACTOR)
    cfg['numThinIter'] = int(cfg['numThinIter'] /EEMSO_FACTOR)

    create_ini_file(ini, mcmcpath, datapath,
        meta_data=meta_data,
        n_demes=n_demes, **cfg)
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
run:
    from subsetter.eems import create_diffs_file, create_ini_file
    from subsetter.load import load_pop_geo, load_indiv_meta
    from subsetter.intersect import intersect
    import pandas as pd
    import numpy as np

    # first, get best pilot
    best_posterior = -np.inf
    best_pilot = ''
    for infile in input.prevs:
        pilogl = np.loadtxt(infile)
        print(pilogl)
        posterior = pilogl[1] - pilogl[0]
        if posterior > best_posterior:
            best_posterior = posterior
            best_pilot = os.path.dirname(infile)

    best_run_id = best_pilot.split("/")[1]

    # then, do same stuff as for regular ini
    cfg = config['eems']['__default__'].copy()
    if wildcards.name in config['eems']:
        cfg.update(config['eems'][wildcards.name])

    n_demes = cfg.pop('nDemes')
    n_sites = np.loadtxt(input.bim, str).shape[0]
    cfg['nSites'] = n_sites
    mcmcpath='eemsout0/' + wildcards.i + "/" + wildcards.name + '/'

    if 'continue' in config['eems'][wildcards.name] and ALLOW_CONTINUE:
        datapath = 'eems/%s-run%s' % (wildcards.name, wildcards.i)
    else:
        datapath = 'eems/%s-run%s' % (wildcards.name, best_run_id)
    coordfile = '%s.coord' % datapath
    ini = base(output.inifile)
    meta_data= pd.read_table(coordfile, header=None)

    cfg['gridpath'] = datapath
    cfg['prevpath'] = best_pilot

    #adapt ini
    cfg['numBurnIter'] = int(cfg['numBurnIter'] /EEMSO_FACTOR)
    cfg['numMCMCIter'] = int(cfg['numMCMCIter'] /EEMSO_FACTOR)
    cfg['numThinIter'] = int(cfg['numThinIter'] /EEMSO_FACTOR)

    create_ini_file(ini, mcmcpath, datapath,
        meta_data=meta_data,
        n_demes=n_demes, **cfg)
266
shell: 'touch {output}'
287
288
289
290
291
292
run:
    grid = config['eems'][wildcards.name]['grid'] 
    s =  "%s scripts/eems_plot/make_plots.r" % config['EXE']['R']
    s +=   " {wildcards.nruns} {wildcards.name} {grid}"
    s += " {input.pop_display} {input.pop_geo} {input.indiv_label} 0"
    shell(s)
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
    script: "../" + "scripts/bf.R"


"""
rule ggplot_eems0:
    input:
        eems0in,
        pop_display=_POP_DISPLAY_,
        pop_geo='subset/{name}.pop_geo',
        indiv_label='subset/{name}.indiv_meta'
    params:
        RES=200,
        ZOOM=4,
        fancy=0
    output:
        mplot="eemsout_gg/{name}_nruns{nruns}-mrates01.png",
        m2plot="eemsout_gg/{name}_nruns{nruns}-mrates02.png"
    run:
        s =  "%s scripts/ggeems/run.R" % config['EXE']['R']
        s +=   " {wildcards.nruns} {wildcards.name} "
        s += " {input.pop_display} {input.pop_geo} {input.indiv_label}"
        s += " {params.RES} {params.ZOOM} {params.fancy}"
        shell(s)

rule ggeems_scatter:
    input:
        eemsin,
        pop_display=_POP_DISPLAY_,
        pop_geo='subset/{name}.pop_geo',
        indiv_label='subset/{name}.indiv_meta',
        diffs='eems/{name}.diffs',
        order='eems/{name}.order',
	ggpcvsgrid='figures/pcvsgrid/{name}_pc1-2.rds',
	ggrsq='figures/rsq/{name}_pc1-10.rds',
        script='scripts/ggeems/scatter.R'
    output:
        p1="eemsout_gg/{name}_nruns{nruns, \d+}-scatter01.png",
        p2="eemsout_gg/{name}_nruns{nruns, \d+}-scatter02.png",
        p3="eemsout_gg/{name}_nruns{nruns, \d+}-scatter03.png",
        p4="eemsout_gg/{name}_nruns{nruns, \d+}-scatter04.png",
        p5="eemsout_gg/{name}_nruns{nruns, \d+}-scatter05.png",
        p6="eemsout_gg/{name}_nruns{nruns, \d+}-scatter06.png",
        p7="eemsout_gg/{name}_nruns{nruns, \d+}-scatter07.png",
        paperfig="figures/paper/scatter_{name}_nruns{nruns, \d+}.png",
    run:
        s =  "%s scripts/ggeems/run_scatter.R" % config['EXE']['R']
        s +=   " {wildcards.nruns} {wildcards.name} "
        s += " {input.pop_display} {input.pop_geo} {input.indiv_label} "
        s += " {input.diffs} {input.order} "
        shell(s)

rule ggeems_scatter_hlex:
    input:
        eemsin,
        pop_display=_POP_DISPLAY_,
        pop_geo='subset/{name}.pop_geo',
        indiv_label='subset/{name}.indiv_meta',
        exfam='subset/{exname}.fam',
        diffs='eems/{name}.diffs',
        order='eems/{name}.order',
    output:
        p1="eemsout_gg/{name}_nruns{nruns}_ex:{exname}-scatter01.png",
        p2="eemsout_gg/{name}_nruns{nruns}_ex:{exname}-scatter02.png",
        p3="eemsout_gg/{name}_nruns{nruns}_ex:{exname}-scatter03.png",
        p4="eemsout_gg/{name}_nruns{nruns}_ex:{exname}-scatter04.png",
    run:
        s =  "%s scripts/ggeems/run_scatter.R" % config['EXE']['R']
        s +=   " {wildcards.nruns} {wildcards.name} "
        s += " {input.pop_display} {input.pop_geo} {input.indiv_label} "
        s += " {input.diffs} {input.order} "
        s += " {input.exfam} {wildcards.exname}"

        shell(s)

rule all_figs:
    input:
        "eemsout_gg/{name}_nruns4-mrates01.png",
        "eemsout/{name}_nruns4-mrates01.png",
        "eemsout_gg/{name}_nruns4-scatter01.png",
        "figures/pcvsgrid/{name}_pc1-10.png",
        "figures/pcvsgrid/{name}_pc1-2.png",
        "figures/pca/pc1d_{name}_pc1.png",
	"figures/pca/loadings_{name}_pc20.png"
    output:
        "{name}.figs"
    shell:
        "touch {output}"
"""
323
324
325
326
327
328
run:
    s =  "%s scripts/ggeems/run.R" % config['EXE']['R']
    s +=   " {wildcards.nruns} {wildcards.name} "
    s += " {input.pop_display} {input.pop_geo} {input.indiv_label}"
    s += " {params.RES} {params.ZOOM} {params.fancy}"
    shell(s)
350
351
352
353
354
355
run:
    s =  "%s scripts/ggeems/run_scatter.R" % config['EXE']['R']
    s +=   " {wildcards.nruns} {wildcards.name} "
    s += " {input.pop_display} {input.pop_geo} {input.indiv_label} "
    s += " {input.diffs} {input.order} "
    shell(s)
371
372
373
374
375
376
377
378
run:
    s =  "%s scripts/ggeems/run_scatter.R" % config['EXE']['R']
    s +=   " {wildcards.nruns} {wildcards.name} "
    s += " {input.pop_display} {input.pop_geo} {input.indiv_label} "
    s += " {input.diffs} {input.order} "
    s += " {input.exfam} {wildcards.exname}"

    shell(s)
21
22
23
24
25
26
27
28
29
30
31
32
33
34
run:
    from subsetter.eems import create_diffs_file, create_ini_file
    infile=base(input.bed)
    outfile=base(output.diffs)
    tmpfile=base(output.tmpbim)

    print(config['eems']['__default__'])
    try:
        bed2diffs = config['eems'][wildcards.name]['bed2diffs']
    except KeyError:
        bed2diffs = config['eems']['__default__']['bed2diffs']
    create_diffs_file(bedfile=infile,
                      bed2diffs=config['EXE'][bed2diffs],
                      outname=outfile, tmpbim=tmpfile)
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
run:
    from subsetter.eems import create_diffs_file, create_ini_file
    from subsetter.load import load_pop_geo, load_indiv_meta
    from subsetter.intersect import intersect
    import pandas as pd
    import numpy as np
    location_data = load_pop_geo(input.pop_geo)
    sample_data = load_indiv_meta(input.indiv_meta)
    order = pd.read_table(input.order, header=None, sep=" ")
    meta_data = sample_data.merge(location_data)

    seed = int(wildcards.i) + sum(ord(s) for s in wildcards.name)
    np.random.seed(seed)
    sd = meta_data['accuracy'] * config['sdfactor'] + EPS
    long_jitter = np.random.normal(meta_data['longitude'], sd)
    lat_jitter = np.random.normal(meta_data['latitude'], sd)
    long_jitter = ["%2.2f" % i for i in long_jitter]
    lat_jitter = ["%2.2f" % i for i in lat_jitter]
    temp_data = pd.DataFrame({'longitude':long_jitter,
                             'latitude': lat_jitter})

    temp_data.to_csv(output.coord, sep=" ", header=False, index=False,
                     columns=('longitude', 'latitude'))
74
75
shell:
    'cp {input.outer} {output.outer}'
86
87
88
89
90
91
92
93
94
95
run:
    from subsetter.intersect import intersect
    name = wildcards.name
    if 'grid' in config['eems'][name]:
        grid2 = GRID_PATH % config['eems'][name]['grid']
    else:
        grid2 = GRID_PATH % config['eems']['__default__']['grid']

    out_path = base(output.edges)
    intersect(grid2, input.outer, input.coord, out_path)
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
run:
    from subsetter.eems import create_diffs_file, create_ini_file
    from subsetter.load import load_pop_geo, load_indiv_meta
    from subsetter.intersect import intersect
    import pandas as pd
    import numpy as np
    cfg = config['eems']['__default__'].copy()
    if wildcards.name in config['eems']:
        cfg.update(config['eems'][wildcards.name])

    n_demes = cfg.pop('nDemes')
    n_sites = np.loadtxt(input.bim, str).shape[0]
    cfg['nSites'] = n_sites
    mcmcpath='eemsout/' + wildcards.i + "/" + wildcards.name + '/'
    datapath = base(input.coord)
    ini = base(output.inifile)
    meta_data= pd.read_table(input.coord, header=None)

    cfg['gridpath'] = datapath
    create_ini_file(ini, mcmcpath, datapath,
        meta_data=meta_data,
        n_demes=n_demes, **cfg)
166
167
168
169
170
171
172
173
174
175
run:
    wc = wildcards.name, wildcards.i
    new_diff = 'eems/%s-run%s.diffs' % wc
    new_outer = 'eems/%s-run%s.outer' % wc
    s = 'ln -f %s %s ' % (input.outer, new_outer)
    shell(s)
    s = 'ln -f %s %s ' % (input.diffs, new_diff)
    shell(s)
    s = config['EXE']['eems'] + " --params " + input.inifile 
    shell(s + " 2> {log}")
183
script: "../" + "scripts/get_induced_fst.R"
239
240
241
242
243
244
245
246
247
248
run:
    wc = wildcards.name, wildcards.i
    new_diff = 'eems/%s-run%s.diffs' % wc
    new_outer = 'eems/%s-run%s.outer' % wc
    s = 'ln -f %s %s ' % (input.outer, new_outer)
    shell(s)
    s = 'ln -f %s %s ' % (input.diffs, new_diff)
    shell(s)
    s = config['EXE']['eems'] + " --params " + input.inifile 
    shell(s + " 2> {log}")
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
run:
    from subsetter.eems import create_diffs_file, create_ini_file
    from subsetter.load import load_pop_geo, load_indiv_meta
    from subsetter.intersect import intersect
    import pandas as pd
    import numpy as np
    cfg = config['eems']['__default__'].copy()
    if "pilot" in config['eems']['__default__']:
        print("updating with default pilot")
        cfg.update(config['eems']['__default__']['pilot'])

    if wildcards.name in config['eems']:
        print("updating with name")
        cfg.update(config['eems'][wildcards.name])

    if "pilot" in config['eems'][wildcards.name]:
        print("updating with name")
        cfg.update(config['eems'][wildcards.name]['pilot'])

    n_demes = cfg.pop('nDemes')
    n_sites = np.loadtxt(input.bim, str).shape[0]
    cfg['nSites'] = n_sites
    mcmcpath='eemspilot/' + wildcards.i + "/" + wildcards.name + '/'
    datapath = base(input.coord)
    ini = base(output.inifile)
    meta_data= pd.read_table(input.coord, header=None)

    if "gridsrc" in cfg and cfg['gridsrc'] == 'auto':
        pass
    else:
        cfg['gridpath'] = datapath
    create_ini_file(ini, mcmcpath, datapath,
        meta_data=meta_data,
        n_demes=n_demes, **cfg)
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
run:
    from subsetter.eems import create_diffs_file, create_ini_file
    from subsetter.load import load_pop_geo, load_indiv_meta
    from subsetter.intersect import intersect
    import pandas as pd
    import numpy as np

    # first, get best pilot
    best_posterior = -np.inf
    best_pilot = ''
    for infile in input.prevs:
        pilogl = np.loadtxt(infile)
        print(pilogl)
        posterior = pilogl[1] - pilogl[0]
        if posterior > best_posterior:
            best_posterior = posterior
            best_pilot = os.path.dirname(infile)

    best_run_id = best_pilot.split("/")[1]

    # then, do same stuff as for regular ini
    cfg = config['eems']['__default__'].copy()
    if wildcards.name in config['eems']:
        cfg.update(config['eems'][wildcards.name])

    n_demes = cfg.pop('nDemes')
    n_sites = np.loadtxt(input.bim, str).shape[0]
    cfg['nSites'] = n_sites
    mcmcpath='eemsout/' + wildcards.i + "/" + wildcards.name + '/'

    if 'continue' in config['eems'][wildcards.name]:
        datapath = 'eems/%s-run%s' % (wildcards.name, wildcards.i)
    else:
        datapath = 'eems/%s-run%s' % (wildcards.name, best_run_id)
    coordfile = '%s.coord' % datapath
    ini = base(output.inifile)
    meta_data= pd.read_table(coordfile, header=None)

    cfg['gridpath'] = datapath
    cfg['prevpath'] = best_pilot
    create_ini_file(ini, mcmcpath, datapath,
        meta_data=meta_data,
        n_demes=n_demes, **cfg)
393
shell: 'touch {output}'
430
431
432
433
434
435
run:
    grid = config['eems'][wildcards.name]['grid'] 
    s =  "%s scripts/eems_plot/make_plots.r" % "Rscript" #config['EXE']['R']
    s +=   " {wildcards.nruns} {wildcards.name} {grid}"
    s += " {input.pop_display} {input.pop_geo} {input.indiv_label}"
    shell(s)
449
script: "../" + "scripts/ggeems/run_var.R"
463
script: "../" + "scripts/ggeems/run2.R"
477
script: "../" + "scripts/ggeems/run.R"
498
script: "../scripts/ggeems/run_error.R"
520
521
522
523
524
525
526
527
run:
    s =  "%s scripts/ggeems/run_scatter.R" % config['EXE']['R']
    s +=   " {wildcards.nruns} {wildcards.name} "
    s += " {input.pop_display} {input.pop_geo} {input.indiv_label} "
    s += " {input.diffs} {input.order} "
    s += " {input.exfam} {wildcards.exname}"

    shell(s)
555
556
script:
    "../" + "scripts/ggeems/run_just_map.R"
 6
 7
 8
 9
10
run:
    import pandas as pd
    indiv_meta = pd.read_csv(input.indiv_meta)
    within = indiv_meta[['sampleId', 'sampleId', 'popId']]
    within.to_csv(output.within, sep=" ", header=False, index=False)
21
22
23
24
25
26
run:
    name = wildcards.name
    s = [PLINK_EXE, '--bfile',  name, '--fst --out', name,  
        '--within', input.within]
    sgrep = " |grep Mean | cut -f4 -d' ' > {output.fstall}"
    shell(" ".join(s) + sgrep)
36
37
38
39
40
run:
    name = wildcards.name
    s = [PLINK_EXE, '--bfile',  name, '--freq gz --out', name,  
        '--within', input.within]
    shell(" ".join(s))
48
49
    script: '../scripts/get_pi_mat.py'
"""
58
script: "../scripts/plot_fst_mat.R"
 9
10
11
12
run:                                                                         
    outname = base(base(output.chunkcounts))                                 
    s ="%s -read {input} -paint %s 100" % (config['EXE']['pbwt'], outname)                    
    shell(s)
7
8
script:
    "../scripts/get_excluded.R"
15
shell: "cp {input} {output}"
28
29
30
    script: "../" + __script__1

__script__2="scripts/table_panels.R"
43
44
45
46
    script: "../" + __script__2

rule remove_underscore:
    input : "rawtables/{name}.csv"
48
shell : "sed -e 's/_/ /g; ' {input} >{output}"
58
59
60
    script: "../" + __script__3

__script__4="scripts/table_loc.R"
77
78
79
80
81
82
83
84
85
86
87
88
    script: "../" + __script__4

rule all_tables:
    input:
        "paper/polygon_plot.pdf",
        'paper/table_sources.csv',
        "paper/table_panel.csv",
        'paper/table_loc.csv',

rule tex_blurb:
    output: "blurbs/{name}.tex",
    shell: "touch {output}"
174
175
176
177
178
179
run:
    rs = reportshell % figuretex
    rs= rs.format(name=wildcards.name)
    with open(output.tex, 'w') as f:
        f.write(rs)
    shell("pdflatex -aux-directory=reports -output-directory=reports  {output.tex}")
193
194
195
196
197
198
    script: "../" + __script__5

rule list_exclusion_rules:
    input:
        pop_display=_POP_DISPLAY_,
    output: "excl/{name}.excl"
199
200
201
202
203
204
205
206
run:
    import pandas as pd
    cfg = load_subset_config(config['subset'], wildcards.name)
    print(cfg['exclude_pop'])
    x = pd.read_csv(input.pop_display)
    x = x[x.popId.isin(cfg['exclude_pop'])]
    x['run'] = wildcards.name
    x.to_csv(output[0], index=False)
229
230
script:
    "../" + "scripts/composite_fig.R"
238
239
shell:
    "tar czvf {output} {input}"
23
24
run: 
    run_pca(input, output, params, wildcards, config)
36
37
run: 
    run_pca(input, output, params, wildcards, config)
49
50
51
shell:
    "Rscript {input.__script__} {input.loadings} {input.bimfile} "
    "{params.region_bp} {params.abs_cutoff} {output.outliers} "
73
74
script: "../" +__script__6
#shell: config['EXE']['R']  + " {input.__script__} {input.pc} {input.fam}"
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
    script: "../" +__script__6

rule make_2d_pc_plots:
    input:
        pc='pca/flash_{name}_dim' + N_PC + '.pc',
        median='pca/median_{name}_dim' + N_PC + '.pc',
        fam='subset/{name}.fam',
        indiv_meta='subset/{name}.indiv_meta',
        pop_display=_POP_DISPLAY_,
        pop_order="subset/{name}.pop_order",
        pve="pca/flash_{name}_dim" + N_PC + '.pve',
        pop_geo=_POP_GEO_,
        __script__='scripts/pca/run_2d.R',
        _libscript='scripts/ggpca2d.R',
    params:
        wdf=False
    output:
        pc2=expand('figures/pca/2d/{name}_pc{PC}.png', 
            PC=range(1,5,2), name=['{name}']),
        pc2rds=expand('figures/pca/2d/{name}_pc{PC}.rds', 
            PC=range(1,5,2), name=['{name}']),
        out_map_rds="figures/paper/map_{name}.rds",
        out_map_png="figures/paper/map_{name}.png",
    script: "../" +"scripts/pca/run_2d.R"
165
script: "../" +"scripts/pca/run_2d.R"
SnakeMake From line 165 of sfiles/pca.snake
173
script: "../scripts/pca/pve.R"
SnakeMake From line 173 of sfiles/pca.snake
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
    script: "../" + script_median

rule make_pc_plots_highlight_excluded:
    input:
        pc='pca/flash_{name}_dim{NPC, \d+}.pc',
        fam='subset/{name}.fam',
        exfam='subset/{exname}.fam',
        indiv_meta='subset/{name}.indiv_meta',
        pop_display=_POP_DISPLAY_,
        pop_geo=_POP_GEO_,
        pop_order="subset/{name}.pop_order",
        __script__='scripts/ggpca.R'
    params:
        wdf=False
    output:
        pc1=expand('figures/pcaex/pc1d_{name}_ex:{exname}_pc{PC}.png', 
            PC=range(1,21), name=['{name}'], exname=['{exname}']),
        pc2=expand('figures/pcaex/pc2d_{name}_ex:{exname}_pc{PC}.png', 
            PC=range(1,21,2), name=['{name}'], exname=['{exname}']),
    script: "../" +__script__6

__script__7='scripts/pcaloadings.R'
rule make_loadings_plots:
    input:
        load='pca/flash_{name}_dim' + N_PC + '.load',
        bim='subset/{name}.bim'  ,
        __script__='scripts/pcaloadings.R'
    output:
        fig=expand('figures/pca/loadings_{name}_pc{PC}.png', 
            PC=range(1,11), name=['{name}']),
    script: '../' + __script__7
    #shell:
    #    config['EXE']['R'] + " {input.__script__} {input.load} "
SnakeMake From line 186 of sfiles/pca.snake
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
    script:
        "../" + __script__8


__script__9='scripts/pca_vs_geo.R'
rule pca_vs_gen:
    input:
        pc='pca/flash_{name}_dim{NPC, \d+}.pc',
        ipmap='eemsout/0/{name}/ipmap.txt',
        fam='subset/{name}.fam',
        indiv_meta='subset/{name}.indiv_meta',
        pop_display=_POP_DISPLAY_,
        pop_order="subset/{name}.pop_order",
        pop_geo='subset/{name}.pop_geo',
        diffs='eems/{name}.diffs',
        order='eems/{name}.order',
        __script__='scripts/pca_vs_geo.R',
    output:
        pcvsdist='figures/pcvsdist/{name}_pc1-{npcs}.png',
        pcvsgrid='figures/pcvsgrid/{name}_pc1-{npcs}.png',
        rsq='figures/rsq/{name}_pc1-{npcs}.png',
        ggpcvsdist='figures/pcvsdist/{name}_pc1-{npcs}.rds',
        ggpcvsgrid='figures/pcvsgrid/{name}_pc1-{npcs}.rds',
        ggrsq='figures/rsq/{name}_pc1-{npcs}.rds',
    script: "../" +__script__9


rule synthmap:
    input:
        pc='pca/flash_{name}_dim{NPC, \d+}.pc',
        fam='subset/{name}.fam',
        indiv_meta='subset/{name}.indiv_meta',
        pop_display=_POP_DISPLAY_,
        pop_order="subset/{name}.pop_order",
        polygon="subset/{name}.polygon",
        pop_geo=_POP_GEO_,
        __script__='scripts/run_synthmap.R',
        _libscript='scripts/synthmap.R',
    output:
        plot0="figures/pca/synthmap/{name}_PC1.png",
    script: "../" + "scripts/run_synthmap.R"
SnakeMake From line 231 of sfiles/pca.snake
48
49
50
51
52
53
54
55
56
57
58
run:
    name, i, k = wildcards.name, wildcards.i, wildcards.k
    seed = int(i) * 23 + int(k) * 1541
    s = 'cd admixture/{name}/{i};'
    s += 'ln -sfr ../../../{input.bed} {name}.bed &&'
    s += 'ln -sfr ../../../{input.fam} {name}.fam &&'
    s += "awk '{{print 1,$2,$3,$4,$5,$6}}' ../../../{input.bim} > {name}.bim && "
    s += '%s {name}.bed {k}'
    s += ' --seed={seed} '
    s += ' > ../../../{log}; '
    s += ' cd - ; grep ^Logl {log} > {output.LL}'
67
68
69
70
71
72
73
74
75
76
77
78
79
run:
    with open(output.filemap, 'w') as fm:
        for q_row in input:
            q = q_row.split("/")
            run_number = q[2]
            file_name = q[len(q) - 1]
            fns = file_name.split(".")
            k = fns[len(fns) - 2] #second last is K

            run_id = "%s_%s" % (file_name, run_number)
            run_id = run_id.replace(".", "_")
            s = "%s\t%s\t../%s\n" % (run_id, k, q_row)
            fm.write(s )
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
run:
    import pandas as pd
    pop_display = pd.read_csv(input.pop_display)
    pop_geo = pd.read_csv(input.pop_geo)
    indiv_meta = pd.read_csv(input.indiv_meta)    
    pop_display = pop_display.drop('order', 1)
    pop_order = pd.read_csv(input.pop_order)    
    pop_display = pd.merge(pop_display, pop_order, how='left')
    indiv = pd.merge(indiv_meta, pop_display, how='left')        
    indiv = pd.merge(indiv, pop_geo, how='left')        
    assert all(indiv.sampleId == indiv_meta.sampleId)
    indiv.to_csv(output.ind2pop, columns=['popId'], index=None,
        header=False)
    indiv0 =indiv[['popId', 'name', 'latitude', 'longitude', 'order']]
    indiv0.drop_duplicates(inplace=True)
    indiv0.sort_index(by=['order'],
        ascending=[True], inplace=True)
    indiv0.to_csv(output.pop_names, sep="\t",
        columns=['popId', 'name'], 
        index=None, header=False)
123
124
125
126
127
run:
    args= [EXE_PONG, '-fgv -c 0', 
        '--filemap', input.filemap[0],
        '--ind2pop', input.ind2pop,
        '--output_dir', 'pong/' + wildcards.name,
 9
10
11
12
13
14
15
16
17
18
run:
    s = """library(dplyr); library(tidyr);
        x <- read.table('{input}', header=T)  %>% 
            select(CLST, MAC, SNP) %>% 
            spread(key=CLST, value=MAC) %>%
            select(-SNP) %>% write.csv('{output}', row.names=F)
    """
    #R(s)
    s = s.replace("\n", " ")
    shell("""R -e "%s" """ % s)
26
27
28
29
30
31
32
33
34
35
run:
    s = """library(dplyr); library(tidyr);
        x <- read.table('{input}', header=T)  %>% 
            select(CLST, NCHROBS, SNP) %>% 
            spread(key=CLST, value=NCHROBS) %>%
            select(-SNP) %>% write.csv('{output}', row.names=F)
    """
    #R(s)
    s = s.replace("\n", " ")
    shell("""R -e "%s" """ % s)
47
script : "../scripts/run_spacemix.R"
61
shell: 'touch {output}'
72
73
script:
    "../scripts/plot_spacemix.R"
11
12
13
14
15
16
17
18
run:
    inname = base(input.bed)
    outname = base(output.traw)
    s = [config['EXE']['plink'], '--bfile', inname,
        '--allow-extra-chr', '--recode A-transpose --out', outname]
    shell(" ".join(s))
    shell("cut -f7- {output.traw} | tail -n+2 | " +
        "sed 's/NA/9/g; s/\t//g'  > {output.tess}")
28
script : "../scripts/make_tess_input.R"
47
48
49
50
51
52
53
54
55
run:
    seed = int(wildcards.K) * 1241 + int(wildcards.RUN) * 31
    s = [config['EXE']['tess'], '-K', wildcards.K,
        '-x', input.geno, '-r', input.coords,
        '-q', output.Q, '-g', output.G, '-f', output.FST,
        '-s', str(seed), 
        #'-y', output.summary
        ]
    shell(" ".join(s))
70
shell: 'touch {output}'
84
script: "../" + "scripts/plot_tess2.R"
45
46
run:
    plink2treemix(input.frq_strat, output.treemix_in)
64
65
66
67
68
69
70
71
72
73
run:
    outname = base(base(output.cov))
    seed = params.seed_base * 23 + int(wildcards.m) * 19 + int(wildcards.run)
    s = config['EXE']['treemix'] + ' -i {input} '
    s += '-m {wildcards.m} '
    s += '-o {outname} '
    s += '-k {params.blocksize} '
    s += '-seed {seed} '
    s += '2> {log} > /dev/null'
    shell(s)
85
shell: 'touch {output}'
 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
run:
    p1, p2 = output.p1, output.p2,
    import numpy as np
    __script__='scripts/plot_treemix_lib.R',
    pop_display=_POP_DISPLAY_,
    #__script__ = input.lib                 
    #pop_display = input.pop_display        
    print(input)
    infiles = input

    bases = [base(base(s)) for s in infiles]
    max_llik = 'NONE', -np.inf
    for b in bases:
        with open("%s.llik" %b) as f:
            x = f.read().split()
            print(x, len(x))
            ll = float(x[len(x)-1])
            if ll > max_llik[1]:
                max_llik = b, ll

    s = """
        source("{__script__}")
        png(file="{output.treeplot}", width=1600, height=1200)
        plot_tree("{max_llik[0]}")
        dev.off()
        """
    shell("echo '%s' > {p1}" %s)
    shell("Rscript {p1}")
    #shell("Rscript tmp.R")

    s = """
        source("{__script__}")
        x = read.table(gzfile("{max_llik[0]}.cov.gz"), check.names=F)
        n <- data.frame(popId=gsub("_", " ", names(x)))
        pop_display <- read.csv("{pop_display}")       
        m <- merge(n, pop_display, all.x=T)
        m <- m[order(m$order),"popId"]
        write.table(gsub(" ", "_", m), "{output.tmp}", row.names=F, quote=F, col.names=F)

        png(file="{output.residplot}", width=1600, height=1200)
        plot_resid("{max_llik[0]}", "{output.tmp}")
        dev.off()
    """
    shell("echo '%s' > {p2}" %s)
    shell("Rscript {p2}")
    #shell("Rscript tmp.R")
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
run:
    import pandas as pd
    im = pd.read_csv(input.indiv_meta)
    im = im[['sampleId', 'sampleId', 'popId']]
    try:
        im.popId = im.popId.str.replace(' ', '_')
    except AttributeError:
        pass
    im.to_csv(output.pops, sep=" ", index=False)
    shell('cp {output.pops} tmpf')

    inname = base(input.bed)
    outname = base(base(output.frq))
    s = [PLINK_EXE, '--bfile', inname, '--freq',
        '--within', output.pops, '--out', outname, 
        '--allow-extra-chr']
    shell(" ".join(s))
38
39
40
41
run:
    n = wildcards.name
    s = 'plink --bfile {n} --recode vcf-iid bgz --out {n}'
    shell(s)
49
50
51
52
run:
    l = [config['EXE']['pbwt'], '-readVcfGT', '{input.vcf}',
        '-write', output.pbwt]
    shell(" ".join(l))
60
61
62
63
64
65
run:
    import pandas as pd
    prov = pd.read_csv(input.indiv_prov)
    label = pd.read_csv(input.indiv_label)
    data = pd.merge(prov, label)
    data.to_csv(output.indiv_meta, index=False)
73
script: "../scripts/sample_plot.R"
80
script : "../scripts/hwe.R"
88
89
90
91
92
run:
    inname = base(input.bed)
    outname = base(output.hwe)
    s = [PLINK_EXE, '--bfile', inname, '--hardy', '--out', outname]
    shell(" ".join(s))
100
101
102
103
104
run:
    s = """a <- read.table("{input.hwe}", as.is=T, header=T)

        cat(min(a[a[,7] > a[,8],9], na.rm=T), file="{output.hwe}")"""
    R(s)
114
115
116
117
118
119
run:
    R("""require(tidyverse);
        read.csv("{input.indiv_meta}") %>% 
            left_join(read.csv("{input.pop_geo}")) %>%
            left_join(read.csv("{input.pop_display}")) %>%
        write.csv("{output.indiv_full}", row.names=F) """)
242
243
run:
    snakemake_subsetter(input, output, wildcards.name)
SnakeMake From line 242 of master/Snakefile
255
256
257
258
259
260
261
run:
    s = '{PLINK_EXE} --allow-extra-chr --bfile subset_nopca/{wildcards.name} '
    s += ' --out subset/{wildcards.name} --make-bed'
    if 'no_pca' in config['subset'][wildcards.name]:
        if config['subset'][wildcards.name]['no_pca']:
            s += ' --exclude {input.outliers} '
    shell(s)
SnakeMake From line 255 of master/Snakefile
295
296
shell:
    "touch {output}"
SnakeMake From line 295 of master/Snakefile
306
307
shell:
    "touch {output}"
SnakeMake From line 306 of master/Snakefile
318
319
shell:
    "touch {output}"
SnakeMake From line 318 of master/Snakefile
ShowHide 107 more snippets with no or duplicated tags.

Login to post a comment if you would like to share your experience with this workflow.

Do you know this workflow well? If so, you can request seller status , and start supporting this workflow.

Free

Created: 1yr ago
Updated: 1yr ago
Maitainers: public
URL: https://github.com/NovembreLab/eems-around-the-world
Name: eems-around-the-world
Version: 1
Badge:
workflow icon

Insert copied code into your website to add a link to this workflow.

Downloaded: 0
Copyright: Public Domain
License: None
  • Future updates

Related Workflows

cellranger-snakemake-gke
snakemake workflow to run cellranger on a given bucket using gke.
A Snakemake workflow for running cellranger on a given bucket using Google Kubernetes Engine. The usage of this workflow ...