Java : IntConsumer con ejemplos

IntConsumer (Java SE 21 & JDK 21) en Java con ejemplos.
Encontrará ejemplos de código en la mayoría de los métodos de IntConsumer.

Nota :


Summary

Representa una operación que acepta un único argumento de valor int y no devuelve ningún resultado. Esta es la especialización de tipo primitivo de Consumer para int. A diferencia de la mayoría de las otras interfaces funcionales, se espera que IntConsumer funcione mediante efectos secundarios. (Traducción automática)

Class diagram

final var stream = IntStream.of(1, 10, 16, 255);

final var action = new IntConsumer() {
    @Override
    public void accept(int value) {
        final var hex = "0x" + Integer.toHexString(value);
        System.out.println(hex);
    }
};

System.out.println("-- forEach --");
stream.forEach(action);

// Result
// ↓
//-- forEach --
//0x1
//0xa
//0x10
//0xff
// An example with a lambda expression.
final var stream = IntStream.of(1, 10, 16, 255);

System.out.println("-- forEach --");
stream.forEach(value -> {
    final var hex = "0x" + Integer.toHexString(value);
    System.out.println(hex);
});

// Result
// ↓
//-- forEach --
//0x1
//0xa
//0x10
//0xff

Methods

void accept (int value)

Realiza esta operación sobre el argumento dado. (Traducción automática)

final var stream = IntStream.of(1, 10, 16, 255);

final var action = new IntConsumer() {
    @Override
    public void accept(int value) {
        final var hex = "0x" + Integer.toHexString(value);
        System.out.println(hex);
    }
};

System.out.println("-- forEach --");
stream.forEach(action);

// Result
// ↓
//-- forEach --
//0x1
//0xa
//0x10
//0xff
// An example with a lambda expression.
final var stream = IntStream.of(1, 10, 16, 255);

System.out.println("-- forEach --");
stream.forEach(value -> {
    final var hex = "0x" + Integer.toHexString(value);
    System.out.println(hex);
});

// Result
// ↓
//-- forEach --
//0x1
//0xa
//0x10
//0xff

default IntConsumer andThen (IntConsumer after)

Devuelve un IntConsumer compuesto que realiza, en secuencia, esta operación seguida de la operación posterior. (Traducción automática)

final var before = new IntConsumer() {
    @Override
    public void accept(int value) {
        System.out.println("before : " + value);
    }
};

final var after = new IntConsumer() {
    @Override
    public void accept(int value) {
        System.out.println("after  : " + value);
    }
};

final var consumer = before.andThen(after);
consumer.accept(123);

// Result
// ↓
//before : 123
//after  : 123

Related posts

To top of page