Open In App

Difference Between charAt() and substring() Method in Java

In Java, the charAt() method of the String class is used to extract the character from a string. It returns the character at the specified index in the String. The substring() method is used to extract some portion from the actual String and the actual string remains the same as it is. After that, the method returns a new string.

In this article, we will learn charAt() vs substring() methods in Java.



charAt() Method in Java

The charAt() method returns characters at the specific index in a String. The indexing starts from 0 i.e. the first character’s index is 0 then 1 and so on. But the index of the last character is length() – 1.

Syntax of charAt() Method:

char charAt(int index)

Example of charAt() method in Java

Let us understand this method by implementing a simple example below. If we want to get the character at a specific position in a string:






// Java program to demonstrate
// charAt() method of String class
import java.io.*;
public class StringExample
{
    public static void main(String []args)
    {
       String s = "Deepshikha";    //String
       System.out.println(s.charAt(3));     // prints character at index 3
       System.out.println(s.charAt(6));     // prints character at index 6
          
    }
}

Output
p
i

Explanation of the Program:

substring() method in Java

The substring() method is used to extract some portion from the actual String and the actual string remains the same. This method returns a new string. We can say this a subset of a String. There are two variants in subString() method:

Syntax of substring() Method:

String.substring(int index)
String.substring(int start index, int end Index)

Example of substring() method in Java




// Java program to demonstrate 
// substring() method of String class
import java.io.*;
  
public class SubString 
{
    public static void main(String args[]) 
    {
        String s = "Deep Pawan";       //String
        System.out.println(s.substring(5));  
        System.out.println(s.substring(0,4));  
        System.out.println(s.substring(2,4));  
    }
}

Output
Pawan
Deep
ep

Explanation of the above Program:

Difference between charAt() and substring() method in Java

charAt() method

substring() method

It extracts a single character at a specified index.

It extracts some portion of a string based on indexes.

Its return type is char.

Its return type is String.

It returns only a single character.

It can return a sequence of characters i.e. , substring.

Example: String str = “Deep”;
char ch = str.charAt(2);
System.out.println(ch);
Output will be e.

Example: String str = “Deep”;
String subString = str.substring(1);
System.out.println(subStr);
Output will be eep.


Article Tags :