VoIP 会話の約 RTP パケットのペイロード (16 進数) を含むテキスト ファイルがあります。テキストをファイルに変換する方法を知っている人はいますか? c/c++ を使用した wav オーディオ?
PS: GNU / Linux を使用しています。
ありがとう
私はJavaで同じことをします。これは、UDP RTP パケット (uLaw) を受信して WAV ファイルに保存するためにテスト目的で使用するクラスです。使用方法の例については、メイン メソッドを参照してください。
public class UdpDataReceiver implements Runnable {
private boolean isRunning = true;
private int port = -1;
private DatagramSocket socket;
public UdpDataReceiver(int port) {
this.port = port;
}
public void stop() {
isRunning = false;
socket.close();
}
@Override
public void run() {
try {
socket = new DatagramSocket(port);
System.out.println(" + Listening for UDP data on port " + port + ".");
} catch (Exception e) {
e.printStackTrace();
}
// Size of data buffer is insignificant; it just needs to be big enough to hold the UDP packet (or it will be truncated).
byte[] data = new byte[512];
DatagramPacket packet = new DatagramPacket(data, data.length);
String file = null;
FileOutputStream fos = null;
try {
// For now we'll just dump to a file.
file = "C:\\tmp\\" + System.currentTimeMillis() + ".raw";
fos = new FileOutputStream(file);
while (isRunning) {
try {
socket.receive(packet);
} catch (SocketException se) {
// If we're just trying to tell the socket we're done, we'll get a SocketException.
if (isRunning) {
se.printStackTrace();
}
}
if (packet.getLength() > 12) {
// Strip off 12 bytes of header data.
fos.write(packet.getData(), packet.getOffset() + 12, packet.getLength() - 12);
}
}
} catch (Exception e) {
e.printStackTrace();
} finally {
try {
fos.flush();
fos.close();
convertULawFileToWav(file);
} catch (Exception e) {
}
System.out.println(" + Closed port " + port + " and wrote UDP packets to file: " + file);
}
}
public static void convertULawFileToWav(String filename) {
File file = new File(filename);
if (!file.exists())
return;
try {
long fileSize = file.length();
int frameSize = 160;
long numFrames = fileSize / frameSize;
AudioFormat audioFormat = new AudioFormat(Encoding.ULAW, 8000, 8, 1, frameSize, 50, true);
AudioInputStream audioInputStream = new AudioInputStream(new FileInputStream(file), audioFormat, numFrames);
AudioSystem.write(audioInputStream, Type.WAVE, new File(file.getAbsolutePath().substring(0, file.getAbsolutePath().length() - 3) + "wav"));
} catch (IOException e) {
e.printStackTrace();
}
}
// For testing...
public static void main(String[] args) throws InterruptedException {
UdpDataReceiver r1 = new UdpDataReceiver(65337);
new Thread(r1).start();
// Send data...
Thread.sleep(30000);
r1.stop();
}
}