7

cheerapp.wavまたはcheerapp.mp3または他の形式があります。

InputStream in = context.getResources().openRawResource(R.raw.cheerapp);       
BufferedInputStream bis = new BufferedInputStream(in, 8000);
// Create a DataInputStream to read the audio data from the saved file
DataInputStream dis = new DataInputStream(bis);

byte[] music = null;
music = new byte[??];
int i = 0; // Read the file into the "music" array
while (dis.available() > 0) {
    // dis.read(music[i]); // This assignment does not reverse the order
    music[i]=dis.readByte();
    i++;
}

dis.close();          

musicからデータを取得するバイト配列の場合DataInputStream。その長さをどのくらい割り当てるかわかりません。

これはファイルではなくリソースからの生のファイルであるため、そのサイズはわかりません。

4

2 に答える 2

20

ご覧のとおり、バイト配列の長さがあります。

 InputStream inStream = context.getResources().openRawResource(R.raw.cheerapp);
 byte[] music = new byte[inStream.available()];

そして、ストリーム全体を簡単にバイト配列に読み込むことができます。

もちろん、サイズに関しては確認し、必要に応じてより小さい byte[] バッファーで ByteArrayOutputStream を使用することをお勧めします。

public static byte[] convertStreamToByteArray(InputStream is) throws IOException {
    ByteArrayOutputStream baos = new ByteArrayOutputStream();
    byte[] buff = new byte[10240];
    int i = Integer.MAX_VALUE;
    while ((i = is.read(buff, 0, buff.length)) > 0) {
        baos.write(buff, 0, i);
    }

    return baos.toByteArray(); // be sure to close InputStream in calling function
}

多くの IO 操作を行う場合は、 org.apache.commons.io.IOUtilsを使用することをお勧めします。そうすれば、IO 実装の品質についてあまり心配する必要がなくなります。JAR をプロジェクトにインポートしたら、次のようにします。

byte[] payload = IOUtils.toByteArray(context.getResources().openRawResource(R.raw.cheerapp));
于 2013-02-26T20:42:58.590 に答える
4

それが役立つことを願っています。

SD カード パスを作成します。

String outputFile = 
    Environment.getExternalStorageDirectory().getAbsolutePath() + "/recording.3gp";

ファイルとして変換し、バイト配列メソッドを呼び出す必要があります。

byte[] soundBytes;

try {
    InputStream inputStream = 
        getContentResolver().openInputStream(Uri.fromFile(new File(outputFile)));

    soundBytes = new byte[inputStream.available()];
    soundBytes = toByteArray(inputStream);

    Toast.makeText(this, "Recordin Finished"+ " " + soundBytes, Toast.LENGTH_LONG).show();
} catch(Exception e) {
    e.printStackTrace();
}

方法:

public byte[] toByteArray(InputStream in) throws IOException {
    ByteArrayOutputStream out = new ByteArrayOutputStream();
    int read = 0;
    byte[] buffer = new byte[1024];
    while (read != -1) {
        read = in.read(buffer);
        if (read != -1)
            out.write(buffer,0,read);
    }
    out.close();
    return out.toByteArray();
}
于 2016-09-26T09:45:16.840 に答える