我正在使用mp3spi和Triton,此代码将仅处理192kbps的mp3文件。
我面临的问题是hz的第一秒主要由以下内容组成:
0,0,0,0或255,255,255,255
我确实相信我可能没有跳过正确的标题,在这种情况下,频率并不是该特定ms上mp3的真实描述。有人在跳过标题或如何将字节加到数组的方式上看到任何问题吗?
换句话说,我想要它,以便[0]处的数组等于00:00:00处的mp3,而[44100]处的数组等于1秒内的歌曲。
这是我用于从mp3文件中读取字节并将其添加到arraylist字节中的代码。
import javax.sound.sampled.*;
import java.io.File;
import java.io.IOException;
import java.util.ArrayList;
public class ReadMP3 {
private ArrayList<Integer> bytes = new ArrayList<>();
private AudioFormat decodedFormat;
public ReadMP3() throws UnsupportedAudioFileException, IOException {
String filename = new ReadFiles().getFile();
File file = new File(filename);
AudioInputStream in = AudioSystem.getAudioInputStream(file);
AudioInputStream din = null;
AudioFormat baseFormat = in.getFormat();
AudioFormat decodedFormat = new
AudioFormat(AudioFormat.Encoding.PCM_SIGNED,
baseFormat.getSampleRate(),
16,
baseFormat.getChannels(),
baseFormat.getChannels() * 2,
baseFormat.getSampleRate(),
false);
din = AudioSystem.getAudioInputStream(decodedFormat, in);
this.decodedFormat = decodedFormat;
int i = 0;
while(true){
int currentByte = din.read();
if (currentByte == -1) {break;}
bytes.add(i, currentByte);
i++;
}
din.close();
in.close();
}
这是我代码的第二部分,其中我向数组的每个索引添加4个字节,以便array.length / 44100等于歌曲的长度(以秒为单位)。这意味着每个array [i] [4]等于1hz。
数组[0] [4]直到数组[44100] [4]是歌曲的第一秒。
public class AnalyzeMP3 {
//adds 4 bytes to offset[i], where each i represents 1hz,
//and 44100hz=1sec
public static int[][] calculate(ReadMP3 mp3) {
//calculates and prints how long the song is
double seconds = mp3.getBytes().size() /
mp3.getDecodedFormat().getFrameRate() / 4;
System.out.println("Length of song: " + (int)seconds + "s");
//adds 4 values to i through the whole song
int[][] offset = new int[mp3.getBytes().size()/4][4];
for(int i = 0; i < mp3.getBytes().size()/4; i++) {
for(int j = 0; j < 4; j++) {
offset[i][j] = mp3.getBytes().get(i+j);
}
}
return offset;
}
}
最佳答案
感谢Brad和VC。一个让我意识到自己的错误。
首先,我必须将正确的值添加到PCM签名的编码中,如下所示:
AudioFormat decodedFormat = new AudioFormat(AudioFormat.Encoding.PCM_SIGNED,
(float)44.1, //samplerate
16, //sampleSizeInBits
2, //channels
626, //frameSize
(float)38.4615385, //frameRate
false); //bigEndian
然后,我需要准确地表示阵列中的2个通道。我在上面的AnalyzeMP3类中是如何做的,这是错误的,应该这样添加它:
//adds 4 values to i through the whole song
int[][] offset = new int[mp3.getBytes().size()/4][4];
int counter = 0;
for(int i = 0; i < mp3.getBytes().size()/4;i++) {
for(int j = 0; j < 4; j++) {
offset[i][j] = mp3.getBytes().get(counter);
counter++;
}
}
进行这些更改后,阵列的大小为4351104。 4351104/44100等于歌曲长度(以秒为单位)。而且没有标题或我必须跳过的任何内容,该数组现在可以每秒44100个频率准确地代表整首歌曲。可以很容易地将其转换为10ms,即441个频率等。