Program to convert String to IntStream in Java

Given a String, the task is to convert this String into an IntStream containing the ASCII values of the characters as the elements.
Examples:
Input: String = Geeks Output: 71, 101, 101, 107, 115 Input: String = GeeksForGeeks Output: 71, 101, 101, 107, 115, 70, 111, 114, 71, 101, 101, 107, 115
Algorithm:
- Get the String to be converted.
 - Convert it into IntStream using chars() method.
 - Print the formed IntStream.
 
Below is the implementation of the above approach:
// Java program to convert// String to IntStream  import java.util.stream.IntStream;  class GFG {    public static void main(String[] args)    {          // Get the String to be converted        String string = "Geeks";          // Print the String        System.out.println("String: " + string);          // Convert String to IntStream using chars() method        IntStream intStream = string.chars();          // Print the elements of the IntStream        intStream.forEach(System.out::println);    }} | 
Output:
String: Geeks 71 101 101 107 115
				
					


