Last active
December 12, 2022 22:31
-
-
Save slightfoot/6330866 to your computer and use it in GitHub Desktop.
Android Tone Generator
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// Usage: | |
// AudioTrack tone = generateTone(440, 250); | |
// tone.play(); | |
// | |
private AudioTrack generateTone(double freqHz, int durationMs) | |
{ | |
int count = (int)(44100.0 * 2.0 * (durationMs / 1000.0)) & ~1; | |
short[] samples = new short[count]; | |
for(int i = 0; i < count; i += 2){ | |
short sample = (short)(Math.sin(2 * Math.PI * i / (44100.0 / freqHz)) * 0x7FFF); | |
samples[i + 0] = sample; | |
samples[i + 1] = sample; | |
} | |
AudioTrack track = new AudioTrack(AudioManager.STREAM_MUSIC, 44100, | |
AudioFormat.CHANNEL_OUT_STEREO, AudioFormat.ENCODING_PCM_16BIT, | |
count * (Short.SIZE / 8), AudioTrack.MODE_STATIC); | |
track.write(samples, 0, count); | |
return track; | |
} |
I think
- Make sure the count is an even number;
- After some tests, it seems for stereo purpose, one for left, the other for right ear.
Works, thanks!
Sir, how i can change sound volume in db ?
Sir, how i can change sound volume in db ?
It's been a while but I had this issue too. For anyone who needs it, I added a volume parameter; takes a double (should be between 0 and 1) and multiplies it by the overall sine wave
private AudioTrack generateTone(double freqHz, int durationMs, double volume)
{
if (volume > 1 || volume < 0){
volume = 1; //will make sure it isn't too loud
}
int count = (int)(44100.0 * 2.0 * (durationMs / 1000.0)) & ~1;
short[] samples = new short[count];
for(int i = 0; i < count; i += 2){
short sample = (short)(volume * Math.sin(2 * Math.PI * i / (44100.0 / freqHz)) * 0x7FFF);
samples[i + 0] = sample;
samples[i + 1] = sample;
}
AudioTrack track = new AudioTrack(AudioManager.STREAM_MUSIC, 44100,
AudioFormat.CHANNEL_OUT_STEREO, AudioFormat.ENCODING_PCM_16BIT,
count * (Short.SIZE / 8), AudioTrack.MODE_STATIC);
track.write(samples, 0, count);
return track;
}
How can I infinitely loop the sound?
How can I infinitely loop the sound?
set durationMs really high, then add the following after the above code:
track.setLoopPoints(0, track.getBufferSizeInFrames(), -1);
or
track.setLoopPoints(0, samples.length / 2, -1);
for older versions of android i think
-1 makes it loop indefinetly, or can set it to a high number if you want
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
Thanks, it works.
Can you explain some moments:
Thanks again.