Derek Barnett – 22 March 2011

Porting to BamTools 1.x This document describes the process of porting applications from BamTools 0.x (BT-0x) to BamTools 1.x (BT-1x).

Introduction Our development philosophy with BamTools so far has been to allow periodic breaks in binary compatibility while avoiding source incompatibilities at all costs. (Changes in my codebase shouldn't force you to change your code.) However, this has led to a few operations growing overly complex and easy to get wrong. See the boolean parameter lists in BT-0x's BamReader::Open() or BamMultiReader::Open() as prime examples. In the interest of providing API methods that are easier to read, harder to get wrong, and more flexible going forward - the decision has been made to force (what we hope to be) a one-time break in source compatibility. Therefore, BT-1x and beyond will be neither binary- nor source-compatible with the earlier BT-0x versions. Your programs compiled using BT-0x classes will not work with the new libraries. There are a few key operations that will need your code to be modified. It may seem like a nuisance to revisit working code, but the breaks in your codebase should only occur around the opening of BAM files. An explanation of the new methods is given below. BT-1x adds some additional features and marks some methods as deprecated. These deprecated methods will remain available throughout the BT-1x series, but may be removed sometime down the road (BT-2x or later). While you are porting to BT-1x, we recommend making the switch with these methods as well. Deprecated methods are listed below along with the preferred new method.

BamReader In BT-0x, opening a BAM file and optional index was performed in one step. While this seems convenient, the parameter list was a mess of default parameters and “naked” boolean values, leading to code like this: BamReader reader1; BamReader reader2; reader1.Open(“data.bam”, “”, true, true); reader2.Open(“data.bam”, “”, false, true); Is it obvious what the two methods do differently? Parameter lists like this are prone to copy-andpaste bugs and quickly become annoying to someone maintaining your code (possibly you) . To address this, and to allow for more flexible configurations of the BamReader as we go forward, we have separated this method into several methods.

Derek Barnett – 22 March 2011 BT-0x bool Open(const const const const

string& filename, string& indexFilename = "", bool lookForIndex = false, bool preferStandardIndex = false);

BT-1x bool Open(const string& filename); bool OpenIndex(const string& indexFilename); bool LocateIndex(const BamIndex::IndexType& preferredType = BamIndex::STANDARD); The ambiguity in the BT-0x method lies in index file handling. A few example cases will be illustrated here: (Note – most of the boolean return values will be ignored to simplify the illustrations, but we recommend that they be used where applicable) When you only need a BAM file, with no index:      reader.Open(bamFilename); When you have an explicit index filename immediately at hand: reader.Open(bamFilename); reader.OpenIndex(indexFilename);      There is a new BamReader::LocateIndex() method that looks in the BAM file's directory for a matching index file and returns true or false, depending on whether one could be loaded. This can be used in cooperation with the existing BamReader::CreateIndex() method, when you definitely need an index, whether one exists already or not:      reader.Open(bamFilename); if ( !reader.LocateIndex() ) reader.CreateIndex(); When you have multiple index formats available for your BAM file, but prefer to use a specific one in this case:    reader.Open(bamFilename); if ( !reader.LocateIndex(BamIndex::BAMTOOLS) ) reader.CreateIndex(BamIndex::BAMTOOLS); // Note that the type passed to LocateIndex() is a “preferred” type. If this // format is not found, the method will look for any other index files that // are valid for this BAM file.

Derek Barnett – 22 March 2011

BamMultiReader The changes to BamMultiReader mirror those made to BamReader. BT-0x bool Open(const vector& filenames, bool openIndex = true, bool coreMode = false, bool preferStandardIndex = false); BT-1x bool Open(const vector& filenames); bool OpenIndexes(const vector& indexFilenames); bool LocateIndexes(const BamIndex::IndexType& preferredType = BamIndex::STANDARD); The coreMode parameter in the Open() call is no longer necessary.

See BamReader section above for examples of different use cases for opening files. The concepts behind the methods are the same, only in this case, operating on multiple files. For example, BamMultiReader::LocateIndexes() will return false if ANY files lack an index, and BamMultiReader::CreateIndexes() will ONLY create indexes for readers that lack an index already. So the BamMultiReader code looks similar to the BamReader code to safely accomplish the same task (e.g. you need indexes for your BAM file(s), regardless of whether they exists already or not) : BamMultiReader reader; reader.Open( filenames ); if ( !reader.LocateIndexes() ) reader.CreateIndexes();

BamWriter BamWriter received a small change to Open() as well. The compression switch has been moved to its own dedicated method. BT-0x bool Open(const string& filename, const SamHeader& samHeader, const RefVector& referenceSequences, bool writeUncompressed = false); BT-1x bool Open(const string& filename, const SamHeader& samHeader, const RefVector& referenceSequences); void SetCompressionMode(const CompressionMode& compressionMode);

Derek Barnett – 22 March 2011 This method uses a newly introducted enum, BamWriter::CompressionMode, to specify the desired behavior. This makes it harder to change by accident but more importantly - it leaves open the flexibility in the future to implement various compression schemes, instead of just the current, simple true/false, on/off setup. The only real caveat with this new method is that it must be called before the output BAM file is opened. BamWriter writer; writer.SetCompressionMode(BamWriter::Uncompressed); writer.Open(filename, header, references);

Deprecated methods BamAlignment: Alignment Flag Modifiers Some of the alignment flag modification methods have been deprecated in favor of methods that mirror the query methods: Deprecated: void SetIsMateUnmapped(bool ok)

Instead Use: void SetIsMateMapped(bool ok)

void SetIsSecondaryAlignment(bool ok)

void SetIsPrimaryAlignment(bool ok)

void SetIsUnmapped(bool ok)

void SetIsMapped(bool ok)

In these cases, the deprecated method is simply a complement of the preferred method. So instead of: BamAlignment al; al.SetIsUnmapped(true); You would use: BamAlignment al; al.SetIsMapped(false); And so on...

Derek Barnett – 22 March 2011 BamAlignment – Tag Data Access Some of the BAM tags have dedicated methods in the API (e.g. BamAlignment::GetReadGroup()). These work perfectly fine, but in fact use the preferred method under the hood anyway. Retaining these tag-specific methods simply adds unecessary clutter to the interface since we are not going to implement a method for every possible tag. Deprecated: bool GetEditDistance(uint32_t& editDistance) const bool GetReadGroup(string& readGroup) const Instead Use: BamAlignment al; al.GetTag("NM", editDistance); al.GetTag("RG", readGroup); BamReader & BamMultiReader – Checking For Index The original way to check for available index data was to use BamReader::IsIndexLoaded() or BamMultiReader::IsIndexLoaded(), respectively. However, the introduction of the BamIndex::IndexCacheMode left these methods with names that were possibly confusing or misleading about the current memory status. Index data may in fact be available even though it is technically not “loaded”. Deprecated: Instead Use: bool BamReader::IsIndexLoaded(void) const bool BamReader::HasIndex(void) const bool BamMultiReader::IsIndexLoaded(void) const

bool BamMultiReader::HasIndexes(void) const

BamMultiReader – Printing Filenames We plan to remove BamMultiReader::PrintFilenames(). This method is more at home in client code rather than the API. Client code can decide where the filenames are printed to, if there should be any formatting applied, etc.

Conclusion I hope this guide proves helpful in porting over to BT-1x. If I've missed anything important, or you have any suggestions to improve this guide, please feel free to contact me with your feedback. Thanks and happy hacking! Derek Barnett Marth Lab, Boston College [email protected]

porting guide - GitHub

Mar 22, 2011 - This document describes the process of porting applications from ... Our development philosophy with BamTools so far has been to ... bool LocateIndex(const BamIndex::IndexType& preferredType = BamIndex::STANDARD);.

99KB Sizes 7 Downloads 416 Views

Recommend Documents

MIOpen Porting Guide - GitHub
cudnnCreateFilterDescriptor ( substituted by the respective. cudnnFilterDescriptor_t. TensorDescriptor APIs. * filterDesc). cudnnStatus t miopenstatus t. cudnnCreateConvolutionDescriptor (c miopenCreateConvolutionDescriptor. udnnConvolutionDescriptor

Porting to BamTools 2.x Attention! - GitHub
Oct 11, 2011 - Our development philosophy with BamTools so far has been to allow ... Please be aware that the coordinate issue will affect any code that uses the multi-reader's ... I hope to update the API tutorial soon to reflect these new.

MultiMarkdown User's Guide - GitHub
Nov 9, 2010 - for Markdown's syntax is the format of plain text email. [1] ... including complete XHTML documents, LaTeX, PDF, RTF, or even (shudder) Microsoft ... Also, you can check out the MultiMarkdown discussion list: ...... At this time, Scrive

Integrator's Guide - GitHub
Oct 20, 2015 - The Ethernet communication is handled by a dedicated .... The telnet server is not configured to echo characters, so users wishing to see and/or ...

user guide - GitHub
TOOLS AnD EVA ITEMS CAn BE FOUnD In A nEW TAB UnDER SCIEnCE CATEGORy. .... But THE greatest thing above all is KSP community. ... Of course, we still need hard work to improve our mods and we have many other ideas as.

Installation Guide - GitHub
Create the database tables. 3.2.5. (Optional) ... hedgehog Data Manager This is the user that will own the database created by. Hedgehog .... link on Homepage.

RVTPO User's Guide - GitHub
anyone, and any GitHub user can file issues or follow discussions related to the model software. Code in ... Because the repository is currently private, you may be prompted for your GitHub user name and password. ... The RVTPO model uses CUBE's cata

RVTPO User's Guide - GitHub
Users can download a PDF of the contents from the footer .... The scenario manager, in the image below, shows all of the scenarios that are included in the local Cube ..... These speed ratios were borrowed from the Olympus model in Florida. .... Spec

Pawn Implementor's Guide - GitHub
or send a letter to Creative Commons, 559 Nathan Abbott Way, Stanford, California 94305, USA. ...... 3. call the public function with the "AMX address" */.

Development Guide - GitHub
Development Guide. A basic understanding of Git is required ... (3400 and 3500). All changes should build and boot Linux on all the targets described in the wiki.

User Guide - GitHub
Requires the query, phrase, or word on its right hand side to not be in the document. [ATTRIBUTE]:. Requires the value of the document attribute describe between the brackets [ ] to equal the value to the right of the colon. Multiword phrases are exp

WinFred User's Guide - GitHub
May 5, 2017 - This website is intended to serve as a user's guide for application of the Winchester Frederick County. Metropolitan Planning Organization (WinFred) travel demand model. It provides relevant information necessary to understand how the m

Developer's Guide - GitHub
Oct 17, 2003 - The JTS Topology Suite is a Java API that implements a core set of spatial data operations using an explicit precision model and robust geometric algorithms. It provides a complete model for specifying 2-D linear Geometry. Many common

User Guide - GitHub
2.2 Download and Installation via App Manager . .... Cytoscape/GEXF “app” that allows network diagrams described using the GEXF file format to be imported ...

MultiMarkdown User's Guide - GitHub
Nov 9, 2010 - best description of what Markdown is comes from John Gruber's Markdown web site: ... including complete XHTML documents, LaTeX, PDF, RTF, or even (shudder) Microsoft ... In a blosxom8, Movable Type9, Oddmuse10, or other web site ......

Nipype Beginner's Guide - GitHub
Aug 23, 2017 - 10. 11. #Specify experiment specifc parameters. 12 experiment_dir .... For a full list of software interfaces supported by Nipype go here ...... (http://www.fil.ion.ucl.ac.uk/spm/software/spm12/SPM12_Release_Notes.pdf) mention some im-

Woptic User's Guide - GitHub
errors may become large for the mixed transitions governed by Wαβ(R, ω), where ..... .kcontribw_band. kanalysis reads this file and generates 2d data in ω- and.

Scanner3IDsOnly Guide - GitHub
Like the Steam Web API, this can be any website. If you are unsure, use either the GitHub Scanner3IDsOnly page, https://github.com/warmar/Scanner3IDsOnly, ...

BugTrap Developer's Guide - GitHub
BugTrap Developer's Guide. Table of Contents. 1 PREFACE. ..... conversions affect performance of XML parser, log generator and network communications. The code ...... Server applications and various services must not show GUI. Default ...

Modern OpenGL Guide - GitHub
There is no best library out there, because everyone has different needs .... Page 10 ... Building. After you've downloaded the GLFW binaries package from the website or ... Here is a simple snippet of code to check your build configuration:.

XenGT Setup Guide - GitHub
Jan 8, 2015 - 3.5.1. Starting Xen Services by Default. # update-rc.d xencommons defaults ... network. (Assume the IP address of system could be acquired via ...

OpenCMIS Server Development Guide - GitHub
Nov 6, 2013 - introduction and is available as a free pdf download at Manning's site here: ... the 10 minute video introducing this tool if you are not already familiar with it here: ... of this exercise is to demonstrate the server framework on top

Marine Acoustics Formula Guide - GitHub
Sep 15, 2016 - are field quantities, we convert them into power quantities by squaring ... the PSD values across all frequencies from Decibels to linear power.

ybox2 tin drill guide - GitHub
ybox2 tin drill guide v1.3 — For v1.1 (Adafruit) boards only! http://www.deepdarc.com/ybox2/ — http://www.ladyada.net/make/ybox2/. RIGHT. LEF. T. FRONT. LID.