Keep only first n characters in a string?

Javascript

Javascript Problem Overview


Is there a way in JavaScript to remove the end of a string?

I need to only keep the first 8 characters of a string and remove the rest.

Javascript Solutions


Solution 1 - Javascript

const result = 'Hiya how are you'.substring(0,8); console.log(result); console.log(result.length);

You are looking for JavaScript's String method substring

e.g.

'Hiya how are you'.substring(0,8);

Which returns the string starting at the first character and finishing before the 9th character - i.e. 'Hiya how'.

substring documentation

Solution 2 - Javascript

You could use String.slice:

var str = '12345678value';
var strshortened = str.slice(0,8);
alert(strshortened); //=> '12345678'

Using this, a String extension could be:

String.prototype.truncate = String.prototype.truncate ||
  function (n){
    return this.slice(0,n);
  };
var str = '12345678value';
alert(str.truncate(8)); //=> '12345678'

See also

Solution 3 - Javascript

Use substring function
Check this out http://jsfiddle.net/kuc5as83/

var string = "1234567890"
var substr=string.substr(-8);
document.write(substr);

Output >> 34567890

substr(-8) will keep last 8 chars

var substr=string.substr(8);
document.write(substr);

Output >> 90

substr(8) will keep last 2 chars

var substr=string.substr(0, 8);
document.write(substr);

Output >> 12345678

substr(0, 8) will keep first 8 chars

Check this out string.substr(start,length)

Solution 4 - Javascript

var myString = "Hello, how are you?";
myString.slice(0,8);

Solution 5 - Javascript

You could try:

myString.substring(0, 8);

Solution 6 - Javascript

Use the string.substring(from, to) API. In your case, use string.substring(0,8).

Solution 7 - Javascript

You can use .substring, which returns a potion of a string:

"abcdefghijklmnopq".substring(0, 8) === "abcdefgh"; // portion from index 0 to 8

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
Questionuser978905View Question on Stackoverflow
Solution 1 - JavascriptShadView Answer on Stackoverflow
Solution 2 - JavascriptKooiIncView Answer on Stackoverflow
Solution 3 - JavascriptWazyView Answer on Stackoverflow
Solution 4 - JavascriptSahil MuthooView Answer on Stackoverflow
Solution 5 - JavascriptMike ChristensenView Answer on Stackoverflow
Solution 6 - JavascriptSaketView Answer on Stackoverflow
Solution 7 - JavascriptpimvdbView Answer on Stackoverflow