JavaScript String slice() method

JavaScript String Reference JavaScript String Reference

Example

Extract parts of a string:

var str = "Hello world!";
var res = str.slice(1,5);

The result of res will be:

ello
Try it yourself »

More "Try it Yourself" examples below.


Definition and Usage

The slice() method extracts parts of a string and returns the extracted parts in a new string.

Use the start and end parameters to specify the part of the string you want to extract.

The first character has the position 0, the second has position 1, and so on.

Tip: Use a negative number to select from the end of the string.


Browser Support

Method
slice() Yes Yes Yes Yes Yes

Syntax

string.slice(start,end)

Parameter Values

Parameter Description
start Required. The position where to begin the extraction. First character is at position 0
end Optional. The position (up to, but not including) where to end the extraction. If omitted, slice() selects all characters from the start-position to the end of the string

Technical Details

Return Value: A String, representing the extracted part of the string
JavaScript Version: 1.0

Examples

More Examples

Example

Extract the whole string:

var str = "Hello world!";
var res = str.slice(0);

The result of res will be:

Hello world!
Try it yourself »

Example

Extract from position 3, and to the end:

var str = "Hello world!";
var res = str.slice(3);

The result of res will be:

lo world!
Try it yourself »

Example

Extract the characters from position 3 to 8:

var str = "Hello world!";
var res = str.slice(3, 8);

The result of res will be:

lo wo
Try it yourself »

Example

Extract only the first character:

var str = "Hello world!";
var res = str.slice(0, 1);

The result of res will be:

H
Try it yourself »

Example

Extract only the last character:

var str = "Hello world!";
var res = str.slice(-1);

The result of res will be:

!
Try it yourself »

JavaScript String Reference JavaScript String Reference