Open In App

JavaScript Program to Truncate a String to a Certain Length

Last Updated : 10 Oct, 2023
Improve
Improve
Like Article
Like
Save
Share
Report

In this article, we are going to learn how can we truncate a string to a certain length. Truncating a string to a certain length in JavaScript means shortening a string so that it doesn’t exceed a specified maximum length. This can be useful for displaying text in user interfaces, such as titles or descriptions while ensuring that the text does not exceed a certain number of characters.

Using JavaScript String slice method

This approach uses the slice() method to extract a portion of the string up to the desired length.

Example: This example shows the use of the above-explained approach.

Javascript




// JavaScript function for 
// getting a string of a 
// specific length
function gfgFun(str, MaxLength) {
    if (str.length > MaxLength) {
        return str.slice(0, MaxLength);
    } else {
        return str;
    }
}
  
// Input string
const str = "gfg is a good place for growth";
  
// Desired length of a string
const MaxLength = 20;
console.log(gfgFun(str, MaxLength));


Output

gfg is a good place 

Using JavaScript String substring method

This approach uses the substring() method to get a substring up to the specified length.

Example: This example shows the use of the above-explained approach.

Javascript




// JavaScript function for 
// getting a string of a 
// specific length
function gfgFun(str, maxLength) {
    if (str.length > maxLength) {
        return str.substring(0, maxLength);
    } else {
        return str;
    }
}
  
// Input String
const str = "gfg is a good place for growth";
  
// Desired length of a string
const maxLength = 20;
console.log(gfgFun(str, maxLength));


Output

gfg is a good place 


Like Article
Suggest improvement
Share your thoughts in the comments

Similar Reads