All Downloads are FREE. Search and download functionalities are using the official Maven repository.

org.geneweaver.io.connector.EQTLFunction Maven / Gradle / Ivy

There is a newer version: 2.7.12
Show newest version
/*-
 * 
 * Copyright 2018, 2020  The Jackson Laboratory Inc.
 *
 * Licensed under the Apache License, Version 2.0 (the "License");
 * you may not use this file except in compliance with the License.
 * You may obtain a copy of the License at
 *
 *     http://www.apache.org/licenses/LICENSE-2.0
 *
 * Unless required by applicable law or agreed to in writing, software
 * distributed under the License is distributed on an "AS IS" BASIS,
 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
 * See the License for the specific language governing permissions and
 * limitations under the License.
 * 
 * @author Matthew Gerring
 */
package org.geneweaver.io.connector;

import java.io.Closeable;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.io.InputStream;
import java.io.Serializable;
import java.net.URL;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.sql.Statement;
import java.util.HashMap;
import java.util.Iterator;
import java.util.Map;
import java.util.function.Function;

import org.apache.commons.io.FilenameUtils;
import org.geneweaver.domain.EQTL;
import org.geneweaver.domain.Sample;
import org.geneweaver.io.reader.ReaderFactory;
import org.geneweaver.io.reader.ReaderRequest;
import org.geneweaver.io.reader.StreamReader;
import org.geneweaver.io.reader.StreamUtil;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;

import com.fasterxml.jackson.annotation.JsonIgnore;

/**
 * This is a function for mapping variant id in GTEx to rsId which is
 * used to map to variant.
 * 
 * Because the mapping is a map which is large to fit in memory, a h2
 * database is used to hold the map. This database will not be recreated 
 * if it exists (you must manually delete it) but it is mapping file specific
 * (different maps give different databases).
 * 
 * Example of lookup:
 * @see https://storage.googleapis.com/gtex_analysis_v8/reference/GTEx_Analysis_2017-06-05_v8_WholeGenomeSeq_838Indiv_Analysis_Freeze.lookup_table.txt.gz
 * 
 * The reason that this is a plain function and not a Connector is that it maps EQTL->EQTL{rsId=....}
 * IF we consider two possible structures:
 * 1. (Gene)-[EQTL]-(Variant)
 * 2. (Gene)-[eLINK]-(EQTL)-[LOOKUP]-(Variant)
 * Currently we are doing 1. because eqtlVariantId is not unique.
 * 
 * @author gerrim
 *
 * @param 
 * @param 
 */
public class EQTLFunction implements Function, AutoCloseable {

	private static Logger logger = LoggerFactory.getLogger(EQTLFunction.class);

	private static final String driver 		= System.getProperty("gweaver.gtex.mappingdb.driver", "org.h2.Driver");   
	private static final String tableName 	= System.getProperty("gweaver.gtex.mappingdb.tableName","IDMAPPING");

	private Serializable mapping;
	private Serializable attributes;

	private String split = System.getProperty("gweaver.gtex.mappingdb.lookupDelimiter", "\\t+");
	private String dabasePath;

	public EQTLFunction(Path path, Path attributes) throws ClassNotFoundException {
		this(path.toAbsolutePath().toFile(), attributes.toAbsolutePath().toFile());
	}

	public EQTLFunction(File mapping, File attributes) throws ClassNotFoundException {
		this.mapping = mapping.getAbsoluteFile();
		this.attributes = attributes.getAbsoluteFile();
		setLocation(mapping.getParentFile().toPath());
		Class.forName(driver); // Load driver class.
	}

	public EQTLFunction(URL mapping, URL attributes) throws ClassNotFoundException {
		this.mapping = mapping;
		setLocation(Paths.get("."));
		Class.forName(driver); // Load driver class.
	}

	/**
	 * Set the location of the database. Sets the folder name.
	 * The actual database name is always the mapping file name with ".h2" appended.
	 * @param dir
	 */
	public void setLocation(Path dir) {
		String path = dir.toAbsolutePath().toString();
		this.dabasePath  = path+"/"+FilenameUtils.getName(mapping.toString())+".h2";
	}

	private Connection connection;
	private PreparedStatement lookup;
	
	private Map roughMap;
	/**
	 * You must call create() to set up the database.
	 * This will take a longish time if it does not exist yet.
	 * For example the standard GTEx lookup database is 2.2Gb with 
	 * 46569704 objects, @see EQTLFunctionTest
	 */
	@SuppressWarnings("unchecked")
	@Override
	public E apply(N t) {
		
		// We are setting the rsId. If it was found
		// already, our work here is done.
		if (t.getRsId()!=null) {
			return (E)t;
		}
		
		if (connection==null) {
			try {
				connection = createConnection();
			} catch (SQLException e) {
				throw new RuntimeException(e.getMessage());
			}
		}
		
		// Map the rsId
		String variantId = t.getEqtlVariantId();
		try {
			if (lookup==null) lookup = connection.prepareStatement("SELECT rsId FROM "+tableName+" WHERE variantId = ?;");
			
			lookup.setString(1, variantId);
			try (ResultSet res = lookup.executeQuery()) {
				res.next();
				String rsId = res.getString(1);
				t.setRsId(rsId);
			}
			
		} catch (SQLException ne) {
			throw new RuntimeException("Cannot map "+variantId, ne);
		}
		
		// Map the Sample name
		if (roughMap==null) {
			try {
				this.roughMap = new HashMap<>();
				StreamReader samples = ReaderFactory.getReader(new ReaderRequest(stream(attributes), name(attributes)));
				samples.stream().forEach(s->roughMap.put(new TissueKey(s), s));
			} catch (Exception ne) {
				logger.error("Cannot parse sample attributes!", ne);
			}
		}
		Sample sample = roughMap.get(new TissueKey(t.getTissueFileName()));
		if (sample==null && t.getTissueFileName()!=null) throw new RuntimeException("Cannot find sample for "+t.getTissueFileName());
		if (sample!=null) {
			t.setTissueGroup(sample.getTissueGroup());
			t.setTissueName(sample.getOriginalTissueName());
		}
		
		return (E)t;
	}
	
	public void close() throws SQLException {
		if (connection!=null) connection.close();
		if (lookup!=null) lookup.close();
	}

	/**
	 * Create the mapping database from variantId to rsId.
	 * This call takes a long time!
	 * 
	 * It is always made to a folder "./variantMappingDatabase". If this
	 * already exists, then a new one will not be created.
	 * 
	 * @throws IOException 
	 * @throws ClassNotFoundException 
	 * @throws SQLException 
	 */
	public void create() throws IOException, SQLException {
		if (exists()) {
			logger.info("The database "+dabasePath+" already exists and will not be recreated.");
			return;
		}
		createMappingDatabase();
		parseMappingFile();
	}
	
	private void parseMappingFile() throws SQLException, IOException {

		// A Map<> as big as the mapping file does not 
		// fit in memory so we use an embedded table.
		
		try (Connection conn = createConnection();
			 PreparedStatement stmt = conn.prepareStatement("INSERT INTO "+tableName+" (variantId, rsId) VALUES (?,?);") ) {  

			Iterator iterator = StreamUtil.createStream(stream(mapping), name(mapping), true);
			try {
				int varIndex = -1;
				int rsIndex  = -1;

				while(iterator.hasNext()) {
					String line = iterator.next();
					String[] frags = line.split(getSplit());

					// Parse the header line, only if we have not
					if (varIndex<0 || rsIndex<0) {
						for (int i = 0; i < frags.length; i++) {
							if ("variant_id".equals(frags[i].toLowerCase())) {
								varIndex = i;
							} else if (frags[i].toLowerCase().startsWith("rs_id_")) {
								rsIndex = i;
							}
						}
						continue;
					}

					stmt.setString(1, frags[varIndex]);
					stmt.setString(2, frags[rsIndex]);
					
					stmt.execute();
				}

			} finally {
				if (iterator instanceof Closeable) {
					try {
						((Closeable)iterator).close();
					} catch (IOException e) {
						throw e;
					}
				}
			}
		}
	}

	private void createMappingDatabase() throws IOException, SQLException {

		try (Connection conn = createConnection();
			 Statement stmt = conn.createStatement() ) {  

			String sql =  "CREATE TABLE " + tableName + 
						" (id int NOT NULL AUTO_INCREMENT, " + 
						// Important UNIQUE means there is an index and
						// that the later lookup will be fast.
						" variantId VARCHAR(512) NOT NULL UNIQUE, " +  
						" rsId VARCHAR(32));"; 

			stmt.executeUpdate(sql);
			logger.info("Created table IDMAPPING");
		}
	}

	private Connection createConnection() throws SQLException {
		return DriverManager.getConnection("jdbc:h2:"+dabasePath,"sa","");
	}

	/**
	 * Create an input stream for the mapping or none if no mapping file.
	 * @return
	 * @throws IOException
	 */
	@JsonIgnore
	InputStream stream(Serializable ser) throws IOException {
		if (ser==null) return null;
		if (ser instanceof File) return new FileInputStream((File)ser);
		if (ser instanceof URL) return ((URL)ser).openStream();
		return null;
	}

	/**
	 * Get the name from the mapping or null if no mapping.
	 * @return
	 * @throws IOException
	 */
	@JsonIgnore
	String name(Serializable ser) throws IOException {
		if (mapping==null) return null;
		return FilenameUtils.getName(ser.toString());
	}

	/**
	 * @return the delimiter
	 */
	public String getSplit() {
		return split;
	}

	/**
	 * @param delimiter the delimiter to set
	 */
	public void setSplit(String split) {
		this.split = split;
	}

	
	public boolean exists() {
		Path db = Paths.get(dabasePath+".mv.db");
		return Files.exists(db);
	}

	public int size() throws SQLException {
		
		try (Connection conn = createConnection();
			 Statement stmt = conn.createStatement() ) {  

			String sql = "SELECT COUNT(1) FROM "+tableName+";";
			try(ResultSet res = stmt.executeQuery(sql)) {
				res.next();
				return res.getInt(1);
			}
		}
	}

	/**
	 * @return the mapping
	 */
	public Serializable getMapping() {
		return mapping;
	}
}




© 2015 - 2024 Weber Informatics LLC | Privacy Policy