Given a DNA strand, return its RNA complement (per RNA transcription).
Both DNA and RNA strands are a sequence of nucleotides.
The four nucleotides found in DNA are adenine (A), cytosine (C), guanine (G) and thymine (T).
The four nucleotides found in RNA are adenine (A), cytosine (C), guanine (G) and uracil (U).
Given a DNA strand, its transcribed RNA strand is formed by replacing each nucleotide with its complement:
G
-> C
C
-> G
T
-> A
A
-> U
Go through the setup instructions for JavaScript to install the necessary dependencies:
http://exercism.io/languages/javascript/installation
The provided test suite uses Jasmine. You can install it by opening a terminal window and running the following command:
npm install -g jasmine
Run the test suite from the exercise directory with:
jasmine rna-transcription.spec.js
In many test suites all but the first test have been marked "pending".
Once you get a test passing, activate the next one by changing xit
to it
.
Rosalind http://rosalind.info/problems/rna
It's possible to submit an incomplete solution so you can see how others have completed the exercise.
var DnaTranscriber = require('./rna-transcription');
var dnaTranscriber = new DnaTranscriber();
describe('toRna()', function () {
it('transcribes cytosine to guanine', function () {
expect(dnaTranscriber.toRna('C')).toEqual('G');
});
xit('transcribes guanine to cytosine', function () {
expect(dnaTranscriber.toRna('G')).toEqual('C');
});
xit('transcribes adenine to uracil', function () {
expect(dnaTranscriber.toRna('A')).toEqual('U');
});
xit('transcribes thymine to adenine', function () {
expect(dnaTranscriber.toRna('T')).toEqual('A');
});
xit('transcribes all dna nucleotides to their rna complements', function () {
expect(dnaTranscriber.toRna('ACGTGGTCTTAA'))
.toEqual('UGCACCAGAAUU');
});
xit('correctly handles completely invalid input', function () {
expect(function () { dnaTranscriber.toRna('XXX'); }).toThrow(
new Error('Invalid input')
);
});
xit('correctly handles partially invalid input', function () {
expect(function () { dnaTranscriber.toRna('ACGTXXXCTTAA'); }).toThrow(
new Error('Invalid input')
);
});
});
var DnaTranscriber = function () {
}
const rna = {
G: 'C',
C: 'G',
T: 'A',
A: 'U'
}
DnaTranscriber.prototype.toRna = function (dna) {
return dna.split('').map(function (x) {
if(x in rna){
return rna[x]
}else{
throw new Error('Invalid input')
}
}).join('')
}
module.exports = DnaTranscriber;
A huge amount can be learned from reading other people’s code. This is why we wanted to give exercism users the option of making their solutions public.
Here are some questions to help you reflect on this solution and learn the most from it.
Community comments