在x选项卡之后拆分字符串

时间:2013-02-06 14:23:29

标签: java string split

我必须将值与.txt文件分开。 我创建了一个LineNumberReader并使用.split(“\ t”)来分隔单词,但我只需要第二个最后一个值(q-value)。 是否有指定.split()的选项?

这是我的.txt文件

test_id gene_id gene    locus   sample_1    sample_2    status  value_1 value_2 log2(fold_change)   test_stat   p_value q_value significant
XLOC_000001 XLOC_000001 TC012951    ChLG10:20399-27664  naive   BttO    NOTEST  0   0.0498691   1.79769e+308    1.79769e+308    0.210754    1   no

3 个答案:

答案 0 :(得分:1)

String[] array = someString.split("\t");
String secondToLast = array[array.length - 2];

答案 1 :(得分:1)

您可以使用String#split(String regex, int limit)方法停止在要提取的列之后拆分,并在一行代码中获取所需的字符串:

    String line = "A\tB\tC\tD\tE\tF"; // tab separated content
    int column = 3; // specify the column you want (first is 1)
    String content = line.split("\t", column + 1)[column - 1]; // get content 
    System.out.println(content);  // prints C (3rd column)

答案 2 :(得分:0)

鉴于你有这条线:

XLOC_000001 XLOC_000001 TC012951    ChLG10:20399-27664  naive   BttO    NOTEST  0   0.0498691   1.79769e+308    1.79769e+308    0.210754    1   no

你想要1(倒数第二个元素)

您可以使用以下表达式:

String s ="XLOC_000001 XLOC_000001 TC012951\tChLG10:20399-27664\tnaive\tBttO\tNOTEST\t0\t0.0498691\t1.79769e+308\t1.79769e+308\t0.210754\t1\tno";
Matcher m = Pattern.compile("(?:\t|^)([^\t]*?)\t[^\t]*?(?:\\n|$)").matcher(s);
if(m.find())
    System.out.println(m.group(1));

或者,包含在一个函数中:

private static final Pattern pattern = Pattern.compile("(?:\t|^)([^\t]*?)\t[^\t]*?(?:\\n|$)");
public static final String getPenultimateElement(String line) {
    Matcher m = pattern.matcher(line);
    if(m.find())
        return m.group(1)
    return null; // or throw exception.
}

或者,调用者可以指定分隔符:

public static final String getPenultimateElement(String line, String separator) {
    separator = Pattern.quote(separator);
    Matcher m = Pattern.compile("(?:" separator + "|^)([^" + separator + "]*?)" + separator + "[^" + separator + "]*?(?:\\n|$)").matcher(line);
    if(m.find())
        return m.group(1)
    return null; // or throw exception.
}