create an ArrayList of bytes

前端 未结 3 1099
灰色年华
灰色年华 2021-01-05 06:01

I want to read bytes from a wave file into an array. Since the number of bytes read depends upon the size of the wave file, I\'m creating a byte array with a maximum size of

3条回答
  •  耶瑟儿~
    2021-01-05 06:54

    Something like this should do:

    List myBytes = new ArrayList();
    
    //assuming your javax.sound.sampled.AudioInputStream is called ais
    
    while(true) {
      Byte b = ais.read();
      if (b != -1) { //read() returns -1 when the end of the stream is reached
        myBytes.add(b);
      } else {
        break;
      }
    }
    

    Sorry if the code is a bit wrong. I haven't done Java for a while.

    Also, be careful if you do implement it as a while(true) loop :)

    Edit: And here's an alternative way of doing it that reads more bytes each time:

    int arrayLength = 1024;
    List myBytes = new ArrayList();
    
    while(true) {
    
      Byte[] aBytes = new Byte[arrayLength];
      int length = ais.read(aBytes); //length is the number of bytes read
    
      if (length == -1) {  //read() returns -1 when the end of the stream is reached
        break; //or return if you implement this as a method
      } else if (length == arrayLength) {  //Array is full
        myBytes.addAll(aBytes);
      } else {  //Array has been filled up to length
    
        for (int i = 0; i < length; i++) {
          myBytes.add(aBytes[i]);
        }
      }
    }
    

    Note that both read() methods throw an IOException - handling this is left as an exercise for the reader!

提交回复
热议问题