devstory

Le Tutoriel de Java ByteArrayInputStream

  1. ByteArrayInputStream
  2. Examples

1. ByteArrayInputStream

ByteArrayInputStream est une sous-classe d'InputStream. Comme son nom l'indique, ByteArrayInputStream est utilisé pour lire un tableau byte de manière d'un InputStream.
ByteArrayInputStream constructors
ByteArrayInputStream​(byte[] buf)

ByteArrayInputStream​(byte[] buf, int offset, int length)
Le constructeur ByteArrayInputStream(byte[] buf) crée un objet ByteArrayInputStream pour lire un tableau byte.
Le constructeur ByteArrayInputStream(byte[] buf, int offset, int length) crée l'objet ByteArrayInputStream pour lire un tableau byte à partir de l'indice offset jusqu'à offset+length.
Toutes les méthodes de ByteArrayInputStream sont héritées d'InputStream.
Methods
int available()  
void close()  
void mark​(int readAheadLimit)  
boolean markSupported()  
int read()  
int read​(byte[] b, int off, int len)  
void reset()  
long skip​(long n)

2. Examples

Par exemple: Lire un tableau byte de manière d'un InputStream:
ByteArrayInputStreamEx1.java
package org.o7planning.bytearrayinputstream.ex;

import java.io.ByteArrayInputStream;
import java.io.IOException;

public class ByteArrayInputStreamEx1 {

    public static void main(String[] args) throws IOException {

        byte[] byteArray = new byte[] {84, 104, 105, 115, 32, 105, 115, 32, 116, 101, 120, 116};

        ByteArrayInputStream is = new ByteArrayInputStream(byteArray);
        
        int b;
        while((b = is.read()) != -1) {
            // Convert byte to character.
            char ch = (char) b;
            System.out.println(b + " --> " + ch);
        }
    }
}
Output:
84 --> T
104 --> h
105 --> i
115 --> s
32 -->  
105 --> i
115 --> s
32 -->  
116 --> t
101 --> e
120 --> x
116 --> t
En règle générale, toutes les méthodes de ByteArrayInputStream sont héritées d'InputStream. Vous pouvez trouver plus d'exemples sur la manière d'utilisation de ces méthodes dans l'article ci-dessous:

Tutoriels Java IO

Show More