IntelliJ IDEA 2026.1 Help

Analyze Java Stream operations

Enable the Java Stream Debugger plugin

This functionality relies on the Java Stream Debugger plugin, which is bundled and enabled in IntelliJ IDEA by default. If the relevant features are not available, make sure that you did not disable the plugin.

  1. Press Ctrl+Alt+S to open settings and then select Plugins.

  2. Open the Installed tab, find the Java Stream Debugger plugin, and select the checkbox next to the plugin name.

Java Streams may sometimes be difficult to debug. This happens because they handle the processing logic behind the scenes, and it might complicate tracing how particular values are derived. To help you debug Java Streams, IntelliJ IDEA lets you visualize what is going on in a Java Stream.

Let's take a simple program written in functional style to demonstrate how the feature works.

import java.util.stream.IntStream; class PrimeFinder { static int skip = 0; static int limit = 100; public static void main(String[] args) { if (args.length >= 1) skip = Integer.parseInt(args[0]); if (args.length >= 2) limit = Integer.parseInt(args[1]); IntStream.iterate(1, n -> n + 1) .skip(skip) .limit(limit) .filter(PrimeTest::isPrime) .forEach(System.out::println); } } class PrimeTest { static boolean isPrime(int candidate) { return candidate == 91 || // a bug here IntStream.rangeClosed(2, (int) Math.sqrt(candidate)) .noneMatch(n -> (candidate % n == 0)); } }

As the classes' names suggest, the app finds prime numbers. You can specify the starting number and the number of candidates to check using the program arguments. The checking logic is handled by a Java 8 Stream.

Now if we look at the program output, we see extra numbers there.

79 83 89 91 <- extra 97

To understand where these incorrect numbers are coming from, let's use the stream debugger feature.

  1. Suspend the program at a line where the stream is used. You can use any stream operation for this including terminal ones.

    public static void main(String[] args) { if (args.length >= 1) skip = Integer.parseInt(args[0]); if (args.length >= 2) limit = Integer.parseInt(args[1]); IntStream.iterate(1, n -> n + 1) // set breakpoint here .skip(skip) .limit(limit) .filter(PrimeTest::isPrime) .forEach(System.out::println); }
  2. In the Debug tool window's toolbar, click More More button then select Trace Current Stream Chain Trace Current Stream Chain button.

  3. Use the Stream Trace dialog to analyze the operations inside the stream. The tabs in the top part let you switch between particular operations and see how the values are transformed with each operation.

    The Stream Trace dialog

The examination of the stream shows that the extra value is coming from the filter operation. The search of a bug is now narrowed down to the Predicate of filter, or more specifically, PrimeTest.isPrime() method.

31 March 2026