我知道存在一个支持处理Biojava等生物信息的包,但是我想制作一个简单的代码,将DNA序列转换成它的补体序列
这是我的代码......
public class SeqComplement{
static String sequence ;
String Complement(String sequence){
// this.sequence = sequence;
// String complement;
// complement = "N";
// for(int i = 0 ; i< sequence.length() ; i++){
String[] raw = new String[sequence.length()];
String[] complement = new String[sequence.length()];
String ComplementSeq = "N";
for(int i = 0 ; i <sequence.length() ; i++){
String sub = sequence.substring(i,i+1);
raw[i] = sub;
}
for(int j = 0 ; j < sequence.length();j++){
if(raw[j] == "A"){
complement[j] = "T";
}
else if (raw[j] == "T"){
complement[j] = "A";
}
else if (raw[j] == "G"){
complement[j] = "C";
}
else if (raw[j] == "C"){
complement[j] = "G";
}
else{
complement[j] = "N";
}
}
for(int k = 0 ; k < complement.length ; k++){
ComplementSeq+=complement[k];
}
return ComplementSeq.substring(1);
}
public static void main(String[] args){
SeqComplement.sequence = "ATCG";
SeqComplement ob = new SeqComplement();
System.out.println(ob.Complement(ob.sequence));
}
}
此代码将结果显示为NNNN
我已经尝试过使用String.concat()方法,但它什么都没给我。
答案 0 :(得分:3)
要将字符串转换为字符数组,您应该使用以下代码:
char[] raw = sequence.toCharArray();
char[] complement = sequence.toCharArray();
另外,为了比较字符串,你应该不使用==
运算符,你应该在字符串上调用.equals
方法。
另一个好建议是使用HashMap
来存储这样的补充:
HashMap<Character, Character> complements = new HashMap<>();
complements.put('A', 'T');
complements.put('T', 'A');
complements.put('C', 'G');
complements.put('G', 'C');
并补充每个角色:
for (int i = 0; i < raw.length; ++i) {
complement[i] = complements.get(raw[i]);
}
完整代码:
public class SeqComplement {
private static HashMap<Character, Character> complements = new HashMap<>();
static {
complements.put('A', 'T');
complements.put('T', 'A');
complements.put('C', 'G');
complements.put('G', 'C');
}
public String makeComplement(String input) {
char[] inputArray = input.toCharArray();
char[] output = new char[inputArray.length];
for (int i = 0; i < inputArray.length; ++i) {
if (complements.containsKey(inputArray[i]) {
output[i] = SeqComplement.complements.get(inputArray[i]);
} else {
output[i] = 'N';
}
}
return String.valueOf(output);
}
public static void main(String[] args) {
System.out.println(new SeqComplement().makeComplement("AATCGTAGC"));
}
}
答案 1 :(得分:1)
你正在使用==
进行字符串比较,这几乎肯定不是你想要的(它检查字符串使用的基础对象是否相同,而不是值是否相等。)对于您期望的等价样式行为,请使用.equals()
。
所以而不是:
if(raw[j] == "A")
你会使用:
if(raw[j].equals("A"))
答案 2 :(得分:0)
浆果是正确的。好吧,我还没有我的笔记本电脑,所以无法运行它。
除了berry的建议,我还会要求你用下面的方法替换main()中的行:
SeqComplement ob = new SeqComplement();
ob.sequence = "ATCG";
System.out.println(ob.Complement(ob.sequence));
请告诉我这是否有帮助: - )