Comment lire / convertir un InputStream en chaîne de caractères en Java?
si vous avez un objet java.io.InputStream
, Comment devez-vous traiter cet objet et produire un String
?
supposons que j'ai un InputStream
qui contient des données textuelles, et je veux le convertir en un String
, donc par exemple je peux écrire cela dans un fichier journal.
Quelle est la meilleure façon de prendre le InputStream
et de le convertir en un String
?
public String convertStreamToString(InputStream is) {
// ???
}
30 réponses
une bonne façon de le faire est d'utiliser Apache commons IOUtils
pour copier le InputStream
dans un StringWriter
... quelque chose comme
StringWriter writer = new StringWriter();
IOUtils.copy(inputStream, writer, encoding);
String theString = writer.toString();
ou même
// NB: does not close inputStream, you'll have to use try-with-resources for that
String theString = IOUtils.toString(inputStream, encoding);
vous pouvez aussi utiliser ByteArrayOutputStream
si vous ne voulez pas mélanger vos flux et vos écrivains
voici un moyen d'utiliser uniquement la bibliothèque Java standard (notez que le flux n'est pas fermé, YMMV).
static String convertStreamToString(java.io.InputStream is) {
java.util.Scanner s = new java.util.Scanner(is).useDelimiter("\A");
return s.hasNext() ? s.next() : "";
}
j'ai appris cette astuce à partir de " astuces de Scanner Stupide " article. La raison pour laquelle cela fonctionne est que Scanner itère sur les tokens dans le flux, et dans ce cas nous séparons les tokens en utilisant "le début de la frontière d'entrée" (\a) nous donnant ainsi seulement un token pour le contenu entier du flux.
Remarque, Si vous devez être précis sur l'encodage du flux d'entrée, vous pouvez fournir le deuxième argument au constructeur Scanner
qui indique quel jeu de caractères utiliser (par exemple"UTF-8").
la pointe du chapeau va aussi à Jacob, qui m'a un jour pointé vers le dit article.
édité: merci à une suggestion de Patrick , fait la fonction plus robuste lors de la manipulation d'un vide flux d'entrée. Un de plus edit: mis son veto try/catch, Patrick manière plus laconique.
résume d'autres réponses j'ai trouvé 11 principales façons de le faire (voir ci-dessous). Et j'ai écrit quelques tests de performance (voir les résultats ci-dessous):
façons de convertir une entrée en chaîne de caractères:
-
Utilisant
IOUtils.toString
(Apache Utils)String result = IOUtils.toString(inputStream, StandardCharsets.UTF_8);
-
Utilisant
CharStreams
(Goyave)String result = CharStreams.toString(new InputStreamReader( inputStream, Charsets.UTF_8));
-
utilisant
Scanner
(JDK)Scanner s = new Scanner(inputStream).useDelimiter("\A"); String result = s.hasNext() ? s.next() : "";
-
utilisant stream API (Java 8). Warning : cette solution convertit différents sauts de ligne (comme
\r\n
) en\n
.String result = new BufferedReader(new InputStreamReader(inputStream)) .lines().collect(Collectors.joining("\n"));
-
utilisant parallel Stream API (Java 8). Warning : cette solution convertit différents les sauts de ligne (comme
\r\n
) à\n
.String result = new BufferedReader(new InputStreamReader(inputStream)).lines() .parallel().collect(Collectors.joining("\n"));
-
utilisant
InputStreamReader
etStringBuilder
(JDK)final int bufferSize = 1024; final char[] buffer = new char[bufferSize]; final StringBuilder out = new StringBuilder(); Reader in = new InputStreamReader(inputStream, "UTF-8"); for (; ; ) { int rsz = in.read(buffer, 0, buffer.length); if (rsz < 0) break; out.append(buffer, 0, rsz); } return out.toString();
-
utilisant
StringWriter
etIOUtils.copy
(Apache Commons)StringWriter writer = new StringWriter(); IOUtils.copy(inputStream, writer, "UTF-8"); return writer.toString();
-
utilisant
ByteArrayOutputStream
etinputStream.read
(JDK)ByteArrayOutputStream result = new ByteArrayOutputStream(); byte[] buffer = new byte[1024]; int length; while ((length = inputStream.read(buffer)) != -1) { result.write(buffer, 0, length); } // StandardCharsets.UTF_8.name() > JDK 7 return result.toString("UTF-8");
-
à l'Aide de
BufferedReader
(JDK). avertissement: cette solution convertit différents sauts de ligne (comme\n\r
) enline.separator
propriété du système (par exemple, dans Windows à"\r\n").String newLine = System.getProperty("line.separator"); BufferedReader reader = new BufferedReader(new InputStreamReader(inputStream)); StringBuilder result = new StringBuilder(); String line; boolean flag = false; while ((line = reader.readLine()) != null) { result.append(flag? newLine: "").append(line); flag = true; } return result.toString();
-
utilisant
BufferedInputStream
etByteArrayOutputStream
(JDK)BufferedInputStream bis = new BufferedInputStream(inputStream); ByteArrayOutputStream buf = new ByteArrayOutputStream(); int result = bis.read(); while(result != -1) { buf.write((byte) result); result = bis.read(); } // StandardCharsets.UTF_8.name() > JDK 7 return buf.toString("UTF-8");
-
utilisant
inputStream.read()
etStringBuilder
(JDK). avertissement : cette solution a des problèmes avec Unicode, par exemple avec le texte russe (fonctionne correctement seulement avec le texte non Unicode)int ch; StringBuilder sb = new StringBuilder(); while((ch = inputStream.read()) != -1) sb.append((char)ch); reset(); return sb.toString();
Avertissement :
-
les solutions 4, 5 et 9 convertissent différentes ruptures de ligne en une seule.
-
Solution 11 ne peut pas fonctionner correctement avec le texte Unicode
Essais de Performance
tests de Performance pour les petits String
(longueur = 175), l'url dans github (mode = Temps Moyen, le système = Linux, score à 1 343 est le meilleur):
Benchmark Mode Cnt Score Error Units
8. ByteArrayOutputStream and read (JDK) avgt 10 1,343 ± 0,028 us/op
6. InputStreamReader and StringBuilder (JDK) avgt 10 6,980 ± 0,404 us/op
10. BufferedInputStream, ByteArrayOutputStream avgt 10 7,437 ± 0,735 us/op
11. InputStream.read() and StringBuilder (JDK) avgt 10 8,977 ± 0,328 us/op
7. StringWriter and IOUtils.copy (Apache) avgt 10 10,613 ± 0,599 us/op
1. IOUtils.toString (Apache Utils) avgt 10 10,605 ± 0,527 us/op
3. Scanner (JDK) avgt 10 12,083 ± 0,293 us/op
2. CharStreams (guava) avgt 10 12,999 ± 0,514 us/op
4. Stream Api (Java 8) avgt 10 15,811 ± 0,605 us/op
9. BufferedReader (JDK) avgt 10 16,038 ± 0,711 us/op
5. parallel Stream Api (Java 8) avgt 10 21,544 ± 0,583 us/op
tests de Performance pour les grands String
(longueur = 50100), l'url dans github (mode = Temps Moyen, le système = Linux, score 200,715 est le meilleur):
Benchmark Mode Cnt Score Error Units
8. ByteArrayOutputStream and read (JDK) avgt 10 200,715 ± 18,103 us/op
1. IOUtils.toString (Apache Utils) avgt 10 300,019 ± 8,751 us/op
6. InputStreamReader and StringBuilder (JDK) avgt 10 347,616 ± 130,348 us/op
7. StringWriter and IOUtils.copy (Apache) avgt 10 352,791 ± 105,337 us/op
2. CharStreams (guava) avgt 10 420,137 ± 59,877 us/op
9. BufferedReader (JDK) avgt 10 632,028 ± 17,002 us/op
5. parallel Stream Api (Java 8) avgt 10 662,999 ± 46,199 us/op
4. Stream Api (Java 8) avgt 10 701,269 ± 82,296 us/op
10. BufferedInputStream, ByteArrayOutputStream avgt 10 740,837 ± 5,613 us/op
3. Scanner (JDK) avgt 10 751,417 ± 62,026 us/op
11. InputStream.read() and StringBuilder (JDK) avgt 10 2919,350 ± 1101,942 us/op
graphiques (tests de performance en fonction de la longueur du flux D'entrée dans le système Windows 7)
essai de Performance (temps moyen) en fonction de la longueur du flux D'entrée dans le système Windows 7:
length 182 546 1092 3276 9828 29484 58968
test8 0.38 0.938 1.868 4.448 13.412 36.459 72.708
test4 2.362 3.609 5.573 12.769 40.74 81.415 159.864
test5 3.881 5.075 6.904 14.123 50.258 129.937 166.162
test9 2.237 3.493 5.422 11.977 45.98 89.336 177.39
test6 1.261 2.12 4.38 10.698 31.821 86.106 186.636
test7 1.601 2.391 3.646 8.367 38.196 110.221 211.016
test1 1.529 2.381 3.527 8.411 40.551 105.16 212.573
test3 3.035 3.934 8.606 20.858 61.571 118.744 235.428
test2 3.136 6.238 10.508 33.48 43.532 118.044 239.481
test10 1.593 4.736 7.527 20.557 59.856 162.907 323.147
test11 3.913 11.506 23.26 68.644 207.591 600.444 1211.545
en prenant en compte le fichier on devrait d'abord obtenir une instance java.io.Reader
. Cela peut ensuite être lu et ajouté à un StringBuilder
(nous n'avons pas besoin de StringBuffer
si nous n'y accédons pas dans plusieurs threads, et StringBuilder
est plus rapide). L'astuce ici est que nous travaillons en blocs, et en tant que tel n'ont pas besoin d'autres flux tampons. La taille du bloc est paramétrée pour l'optimisation des performances d'exécution.
public static String slurp(final InputStream is, final int bufferSize) {
final char[] buffer = new char[bufferSize];
final StringBuilder out = new StringBuilder();
try (Reader in = new InputStreamReader(is, "UTF-8")) {
for (;;) {
int rsz = in.read(buffer, 0, buffer.length);
if (rsz < 0)
break;
out.append(buffer, 0, rsz);
}
}
catch (UnsupportedEncodingException ex) {
/* ... */
}
catch (IOException ex) {
/* ... */
}
return out.toString();
}
et ça?
InputStream in = /* your InputStream */;
StringBuilder sb=new StringBuilder();
BufferedReader br = new BufferedReader(new InputStreamReader(in));
String read;
while((read=br.readLine()) != null) {
//System.out.println(read);
sb.append(read);
}
br.close();
return sb.toString();
si vous utilisez Google-Collections / Guava vous pouvez faire ce qui suit:
InputStream stream = ...
String content = CharStreams.toString(new InputStreamReader(stream, Charsets.UTF_8));
Closeables.closeQuietly(stream);
notez que le second paramètre (i.e. Charsets.UTF_8) pour le InputStreamReader
n'est pas nécessaire, mais c'est généralement une bonne idée de spécifier le codage si vous le connaissez (ce que vous devriez!)
c'est ma solution Java & Android pure, fonctionne bien...
public String readFullyAsString(InputStream inputStream, String encoding)
throws IOException {
return readFully(inputStream).toString(encoding);
}
public byte[] readFullyAsBytes(InputStream inputStream)
throws IOException {
return readFully(inputStream).toByteArray();
}
private ByteArrayOutputStream readFully(InputStream inputStream)
throws IOException {
ByteArrayOutputStream baos = new ByteArrayOutputStream();
byte[] buffer = new byte[1024];
int length = 0;
while ((length = inputStream.read(buffer)) != -1) {
baos.write(buffer, 0, length);
}
return baos;
}
Que Diriez-vous de:
import java.io.BufferedInputStream;
import java.io.ByteArrayOutputStream;
import java.io.InputStream;
import java.io.IOException;
public static String readInputStreamAsString(InputStream in)
throws IOException {
BufferedInputStream bis = new BufferedInputStream(in);
ByteArrayOutputStream buf = new ByteArrayOutputStream();
int result = bis.read();
while(result != -1) {
byte b = (byte)result;
buf.write(b);
result = bis.read();
}
return buf.toString();
}
Voici la solution la plus élégante, Pure-Java (pas de bibliothèque) que j'ai trouvée après quelques expériences:
public static String fromStream(InputStream in) throws IOException
{
BufferedReader reader = new BufferedReader(new InputStreamReader(in));
StringBuilder out = new StringBuilder();
String newLine = System.getProperty("line.separator");
String line;
while ((line = reader.readLine()) != null) {
out.append(line);
out.append(newLine);
}
return out.toString();
}
pour l'exhaustivité voici Java 9 solution:
public static String toString(InputStream input) throws IOException {
return new String(input.readAllBytes(), StandardCharsets.UTF_8);
}
le readAllBytes
est actuellement dans la base principale JDK 9, donc il est probable qu'il apparaisse dans le communiqué. Vous pouvez l'essayer dès maintenant en utilisant les constructions JDK 9 snapshot .
J'utiliserais quelques trucs de Java 8.
public static String streamToString(final InputStream inputStream) throws Exception {
// buffering optional
try
(
final BufferedReader br
= new BufferedReader(new InputStreamReader(inputStream))
) {
// parallel optional
return br.lines().parallel().collect(Collectors.joining("\n"));
} catch (final IOException e) {
throw new RuntimeException(e);
// whatever.
}
}
essentiellement le même que d'autres réponses sauf plus succinct.
j'ai fait des tests de timing parce que le temps compte, toujours.
j'ai essayé d'obtenir la réponse dans une chaîne de 3 façons différentes. (voir ci-dessous)
J'ai omis d'essayer/attraper des blocs pour le bien de la lisibilité.
pour donner le contexte, ceci est le code précédent pour les 3 approches:
String response;
String url = "www.blah.com/path?key=value";
GetMethod method = new GetMethod(url);
int status = client.executeMethod(method);
1)
response = method.getResponseBodyAsString();
2)
InputStream resp = method.getResponseBodyAsStream();
InputStreamReader is=new InputStreamReader(resp);
BufferedReader br=new BufferedReader(is);
String read = null;
StringBuffer sb = new StringBuffer();
while((read = br.readLine()) != null) {
sb.append(read);
}
response = sb.toString();
3)
InputStream iStream = method.getResponseBodyAsStream();
StringWriter writer = new StringWriter();
IOUtils.copy(iStream, writer, "UTF-8");
response = writer.toString();
donc, après avoir effectué 500 essais sur chaque approche avec les mêmes données de demande/réponse, Voici les nombres. Encore une fois, ce sont mes conclusions et vos conclusions peuvent ne pas être exactement les mêmes, mais j'ai écrit ceci pour donner une indication à d'autres sur les différences d'efficacité de ces approches.
Rangs:
Approche n ° 1
Approche #3-2,6% plus lente que #1
Approche n ° 2-4,3% plus lent que #1
L'une de ces approches est une solution appropriée pour saisir une réponse et en créer une chaîne.
Pure Java solution à l'aide de Flux s, fonctionne depuis Java 8.
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.util.stream.Collectors;
// ...
public static String inputStreamToString(InputStream is) throws IOException {
try (BufferedReader br = new BufferedReader(new InputStreamReader(is))) {
return br.lines().collect(Collectors.joining(System.lineSeparator()));
}
}
comme mentionné par Christoffer Hammarström ci-dessous autre réponse il est plus sûr de spécifier explicitement le jeu de caractères . C'est-à-dire: Le constructeur InputStreamReader peut être modifié comme suit:
new InputStreamReader(is, Charset.forName("UTF-8"))
j'ai fait un test sur 14 réponses ici(Désolé de ne pas fournir les crédits, mais il y a trop de doublons)
Le résultat est très surprenant. Il s'avère que Apache IOUtils est la plus lente et ByteArrayOutputStream
est la solution la plus rapide:
donc la première ici est la meilleure méthode:
public String inputStreamToString(InputStream inputStream) throws IOException {
try(ByteArrayOutputStream result = new ByteArrayOutputStream()) {
byte[] buffer = new byte[1024];
int length;
while ((length = inputStream.read(buffer)) != -1) {
result.write(buffer, 0, length);
}
return result.toString(UTF_8);
}
}
les résultats de Benchmark, de 20 MO octets aléatoires dans 20 cycles
de Temps en millisecondes
- ByteArrayOutputStreamTest: 194
- NioStream: 198
- Java9ISTransferTo: 201
- Java9ISReadAllBytes: 205
- BufferedInputStreamVsByteArrayOutputstream: 314
- ApacheStringWriter2: 574
- GuavaCharStreams: 589
- Scannerreadernonextest: 614
- ScannerReader: 633
- ApacheStringWriter: 1544
- StreamApi: Message D'Erreur
- ParallelStreamApi: Message D'Erreur
- BufferReaderTest: Message D'Erreur
- InputStreamAndStringBuilder: Error
code source de référence
import com.google.common.io.CharStreams;
import org.apache.commons.io.IOUtils;
import java.io.*;
import java.nio.ByteBuffer;
import java.nio.channels.Channels;
import java.nio.channels.ReadableByteChannel;
import java.nio.channels.WritableByteChannel;
import java.util.Arrays;
import java.util.List;
import java.util.Random;
import java.util.stream.Collectors;
/**
* Created by Ilya Gazman on 2/13/18.
*/
public class InputStreamToString {
private static final String UTF_8 = "UTF-8";
public static void main(String... args) {
log("App started");
byte[] bytes = new byte[1024 * 1024];
new Random().nextBytes(bytes);
log("Stream is ready\n");
try {
test(bytes);
} catch (IOException e) {
e.printStackTrace();
}
}
private static void test(byte[] bytes) throws IOException {
List<Stringify> tests = Arrays.asList(
new ApacheStringWriter(),
new ApacheStringWriter2(),
new NioStream(),
new ScannerReader(),
new ScannerReaderNoNextTest(),
new GuavaCharStreams(),
new StreamApi(),
new ParallelStreamApi(),
new ByteArrayOutputStreamTest(),
new BufferReaderTest(),
new BufferedInputStreamVsByteArrayOutputStream(),
new InputStreamAndStringBuilder(),
new Java9ISTransferTo(),
new Java9ISReadAllBytes()
);
String solution = new String(bytes, "UTF-8");
for (Stringify test : tests) {
try (ByteArrayInputStream inputStream = new ByteArrayInputStream(bytes)) {
String s = test.inputStreamToString(inputStream);
if (!s.equals(solution)) {
log(test.name() + ": Error");
continue;
}
}
long startTime = System.currentTimeMillis();
for (int i = 0; i < 20; i++) {
try (ByteArrayInputStream inputStream = new ByteArrayInputStream(bytes)) {
test.inputStreamToString(inputStream);
}
}
log(test.name() + ": " + (System.currentTimeMillis() - startTime));
}
}
private static void log(String message) {
System.out.println(message);
}
interface Stringify {
String inputStreamToString(InputStream inputStream) throws IOException;
default String name() {
return this.getClass().getSimpleName();
}
}
static class ApacheStringWriter implements Stringify {
@Override
public String inputStreamToString(InputStream inputStream) throws IOException {
StringWriter writer = new StringWriter();
IOUtils.copy(inputStream, writer, UTF_8);
return writer.toString();
}
}
static class ApacheStringWriter2 implements Stringify {
@Override
public String inputStreamToString(InputStream inputStream) throws IOException {
return IOUtils.toString(inputStream, UTF_8);
}
}
static class NioStream implements Stringify {
@Override
public String inputStreamToString(InputStream in) throws IOException {
ReadableByteChannel channel = Channels.newChannel(in);
ByteBuffer byteBuffer = ByteBuffer.allocate(1024 * 16);
ByteArrayOutputStream bout = new ByteArrayOutputStream();
WritableByteChannel outChannel = Channels.newChannel(bout);
while (channel.read(byteBuffer) > 0 || byteBuffer.position() > 0) {
byteBuffer.flip(); //make buffer ready for write
outChannel.write(byteBuffer);
byteBuffer.compact(); //make buffer ready for reading
}
channel.close();
outChannel.close();
return bout.toString(UTF_8);
}
}
static class ScannerReader implements Stringify {
@Override
public String inputStreamToString(InputStream is) throws IOException {
java.util.Scanner s = new java.util.Scanner(is).useDelimiter("\A");
return s.hasNext() ? s.next() : "";
}
}
static class ScannerReaderNoNextTest implements Stringify {
@Override
public String inputStreamToString(InputStream is) throws IOException {
java.util.Scanner s = new java.util.Scanner(is).useDelimiter("\A");
return s.next();
}
}
static class GuavaCharStreams implements Stringify {
@Override
public String inputStreamToString(InputStream is) throws IOException {
return CharStreams.toString(new InputStreamReader(
is, UTF_8));
}
}
static class StreamApi implements Stringify {
@Override
public String inputStreamToString(InputStream inputStream) throws IOException {
return new BufferedReader(new InputStreamReader(inputStream))
.lines().collect(Collectors.joining("\n"));
}
}
static class ParallelStreamApi implements Stringify {
@Override
public String inputStreamToString(InputStream inputStream) throws IOException {
return new BufferedReader(new InputStreamReader(inputStream)).lines()
.parallel().collect(Collectors.joining("\n"));
}
}
static class ByteArrayOutputStreamTest implements Stringify {
@Override
public String inputStreamToString(InputStream inputStream) throws IOException {
try(ByteArrayOutputStream result = new ByteArrayOutputStream()) {
byte[] buffer = new byte[1024];
int length;
while ((length = inputStream.read(buffer)) != -1) {
result.write(buffer, 0, length);
}
return result.toString(UTF_8);
}
}
}
static class BufferReaderTest implements Stringify {
@Override
public String inputStreamToString(InputStream inputStream) throws IOException {
String newLine = System.getProperty("line.separator");
BufferedReader reader = new BufferedReader(new InputStreamReader(inputStream));
StringBuilder result = new StringBuilder(UTF_8);
String line;
boolean flag = false;
while ((line = reader.readLine()) != null) {
result.append(flag ? newLine : "").append(line);
flag = true;
}
return result.toString();
}
}
static class BufferedInputStreamVsByteArrayOutputStream implements Stringify {
@Override
public String inputStreamToString(InputStream inputStream) throws IOException {
BufferedInputStream bis = new BufferedInputStream(inputStream);
ByteArrayOutputStream buf = new ByteArrayOutputStream();
int result = bis.read();
while (result != -1) {
buf.write((byte) result);
result = bis.read();
}
return buf.toString(UTF_8);
}
}
static class InputStreamAndStringBuilder implements Stringify {
@Override
public String inputStreamToString(InputStream inputStream) throws IOException {
int ch;
StringBuilder sb = new StringBuilder(UTF_8);
while ((ch = inputStream.read()) != -1)
sb.append((char) ch);
return sb.toString();
}
}
static class Java9ISTransferTo implements Stringify {
@Override
public String inputStreamToString(InputStream inputStream) throws IOException {
ByteArrayOutputStream bos = new ByteArrayOutputStream();
inputStream.transferTo(bos);
return bos.toString(UTF_8);
}
}
static class Java9ISReadAllBytes implements Stringify {
@Override
public String inputStreamToString(InputStream inputStream) throws IOException {
return new String(inputStream.readAllBytes(), UTF_8);
}
}
}
voici plus ou moins la réponse de sampath, nettoyé un peu et représenté comme une fonction:
String streamToString(InputStream in) throws IOException {
StringBuilder out = new StringBuilder();
BufferedReader br = new BufferedReader(new InputStreamReader(in));
for(String line = br.readLine(); line != null; line = br.readLine())
out.append(line);
br.close();
return out.toString();
}
si vous vous sentez aventureux, vous pourriez mélanger Scala et Java et finir avec ceci:
scala.io.Source.fromInputStream(is).mkString("")
le mélange de code Java et Scala et les bibliothèques a ses avantages.
voir la description complète ici: façon idiomatique de convertir une entrée en chaîne dans Scala
si vous ne pouvez pas utiliser Commons IO (FileUtils/IOUtils/CopyUtils) voici un exemple d'utilisation D'un lecteur BufferedReader pour lire le fichier ligne par ligne:
public class StringFromFile {
public static void main(String[] args) /*throws UnsupportedEncodingException*/ {
InputStream is = StringFromFile.class.getResourceAsStream("file.txt");
BufferedReader br = new BufferedReader(new InputStreamReader(is/*, "UTF-8"*/));
final int CHARS_PER_PAGE = 5000; //counting spaces
StringBuilder builder = new StringBuilder(CHARS_PER_PAGE);
try {
for(String line=br.readLine(); line!=null; line=br.readLine()) {
builder.append(line);
builder.append('\n');
}
} catch (IOException ignore) { }
String text = builder.toString();
System.out.println(text);
}
}
ou si vous voulez une vitesse brute, je proposerais une variation sur ce que Paul de Vrieze a suggéré (qui évite d'utiliser un StringWriter (qui utilise un StringBuffer en interne):
public class StringFromFileFast {
public static void main(String[] args) /*throws UnsupportedEncodingException*/ {
InputStream is = StringFromFileFast.class.getResourceAsStream("file.txt");
InputStreamReader input = new InputStreamReader(is/*, "UTF-8"*/);
final int CHARS_PER_PAGE = 5000; //counting spaces
final char[] buffer = new char[CHARS_PER_PAGE];
StringBuilder output = new StringBuilder(CHARS_PER_PAGE);
try {
for(int read = input.read(buffer, 0, buffer.length);
read != -1;
read = input.read(buffer, 0, buffer.length)) {
output.append(buffer, 0, read);
}
} catch (IOException ignore) { }
String text = output.toString();
System.out.println(text);
}
}
c'est une réponse adaptée de org.apache.commons.io.IOUtils
code source , pour ceux qui veulent avoir l'implémentation apache mais ne veulent pas la bibliothèque entière.
private static final int BUFFER_SIZE = 4 * 1024;
public static String inputStreamToString(InputStream inputStream, String charsetName)
throws IOException {
StringBuilder builder = new StringBuilder();
InputStreamReader reader = new InputStreamReader(inputStream, charsetName);
char[] buffer = new char[BUFFER_SIZE];
int length;
while ((length = reader.read(buffer)) != -1) {
builder.append(buffer, 0, length);
}
return builder.toString();
}
assurez-vous de fermer les flux à la fin si vous utilisez des lecteurs de flux
private String readStream(InputStream iStream) throws IOException {
//build a Stream Reader, it can read char by char
InputStreamReader iStreamReader = new InputStreamReader(iStream);
//build a buffered Reader, so that i can read whole line at once
BufferedReader bReader = new BufferedReader(iStreamReader);
String line = null;
StringBuilder builder = new StringBuilder();
while((line = bReader.readLine()) != null) { //Read till end
builder.append(line);
builder.append("\n"); // append new line to preserve lines
}
bReader.close(); //close all opened stuff
iStreamReader.close();
//iStream.close(); //EDIT: Let the creator of the stream close it!
// some readers may auto close the inner stream
return builder.toString();
}
EDIT: Sur JDK 7+, vous pouvez utiliser try-with-resources construire.
/**
* Reads the stream into a string
* @param iStream the input stream
* @return the string read from the stream
* @throws IOException when an IO error occurs
*/
private String readStream(InputStream iStream) throws IOException {
//Buffered reader allows us to read line by line
try (BufferedReader bReader =
new BufferedReader(new InputStreamReader(iStream))){
StringBuilder builder = new StringBuilder();
String line;
while((line = bReader.readLine()) != null) { //Read till end
builder.append(line);
builder.append("\n"); // append new line to preserve lines
}
return builder.toString();
}
}
Voici la méthode complète pour convertir InputStream
en String
sans utiliser de bibliothèque tierce. Utiliser StringBuilder
pour un environnement fileté simple sinon utiliser StringBuffer
.
public static String getString( InputStream is) throws IOException {
int ch;
StringBuilder sb = new StringBuilder();
while((ch = is.read()) != -1)
sb.append((char)ch);
return sb.toString();
}
Voici comment le faire en utilisant juste le JDK en utilisant les tampons byte array. C'est en fait ainsi que fonctionnent les méthodes commons-io IOUtils.copy()
. Vous pouvez remplacer byte[]
par char[]
si vous copiez à partir d'un Reader
au lieu d'un InputStream
.
import java.io.ByteArrayOutputStream;
import java.io.InputStream;
...
InputStream is = ....
ByteArrayOutputStream baos = new ByteArrayOutputStream(8192);
byte[] buffer = new byte[8192];
int count = 0;
try {
while ((count = is.read(buffer)) != -1) {
baos.write(buffer, 0, count);
}
}
finally {
try {
is.close();
}
catch (Exception ignore) {
}
}
String charset = "UTF-8";
String inputStreamAsString = baos.toString(charset);
utilisez le java.io.InputStream.transferTo (OutputStream) supporté en Java 9 et le ByteArrayOutputStream.toString (String) qui prend le nom de charset:
public static String gobble(InputStream in, String charsetName) throws IOException {
ByteArrayOutputStream bos = new ByteArrayOutputStream();
in.transferTo(bos);
return bos.toString(charsetName);
}
les utilisateurs de Kotlin font simplement:
println(InputStreamReader(is).readText())
attendu que
readText()
est la méthode d'extension intégrée de la bibliothèque standard de Kotlin.
un autre, pour tous les utilisateurs de ressorts:
import java.nio.charset.StandardCharsets;
import org.springframework.util.FileCopyUtils;
public String convertStreamToString(InputStream is) throws IOException {
return new String(FileCopyUtils.copyToByteArray(is), StandardCharsets.UTF_8);
}
les méthodes d'utilité de org.springframework.util.StreamUtils
sont similaires à celles de FileCopyUtils
, mais elles laissent le flux ouvert une fois fait.
celui-ci est bien parce que:
- la Main à la sécurité le Charset.
- vous contrôlez la taille du tampon de lecture.
- vous pouvez fournir la longueur du constructeur et peut ne pas être exactement.
- est libre des dépendances de bibliothèque.
- est pour Java 7 ou plus.
qu'est-Ce?
public static String convertStreamToString(InputStream is) {
if (is == null) return null;
StringBuilder sb = new StringBuilder(2048); // Define a size if you have an idea of it.
char[] read = new char[128]; // Your buffer size.
try (InputStreamReader ir = new InputStreamReader(is, StandardCharsets.UTF_8)) {
for (int i; -1 != (i = ir.read(read)); sb.append(read, 0, i));
} catch (Throwable t) {}
return sb.toString();
}
Voici mon Java 8 solution basée, qui utilise la nouvelle API Stream pour collecter toutes les lignes d'un InputStream
:
public static String toString(InputStream inputStream) {
BufferedReader reader = new BufferedReader(
new InputStreamReader(inputStream));
return reader.lines().collect(Collectors.joining(
System.getProperty("line.separator")));
}
la façon la plus facile à JDK est d'utiliser les extraits de code suivants.
String convertToString(InputStream in){
String resource = new Scanner(in).useDelimiter("\Z").next();
return resource;
}
la goyave fournit une solution autoclosante efficace beaucoup plus courte dans le cas où le flux d'entrée provient de la ressource classpath (qui semble être une tâche populaire):
byte[] bytes = Resources.toByteArray(classLoader.getResource(path));
ou
String text = Resources.toString(classLoader.getResource(path), StandardCharsets.UTF_8);
il y a aussi le concept général de ByteSource et CharSource qui s'occupent délicatement de l'ouverture et de la fermeture du cours d'eau.
ainsi, par exemple, au lieu d'ouvrir explicitement un petit fichier pour lire son contenu:
String content = Files.asCharSource(new File("robots.txt"), StandardCharsets.UTF_8).read();
byte[] data = Files.asByteSource(new File("favicon.ico")).read();
ou juste
String content = Files.toString(new File("robots.txt"), StandardCharsets.UTF_8);
byte[] data = Files.toByteArray(new File("favicon.ico"));
Remarque: Ce n'est probablement pas une bonne idée. Cette méthode utilise la récursion:
public String read (InputStream is) {
byte next = is.read();
return next == -1 ? "" : next + read(is); // Recursive part: reads next byte recursively
}
s'il vous Plaît ne pas downvote ce juste parce que c'est un mauvais choix à utiliser; c'était surtout créatrice :)