本文整理汇总了C++中OptArgs::GetFirstBoolean方法的典型用法代码示例。如果您正苦于以下问题:C++ OptArgs::GetFirstBoolean方法的具体用法?C++ OptArgs::GetFirstBoolean怎么用?C++ OptArgs::GetFirstBoolean使用的例子?那么, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在类OptArgs
的用法示例。
在下文中一共展示了OptArgs::GetFirstBoolean方法的13个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的C++代码示例。
示例1: InitContextVarsFromOptArgs
bool BaseCallerParameters::InitContextVarsFromOptArgs(OptArgs& opts){
assert(bc_files.options_set);
char default_run_id[6]; // Create a run identifier from full output directory string
ion_run_to_readname (default_run_id, (char*)bc_files.output_directory.c_str(), bc_files.output_directory.length());
context_vars.run_id = opts.GetFirstString ('-', "run-id", default_run_id);
num_threads_ = opts.GetFirstInt ('n', "num-threads", max(2*numCores(), 4));
num_bamwriter_threads_ = opts.GetFirstInt ('-', "num-threads-bamwriter", 6);
context_vars.flow_signals_type = opts.GetFirstString ('-', "flow-signals-type", "none");
context_vars.extra_trim_left = opts.GetFirstInt ('-', "extra-trim-left", 0);
context_vars.only_process_unfiltered_set = opts.GetFirstBoolean('-', "only-process-unfiltered-set", false);
// Treephaser options
context_vars.dephaser = opts.GetFirstString ('-', "dephaser", "treephaser-sse");
context_vars.keynormalizer = opts.GetFirstString ('-', "keynormalizer", "gain");
context_vars.windowSize = opts.GetFirstInt ('-', "window-size", DPTreephaser::kWindowSizeDefault_);
context_vars.skip_droop = opts.GetFirstBoolean('-', "skip-droop", true);
context_vars.skip_recal_during_norm = opts.GetFirstBoolean('-', "skip-recal-during-normalization", false);
context_vars.diagonal_state_prog = opts.GetFirstBoolean('-', "diagonal-state-prog", false);
// Not every combination of options is possible here:
if (context_vars.diagonal_state_prog and context_vars.dephaser != "treephaser-swan") {
cout << " === BaseCaller Option Incompatibility: Using dephaser treephaser-swan with diagonal state progression instead of "
<< context_vars.dephaser << endl;
context_vars.dephaser = "treephaser-swan";
}
context_vars.process_tfs = true;
context_vars.options_set = true;
return true;
};
示例2: Initialize
void RecalibrationModel::Initialize(OptArgs& opts, vector<string> &bam_comments, const string & run_id, const ion::ChipSubset & chip_subset)
{
string model_file_name = opts.GetFirstString ('-', "model-file", "");
int model_threshold = opts.GetFirstInt('-', "recal-model-hp-thres", 4);
bool save_hpmodel = opts.GetFirstBoolean('-', "save-hpmodel", true);
bool diagonal_state_prog = opts.GetFirstBoolean('-', "diagonal-state-prog", false);
if (diagonal_state_prog)
model_file_name.clear();
if (InitializeModel(model_file_name, model_threshold) and save_hpmodel)
SaveModelFileToBamComments(model_file_name, bam_comments, run_id, chip_subset.GetColOffset(), chip_subset.GetRowOffset());
}
示例3: RetrieveParameterBool
bool RetrieveParameterBool(OptArgs &opts, Json::Value& json, char short_name, const string& long_name_hyphens, bool default_value)
{
string long_name_underscores = long_name_hyphens;
for (unsigned int i = 0; i < long_name_underscores.size(); ++i)
if (long_name_underscores[i] == '-')
long_name_underscores[i] = '_';
bool value = default_value;
string source = "builtin default";
if (json.isMember(long_name_underscores)) {
if (json[long_name_underscores].isString())
value = atoi(json[long_name_underscores].asCString());
else
value = json[long_name_underscores].asInt();
source = "parameters json file";
}
if (opts.HasOption(short_name, long_name_hyphens)) {
value = opts.GetFirstBoolean(short_name, long_name_hyphens, value);
source = "command line option";
}
cout << setw(35) << long_name_hyphens << " = " << setw(10) << (value ? "true" : "false") << " (boolean, " << source << ")" << endl;
return value;
}
示例4: SetFreeBayesParameters
void ExtendParameters::SetFreeBayesParameters(OptArgs &opts, Json::Value& fb_params) {
// FreeBayes parameters
// primarily used in candidate generation
targets = opts.GetFirstString('t', "target-file", "");
trim_ampliseq_primers = opts.GetFirstBoolean('-', "trim-ampliseq-primers", false);
if (targets.empty() and trim_ampliseq_primers) {
cerr << "ERROR: --trim-ampliseq-primers enabled but no --target-file provided" << endl;
exit(1);
}
allowIndels = RetrieveParameterBool (opts, fb_params, '-', "allow-indels", true);
allowSNPs = RetrieveParameterBool (opts, fb_params, '-', "allow-snps", true);
allowMNPs = RetrieveParameterBool (opts, fb_params, '-', "allow-mnps", true);
allowComplex = RetrieveParameterBool (opts, fb_params, '-', "allow-complex", false);
// deprecated:
// leftAlignIndels = RetrieveParameterBool (opts, fb_params, '-', "left-align-indels", false);
RetrieveParameterBool (opts, fb_params, '-', "left-align-indels", false);
//useBestNAlleles = 0;
useBestNAlleles = RetrieveParameterInt (opts, fb_params, 'm', "use-best-n-alleles", 2);
onlyUseInputAlleles = RetrieveParameterBool (opts, fb_params, '-', "use-input-allele-only", false);
min_mapping_qv = RetrieveParameterInt (opts, fb_params, 'M', "min-mapping-qv", 4);
read_snp_limit = RetrieveParameterInt (opts, fb_params, 'U', "read-snp-limit", 10);
readMaxMismatchFraction = RetrieveParameterDouble(opts, fb_params, 'z', "read-max-mismatch-fraction", 1.0);
maxComplexGap = RetrieveParameterInt (opts, fb_params, '!', "max-complex-gap", 1);
// read from json or command line, otherwise default to snp frequency
minAltFraction = RetrieveParameterDouble(opts, fb_params, '-', "gen-min-alt-allele-freq", my_controls.filter_snps.min_allele_freq);
minCoverage = RetrieveParameterInt (opts, fb_params, '-', "gen-min-coverage", my_controls.filter_snps.min_cov);
minIndelAltFraction = RetrieveParameterDouble(opts, fb_params, '-', "gen-min-indel-alt-allele-freq", my_controls.filter_hp_indel.min_allele_freq);
//set up debug levels
if (program_flow.DEBUG > 0)
debug = true;
if (program_flow.inputPositionsOnly) {
processInputPositionsOnly = true;
}
if (variantPriorsFile.empty() && (processInputPositionsOnly || onlyUseInputAlleles) ) {
cerr << "ERROR: Parameter error - Process-input-positions-only: " << processInputPositionsOnly << " use-input-allele-only: " << onlyUseInputAlleles << " : Specified without Input VCF File " << endl;
exit(1);
}
}
示例5: IonstatsReduceH5
int IonstatsReduceH5(int argc, const char *argv[])
{
OptArgs opts;
opts.ParseCmdLine(argc-1, argv+1);
string output_h5_filename = opts.GetFirstString ('o', "output", "");
bool merge_proton_blocks = opts.GetFirstBoolean ('b', "merge-proton-blocks", "true");
vector<string> input_h5_filename;
opts.GetLeftoverArguments(input_h5_filename);
if(input_h5_filename.empty() or output_h5_filename.empty()) {
IonstatsReduceH5Help();
return 1;
}
if(merge_proton_blocks)
cout << "NOTE:" << argv[0] << " " << argv[1] << ": --merge-proton-blocks=true so any Proton block-specific read group suffixes will be merged" << endl;
return IonstatsAlignmentReduceH5(output_h5_filename, input_h5_filename, merge_proton_blocks);
}
示例6: Init
void PerBaseQual::Init(OptArgs& opts, const string& chip_type, const string &output_directory, bool recalib)
{
if(phred_table_)
{
delete [] phred_table_;
phred_table_ = 0;
}
string phred_table_file = opts.GetFirstString ('-', "phred-table-file", "");
save_predictors_ = opts.GetFirstBoolean('-', "save-predictors", false);
// Determine the correct phred table filename to use
bool binTable = true;
if (phred_table_file.empty()) {
ChipIdDecoder::SetGlobalChipId(chip_type.c_str());
ChipIdEnum chip_id = ChipIdDecoder::GetGlobalChipId();
switch(chip_id){
case ChipId314:
phred_table_file = "phredTable.txt_314.binary";
break;
case ChipId316:
phred_table_file = "phredTable.txt_316.binary";
break;
case ChipId316v2:
phred_table_file = "phredTable.txt_318.binary";
break;
case ChipId318:
phred_table_file = "phredTable.txt_318.binary";
break;
case ChipId900: // Proton chip
phred_table_file = "phredTable.txt_900.binary";
break;
default:
phred_table_file = "phredTable.txt_314.binary";
fprintf(stderr, "PerBaseQual: No default phred table for chip_type=%s, trying %s instead\n",
chip_type.c_str(), phred_table_file.c_str());
break;
}
if (recalib)
{
phred_table_file = phred_table_file.substr(0, phred_table_file.length() - 7);
phred_table_file += ".Recal.binary";
}
char* full_filename = GetIonConfigFile(phred_table_file.c_str());
if(!full_filename)
{
printf("WARNING: cannot find binary phred table file %s, try to use non-binary phred table\n", phred_table_file.c_str());
phred_table_file = phred_table_file.substr(0, phred_table_file.length() - 7); // get rid of .binary
binTable = false;
char* full_filename2 = GetIonConfigFile(phred_table_file.c_str());
if(!full_filename2)
ION_ABORT("ERROR: Can't find phred table file " + phred_table_file);
phred_table_file = full_filename2;
free(full_filename2);
}
else
{
phred_table_file = full_filename;
free(full_filename);
}
}
cout << endl << "PerBaseQual::Init... phred_table_file=" << phred_table_file << endl;
binTable = hasBinaryExtension(phred_table_file);
// Load the phred table
if(binTable)
{
cout << endl << "PerBaseQual::Init... load binary phred_table_file=" << phred_table_file << endl;
vector<size_t> vNumCuts(kNumPredictors, 0);
if(H5Fis_hdf5(phred_table_file.c_str()) > 0)
{
hid_t root = H5Fopen(phred_table_file.c_str(), H5F_ACC_RDONLY, H5P_DEFAULT);
if(root < 0)
{
ION_ABORT("ERROR: cannot open HDF5 file " + phred_table_file);
}
hid_t grpQvTable = H5Gopen(root, "/QvTable", H5P_DEFAULT);
if (grpQvTable < 0)
{
H5Fclose(root);
ION_ABORT("ERROR: fail to open HDF5 group QvTable");
}
if(H5Aexists(grpQvTable, "NumPredictors") <= 0)
{
H5Gclose(grpQvTable);
H5Fclose(root);
ION_ABORT("ERROR: HDF5 attribute NumPredictors does not exist");
}
hid_t attrNumPreds = H5Aopen(grpQvTable, "NumPredictors", H5P_DEFAULT);
if (attrNumPreds < 0)
//.........这里部分代码省略.........
示例7: main
int main (int argc, const char *argv[])
{
printf ("------------- bamrealignment --------------\n");
OptArgs opts;
opts.ParseCmdLine(argc, argv);
vector<int> score_vals(4);
string input_bam = opts.GetFirstString ('i', "input", "");
string output_bam = opts.GetFirstString ('o', "output", "");
opts.GetOption(score_vals, "4,-6,-5,-2", 's', "scores");
int clipping = opts.GetFirstInt ('c', "clipping", 2);
bool anchors = opts.GetFirstBoolean ('a', "anchors", true);
int bandwidth = opts.GetFirstInt ('b', "bandwidth", 10);
bool verbose = opts.GetFirstBoolean ('v', "verbose", false);
bool debug = opts.GetFirstBoolean ('d', "debug", false);
int format = opts.GetFirstInt ('f', "format", 1);
int num_threads = opts.GetFirstInt ('t', "threads", 8);
string log_fname = opts.GetFirstString ('l', "log", "");
if (input_bam.empty() or output_bam.empty())
return PrintHelp();
opts.CheckNoLeftovers();
std::ofstream logf;
if (log_fname.size ())
{
logf.open (log_fname.c_str ());
if (!logf.is_open ())
{
fprintf (stderr, "bamrealignment: Failed to open log file %s\n", log_fname.c_str());
return 1;
}
}
BamReader reader;
if (!reader.Open(input_bam)) {
fprintf(stderr, "bamrealignment: Failed to open input file %s\n", input_bam.c_str());
return 1;
}
SamHeader header = reader.GetHeader();
RefVector refs = reader.GetReferenceData();
BamWriter writer;
writer.SetNumThreads(num_threads);
if (format == 1)
writer.SetCompressionMode(BamWriter::Uncompressed);
else
writer.SetCompressionMode(BamWriter::Compressed);
if (!writer.Open(output_bam, header, refs)) {
fprintf(stderr, "bamrealignment: Failed to open output file %s\n", output_bam.c_str());
return 1;
}
// The meat starts here ------------------------------------
if (verbose)
cout << "Verbose option is activated, each alignment will print to screen." << endl
<< " After a read hit RETURN to continue to the next one," << endl
<< " or press q RETURN to quit the program," << endl
<< " or press s Return to silence verbose," << endl
<< " or press c RETURN to continue printing without further prompt." << endl << endl;
unsigned int readcounter = 0;
unsigned int mapped_readcounter = 0;
unsigned int realigned_readcounter = 0;
unsigned int modified_alignment_readcounter = 0;
unsigned int pos_update_readcounter = 0;
unsigned int failed_clip_realigned_readcount = 0;
unsigned int already_perfect_readcount = 0;
unsigned int bad_md_tag_readcount = 0;
unsigned int error_recreate_ref_readcount = 0;
unsigned int error_clip_anchor_readcount = 0;
unsigned int error_sw_readcount = 0;
unsigned int error_unclip_readcount = 0;
unsigned int start_position_shift;
int orig_position;
int new_position;
string md_tag, new_md_tag, input = "x";
vector<CigarOp> new_cigar_data;
vector<MDelement> new_md_data;
bool position_shift = false;
time_t start_time = time(NULL);
Realigner aligner;
aligner.verbose_ = verbose;
aligner.debug_ = debug;
if (!aligner.SetScores(score_vals))
cout << "bamrealignment: Four scores need to be provided: match, mismatch, gap open, gap extend score!" << endl;
aligner.SetAlignmentBandwidth(bandwidth);
//.........这里部分代码省略.........
示例8: PrepareHotspots
int PrepareHotspots(int argc, const char *argv[])
{
OptArgs opts;
opts.ParseCmdLine(argc, argv);
string input_bed_filename = opts.GetFirstString ('b', "input-bed", "");
string input_vcf_filename = opts.GetFirstString ('v', "input-vcf", "");
string input_real_vcf_filename = opts.GetFirstString ('p', "input-real-vcf", "");
string output_hot_vcf = opts.GetFirstString ('q', "output-fake-hot-vcf", "");
string output_bed_filename = opts.GetFirstString ('d', "output-bed", "");
string output_vcf_filename = opts.GetFirstString ('o', "output-vcf", "");
string reference_filename = opts.GetFirstString ('r', "reference", "");
string unmerged_bed = opts.GetFirstString ('u', "unmerged-bed", "");
bool left_alignment = opts.GetFirstBoolean('a', "left-alignment", false);
bool filter_bypass = opts.GetFirstBoolean('f', "filter-bypass", false);
bool allow_block_substitutions = opts.GetFirstBoolean('s', "allow-block-substitutions", true);
bool strict_check = opts.GetFirstBoolean('S', "strict-check", true);
opts.CheckNoLeftovers();
if((input_bed_filename.empty() == (input_vcf_filename.empty() and input_real_vcf_filename.empty())) or
(output_bed_filename.empty() and output_vcf_filename.empty()) or reference_filename.empty()) {
PrepareHotspotsHelp();
return 1;
}
if ((not input_real_vcf_filename.empty()) and (output_vcf_filename.empty() or not input_vcf_filename.empty())) {
PrepareHotspotsHelp();
return 1;
}
// Populate chromosome list from reference.fai
// Use mmap to fetch the entire reference
int ref_handle = open(reference_filename.c_str(),O_RDONLY);
struct stat ref_stat;
fstat(ref_handle, &ref_stat);
char *ref = (char *)mmap(0, ref_stat.st_size, PROT_READ, MAP_SHARED, ref_handle, 0);
FILE *fai = fopen((reference_filename+".fai").c_str(), "r");
if (!fai) {
fprintf(stderr, "ERROR: Cannot open %s.fai\n", reference_filename.c_str());
return 1;
}
vector<Reference> ref_index;
map<string,int> ref_map;
char line[1024], chrom_name[1024];
while (fgets(line, 1024, fai) != NULL) {
Reference ref_entry;
long chr_start;
if (5 != sscanf(line, "%1020s\t%ld\t%ld\t%d\t%d", chrom_name, &ref_entry.size, &chr_start,
&ref_entry.bases_per_line, &ref_entry.bytes_per_line))
continue;
ref_entry.chr = chrom_name;
ref_entry.start = ref + chr_start;
ref_index.push_back(ref_entry);
ref_map[ref_entry.chr] = (int) ref_index.size() - 1;
}
fclose(fai);
junction junc;
if (!unmerged_bed.empty()) {
FILE *fp = fopen(unmerged_bed.c_str(), "r");
if (!fp) {
fprintf(stderr, "ERROR: Cannot open %s\n", unmerged_bed.c_str());
return 1;
}
char line2[65536];
junc.init(ref_index.size());
bool line_overflow = false;
while (fgets(line2, 65536, fp) != NULL) {
if (line2[0] and line2[strlen(line2)-1] != '\n' and strlen(line2) == 65535) {
line_overflow = true;
continue;
}
if (line_overflow) {
line_overflow = false;
continue;
}
if (strstr(line2, "track")) continue;
char chr[100];
int b, e;
sscanf(line2, "%s %d %d", chr, &b, &e);
junc.add(ref_map[chr], b, e);
}
fclose(fp);
}
// Load input BED or load input VCF, group by chromosome
deque<LineStatus> line_status;
vector<deque<Allele> > alleles(ref_index.size());
if (!input_bed_filename.empty()) {
FILE *input = fopen(input_bed_filename.c_str(),"r");
if (!input) {
fprintf(stderr,"ERROR: Cannot open %s\n", input_bed_filename.c_str());
return 1;
//.........这里部分代码省略.........
示例9: main
int main (int argc, const char *argv[])
{
time_t program_start_time;
time(&program_start_time);
Json::Value calibration_json(Json::objectValue);
DumpStartingStateOfProgram (argc,argv,program_start_time, calibration_json["Calibration"]);
//
// Step 1. Process command line options
//
OptArgs opts;
opts.ParseCmdLine(argc, argv);
// enable floating point exceptions during program execution
if (opts.GetFirstBoolean('-', "float-exceptions", true)) {
cout << "Calibration: Floating point exceptions enabled." << endl;
feenableexcept(FE_DIVBYZERO | FE_INVALID | FE_OVERFLOW);
} //*/
CalibrationContext calib_context;
if (not calib_context.InitializeFromOpts(opts)){
PrintHelp_CalModules();
}
HistogramCalibration master_histogram(opts, calib_context);
calib_context.hist_calibration_master = &master_histogram;
LinearCalibrationModel master_linear_model(opts, calib_context);
calib_context.linear_model_master = &master_linear_model;
opts.CheckNoLeftovers();
//
// Step 2. Execute threaded calibration
//
int calibration_thread_time = 0;
if (calib_context.successive_fit) {
// first train linear model
if (master_linear_model.DoTraining()) {
int l_thread_time = 0;
for (int i_iteration=0; i_iteration<calib_context.num_train_iterations; i_iteration++) {
cout << " -Training Iteration " << i_iteration+1;
l_thread_time = ExecuteThreadedCalibrationTraining(calib_context);
// Activate master linear model after every round of training
master_linear_model.CreateCalibrationModel(false); // make linear model
master_linear_model.SetModelGainsAndOffsets(); // expand for use in basecalling
calibration_thread_time += l_thread_time;
calib_context.bam_reader.Rewind(); // reset all files for another pass
cout << " Duration = " << l_thread_time << endl;
}
}
// Then apply it during polish model training
if (master_histogram.DoTraining()) {
calib_context.local_fit_linear_model = false;
calib_context.local_fit_polish_model = true;
calibration_thread_time += ExecuteThreadedCalibrationTraining(calib_context);
}
}
else {
// Single pass in which both models are fit jointly
calibration_thread_time=ExecuteThreadedCalibrationTraining(calib_context);
}
//
// Step 3. Create models, write output, and close modules
//
// Linear Model
if (master_linear_model.CreateCalibrationModel())
master_linear_model.ExportModelToJson(calibration_json["LinearModel"], "");
// HP histogram calibration
if (master_histogram.CreateCalibrationModel())
master_histogram.ExportModelToJson(calibration_json["HPHistogram"]);
// Transfer stuff from calibration context and close bam reader
calib_context.Close(calibration_json["Calibration"]);
time_t program_end_time;
time(&program_end_time);
calibration_json["Calibration"]["end_time"] = get_time_iso_string(program_end_time);
calibration_json["Calibration"]["total_duration"] = (Json::Int)difftime(program_end_time,program_start_time);
calibration_json["Calibration"]["calibration_duration"] = (Json::Int)calibration_thread_time;
SaveJson(calibration_json, calib_context.filename_json);
return EXIT_SUCCESS;
}
示例10: PrepareHotspots
int PrepareHotspots(int argc, const char *argv[])
{
OptArgs opts;
opts.ParseCmdLine(argc, argv);
string input_bed_filename = opts.GetFirstString ('b', "input-bed", "");
string input_vcf_filename = opts.GetFirstString ('v', "input-vcf", "");
string output_bed_filename = opts.GetFirstString ('d', "output-bed", "");
string output_vcf_filename = opts.GetFirstString ('o', "output-vcf", "");
string reference_filename = opts.GetFirstString ('r', "reference", "");
bool left_alignment = opts.GetFirstBoolean('a', "left-alignment", false);
bool filter_bypass = opts.GetFirstBoolean('f', "filter-bypass", false);
bool allow_block_substitutions = opts.GetFirstBoolean('s', "allow-block-substitutions", false);
opts.CheckNoLeftovers();
if((input_bed_filename.empty() == input_vcf_filename.empty()) or
(output_bed_filename.empty() and output_vcf_filename.empty()) or reference_filename.empty()) {
PrepareHotspotsHelp();
return 1;
}
// Populate chromosome list from reference.fai
// Use mmap to fetch the entire reference
int ref_handle = open(reference_filename.c_str(),O_RDONLY);
struct stat ref_stat;
fstat(ref_handle, &ref_stat);
char *ref = (char *)mmap(0, ref_stat.st_size, PROT_READ, MAP_SHARED, ref_handle, 0);
FILE *fai = fopen((reference_filename+".fai").c_str(), "r");
if (!fai) {
fprintf(stderr, "ERROR: Cannot open %s.fai\n", reference_filename.c_str());
return 1;
}
vector<Reference> ref_index;
map<string,int> ref_map;
char line[1024], chrom_name[1024];
while (fgets(line, 1024, fai) != NULL) {
Reference ref_entry;
long chr_start;
if (5 != sscanf(line, "%s\t%ld\t%ld\t%d\t%d", chrom_name, &ref_entry.size, &chr_start,
&ref_entry.bases_per_line, &ref_entry.bytes_per_line))
continue;
ref_entry.chr = chrom_name;
ref_entry.start = ref + chr_start;
ref_index.push_back(ref_entry);
ref_map[ref_entry.chr] = (int) ref_index.size() - 1;
}
fclose(fai);
// Load input BED or load input VCF, group by chromosome
deque<LineStatus> line_status;
vector<deque<Allele> > alleles(ref_index.size());
if (!input_bed_filename.empty()) {
FILE *input = fopen(input_bed_filename.c_str(),"r");
if (!input) {
fprintf(stderr,"ERROR: Cannot open %s\n", input_bed_filename.c_str());
return 1;
}
char line2[65536];
int line_number = 0;
bool line_overflow = false;
while (fgets(line2, 65536, input) != NULL) {
if (line2[0] and line2[strlen(line2)-1] != '\n' and strlen(line2) == 65535) {
line_overflow = true;
continue;
}
line_number++;
if (line_overflow) {
line_overflow = false;
line_status.push_back(LineStatus(line_number));
line_status.back().filter_message_prefix = "Malformed hotspot BED line: line length exceeds 64K";
continue;
}
if (strncmp(line2, "browser", 7) == 0)
continue;
if (strncmp(line2, "track", 5) == 0) {
if (string::npos != string(line2).find("allowBlockSubstitutions=true"))
allow_block_substitutions = true;
continue;
}
char *current_chr = strtok(line2, "\t\r\n");
char *current_start = strtok(NULL, "\t\r\n");
char *current_end = strtok(NULL, "\t\r\n");
char *current_id = strtok(NULL, "\t\r\n");
char *penultimate = strtok(NULL, "\t\r\n");
char *ultimate = strtok(NULL, "\t\r\n");
for (char *next = strtok(NULL, "\t\r\n"); next; next = strtok(NULL, "\t\r\n")) {
//.........这里部分代码省略.........
示例11: main
int main(int argc, const char* argv[])
{
printf ("tvcvalidator %s-%s (%s) - Prototype tvc validation tool\n\n",
IonVersion::GetVersion().c_str(), IonVersion::GetRelease().c_str(), IonVersion::GetSvnRev().c_str());
if (argc == 1) {
VariantValidatorHelp();
return 1;
}
OptArgs opts;
opts.ParseCmdLine(argc, argv);
if (opts.GetFirstBoolean('v', "version", false)) {
return 0;
}
if (opts.GetFirstBoolean('h', "help", false)) {
VariantValidatorHelp();
return 0;
}
string input_vcf_filename = opts.GetFirstString ('i', "input-vcf", "");
string truth_filename = opts.GetFirstString ('t', "truth-file", "");
string truth_dir = opts.GetFirstString ('d', "truth-dir", "/results/plugins/validateVariantCaller/files");
// TODO: reference optional, only used to verify reference allele in input-vcf and truth files
//string reference_filename = opts.GetFirstString ('r', "reference", "");
opts.CheckNoLeftovers();
//
// Step 1. Load input VCF file into memory
//
if (input_vcf_filename.empty()) {
VariantValidatorHelp();
cerr << "ERROR: Input VCF file not specified " << endl;
return 1;
}
VariantCallerResults results_vcf;
results_vcf.load_vcf(input_vcf_filename);
printf("Loaded VCF %s with %d variant calls\n", input_vcf_filename.c_str(), (int)results_vcf.variants.size());
//
// Step 2. Parse truth files, compare them to the input vcf, and compute match scores
//
if (not truth_filename.empty()) {
ValidatorTruth truth;
truth.ReadTruthFile(truth_filename);
truth.CompareToCalls(results_vcf);
return 0;
}
truth_dir += "/*.bed";
glob_t glob_result;
glob(truth_dir.c_str(), GLOB_TILDE, NULL, &glob_result);
for(unsigned int i = 0; i < glob_result.gl_pathc; ++i) {
ValidatorTruth truth;
truth.ReadTruthFile(string(glob_result.gl_pathv[i]));
truth.CompareToCalls(results_vcf);
}
globfree(&glob_result);
return 0;
}
示例12: fprintf
BaseCallerFilters::BaseCallerFilters(OptArgs& opts,
const string& _flowOrder, int _numFlows, const vector<KeySequence>& _keys, Mask *_maskPtr)
{
flowOrder = _flowOrder;
keypassFilter = opts.GetFirstBoolean('k', "keypass-filter", true);
percentPositiveFlowsFilterTFs = opts.GetFirstBoolean('-', "clonal-filter-tf", false);
clonalFilterTraining = opts.GetFirstBoolean('-', "clonal-filter-train", false);
clonalFilterSolving = opts.GetFirstBoolean('-', "clonal-filter-solve", false);
minReadLength = opts.GetFirstInt ('-', "min-read-length", 8);
cafieResFilterCalling = opts.GetFirstBoolean('-', "cr-filter", false);
cafieResFilterTFs = opts.GetFirstBoolean('-', "cr-filter-tf", false);
generate_bead_summary_ = opts.GetFirstBoolean('-', "bead-summary", false);
// TODO: get this to work right. May require "unwound" flow order, so incompatible with current wells.FlowOrder()
//flt_control.cafieResMaxValueByFlowOrder[std::string ("TACG") ] = 0.06; // regular flow order
//flt_control.cafieResMaxValueByFlowOrder[std::string ("TACGTACGTCTGAGCATCGATCGATGTACAGC") ] = 0.08; // xdb flow order
cafieResMaxValue = opts.GetFirstDouble('-', "cr-filter-max-value", 0.08);
// SFFTrim options
trim_adapter = opts.GetFirstString('-', "trim-adapter", "ATCACCGACTGCCCATAGAGAGGCTGAGAC");
trim_adapter_cutoff = opts.GetFirstDouble('-', "trim-adapter-cutoff", 0.0);
trim_adapter_closest = opts.GetFirstBoolean('-', "trim-adapter-pick-closest", false);
trim_qual_wsize = opts.GetFirstInt('-', "trim-qual-window-size", 30);
trim_qual_cutoff = opts.GetFirstDouble('-', "trim-qual-cutoff", 100.0);
trim_min_read_len = opts.GetFirstInt('-', "trim-min-read-len", 8);
// Validate options
if (minReadLength < 1) {
fprintf (stderr, "Option Error: min-read-length must specify a positive value (%d invalid).\n", minReadLength);
exit (EXIT_FAILURE);
}
if (cafieResMaxValue <= 0) {
fprintf (stderr, "Option Error: cr-filter-max-value must specify a positive value (%lf invalid).\n", cafieResMaxValue);
exit (EXIT_FAILURE);
}
keys = _keys;
numClasses = keys.size();
assert(numClasses == 2);
classFilterPolyclonal.resize(numClasses);
classFilterPolyclonal[0] = clonalFilterSolving;
classFilterPolyclonal[1] = clonalFilterSolving && percentPositiveFlowsFilterTFs;
classFilterHighResidual.resize(numClasses);
classFilterHighResidual[0] = cafieResFilterCalling;
classFilterHighResidual[1] = cafieResFilterCalling && cafieResFilterTFs;
string filter_beverly_args = opts.GetFirstString('-', "beverly-filter", "0.03,0.03,8");
if (filter_beverly_args == "off") {
filter_beverly_enabled_ = false; // Nothing, really
printf("Beverly filter: disabled, use --beverly-filter=filter_ratio,trim_ratio,min_length\n");
} else {
int stat = sscanf (filter_beverly_args.c_str(), "%f,%f,%d",
&filter_beverly_filter_ratio_,
&filter_beverly_trim_ratio_,
&filter_beverly_min_read_length_);
if (stat != 3) {
fprintf (stderr, "Option Error: beverly-filter %s\n", filter_beverly_args.c_str());
fprintf (stderr, "Usage: --beverly-filter=filter_ratio,trim_ratio,min_length\n");
exit (EXIT_FAILURE);
}
filter_beverly_enabled_ = true;
printf("Beverly filter: enabled, use --beverly-filter=off to disable\n");
printf("Beverly filter: filter_ratio = %1.5f\n", filter_beverly_filter_ratio_);
printf("Beverly filter: trim_ratio = %1.5f\n", filter_beverly_trim_ratio_);
printf("Beverly filter: min_length = %d\n", filter_beverly_min_read_length_);
}
maskPtr = _maskPtr;
numFlows = _numFlows;
filterMask.assign(maskPtr->H()*maskPtr->W(), kUninitialized);
}
示例13: InitializeFromOptArgs
void PhaseEstimator::InitializeFromOptArgs(OptArgs& opts, const ion::ChipSubset & chip_subset, const string & key_norm_method)
{
// Parse command line options
phasing_estimator_ = opts.GetFirstString ('-', "phasing-estimator", "spatial-refiner-2");
vector<double> cf_ie_dr = opts.GetFirstDoubleVector('-', "libcf-ie-dr", "");
vector<double> init_cf_ie_dr = opts.GetFirstDoubleVector('-', "initcf-ie-dr", "");
residual_threshold_ = opts.GetFirstDouble ('-', "phasing-residual-filter", 1.0);
max_phasing_levels_ = opts.GetFirstInt ('-', "max-phasing-levels", max_phasing_levels_default_);
num_fullchip_iterations_= opts.GetFirstInt ('-', "phasing-fullchip-iterations", 3);
num_region_iterations_ = opts.GetFirstInt ('-', "phasing-region-iterations", 1);
num_reads_per_region_ = opts.GetFirstInt ('-', "phasing-num-reads", 5000);
min_reads_per_region_ = opts.GetFirstInt ('-', "phasing-min-reads", 1000);
phase_file_name_ = opts.GetFirstString ('-', "phase-estimation-file", "");
normalization_string_ = opts.GetFirstString ('-', "phase-normalization", "adaptive");
key_norm_method_ = key_norm_method;
// Static member variables
norm_during_param_eval_ = opts.GetFirstBoolean('-', "phase-norm-during-eval", false);
windowSize_ = opts.GetFirstInt ('-', "window-size", DPTreephaser::kWindowSizeDefault_);
phasing_start_flow_ = opts.GetFirstInt ('-', "phasing-start-flow", 70);
phasing_end_flow_ = opts.GetFirstInt ('-', "phasing-end-flow", 150);
inclusion_threshold_ = opts.GetFirstDouble ('-', "phasing-signal-cutoff", 1.4);
maxfrac_negative_flows_ = opts.GetFirstDouble ('-', "phasing-norm-threshold", 0.2);
// Initialize chip size - needed for loading phase parameters
chip_size_x_ = chip_subset.GetChipSizeX();
chip_size_y_ = chip_subset.GetChipSizeY();
region_size_x_ = chip_subset.GetRegionSizeX();
region_size_y_ = chip_subset.GetRegionSizeY();
num_regions_x_ = chip_subset.GetNumRegionsX();
num_regions_y_ = chip_subset.GetNumRegionsY();
num_regions_ = chip_subset.NumRegions();
// Loading existing phase estimates from a file takes precedence over all other options
if (not phase_file_name_.empty()) {
have_phase_estimates_ = LoadPhaseEstimationTrainSubset(phase_file_name_);
if (have_phase_estimates_) {
phasing_estimator_ = "override";
printf("Phase estimator settings:\n");
printf(" phase file name : %s\n", phase_file_name_.c_str());
printf(" phase estimation mode : %s\n\n", phasing_estimator_.c_str());
return;
} else
cout << "PhaseEstimator Error loading TrainSubset from file " << phase_file_name_ << endl;
}
// Set phase parameters if provided by command line
if (!cf_ie_dr.empty()) {
if (cf_ie_dr.size() != 3){
cerr << "BaseCaller Option Error: libcf-ie-dr needs to be a comma separated vector of 3 values." << endl;
exit (EXIT_FAILURE);
}
SetPhaseParameters(cf_ie_dr.at(0), cf_ie_dr.at(1), cf_ie_dr.at(2));
return; // --libcf-ie-dr overrides other phasing-related options
}
// Set starting values for estimation
if (!init_cf_ie_dr.empty()) {
if (init_cf_ie_dr.size() != 3){
cerr << "BaseCaller Option Error: initcf-ie-dr needs to be a comma separated vector of 3 values." << endl;
exit (EXIT_FAILURE);
}
init_cf_ = init_cf_ie_dr.at(0);
init_ie_ = init_cf_ie_dr.at(1);
init_dr_ = init_cf_ie_dr.at(2);
}
if (phasing_start_flow_ >= phasing_end_flow_ or phasing_start_flow_ < 0) {
cerr << "BaseCaller Option Error: phasing-start-flow " << phasing_start_flow_
<< "needs to be positive and smaller than phasing-end-flow " << phasing_end_flow_ << endl;
exit (EXIT_FAILURE);
}
if (normalization_string_ == "adaptive")
norm_method_ = 1;
else if (normalization_string_ == "pid")
norm_method_ = 2;
else if (normalization_string_ == "variable")
norm_method_ = 3;
else if (normalization_string_ == "off")
norm_method_ = 4;
else
norm_method_ = 0; // "gain" and anythign else is default
printf("Phase estimator settings:\n");
printf(" phase file name : %s\n", phase_file_name_.c_str());
printf(" phase estimation mode : %s\n", phasing_estimator_.c_str());
printf(" initial cf,ie,dr values: %f,%f,%f\n", init_cf_,init_ie_,init_dr_);
printf(" reads per region target: %d-%d\n", min_reads_per_region_, num_reads_per_region_);
printf(" normalization method : %s\n", normalization_string_.c_str());
printf(" variable norm threshold: %f\n", maxfrac_negative_flows_);
printf("\n");
}