Voice Recording and Playback in Java

Tech Insights

You may need to integrate a voice recorder in to your application and play the
recorded voice message later. Following is one of many options.

Main java classes used to capture audio are, the following.
AudioSystem
AudioInputStream
AudioFormat
TargetDataLine
DataLine.Info

You will need to import javax.sound.sampled.* as these are
included in javax.sound.sampled package. This package helps to handle
the sampled audio data.

//code strips

//crating the objects
AudioFormat audioFormat;
TargetDataLine targetDataLine;
File tempFile;
AudioFileFormat.Type type = AudioFileFormat.Type.WAVE //select the appropriate audio format type

float sampleRate = 8000.0F; // there are other possible values like 8000,11025,16000,22050,44100
int sampleSizeInBits = 16;  //8,16
int channels = 1;            //1,2
boolean signed = true;        //true,false
boolean bigEndian = false;    //true,false

//We will use an applet as the audio recorder
//it will have options(normal buttons) to start recording, stop, cancel, etc. [u can decide this]

//following code should be executed on click of “capture/start recording” button.

audioFormat = new AudioFormat(sampleRate,
sampleSizeInBits,
channels,
signed,
bigEndian);

javax.sound.sampled.DataLine.Info info = new javax.sound.sampled.DataLine.Info(TargetDataLine.class, audioFormat);
targetDataLine = (TargetDataLine)AudioSystem.getLine(info);
tempFile = File.createTempFile(“audiotempfile”, “wav”); //creating a temp file to store the captured data [up to you…]
tempFile.deleteOnExit();
(new CaptureThread()).start(); //use a thread to capture the audio.

//end of capture code

//following is the thread which can be an inner class of the main one

class CaptureThread extends Thread{
public void run() {
try {
targetDataLine.open(audioFormat);
targetDataLine.start();
AudioSystem.write(
new AudioInputStream(targetDataLine),
type,
tempFile);
}catch (Exception e) {
e.printStackTrace();
}//end catch
}//end run
}

//code to stop recording
targetDataLine.stop();
targetDataLine.close();
//handle the tmpFile, into which the recorder data was written, in the way you want
FileInputStream fileinputstream = new FileInputStream(tempFile);
audioBytes = new byte[(int)tempFile.length()];
int i = 0;
boolean flag = false;
while((i = fileinputstream.read(audioBytes)) > 0) ;
//end of code to stop recording

//if you also have a cancel option, just stop and close the targetDataLine.

Thats IT…

note: I haven’t given a complete code listing for this, but only the main parts.
Please do post your queries if any, for more details.

We will discuss on playing back the recorded voice message in the next post.

Happy Coding 🙂