blob: 42fc7f77f643d120fba41c994303f6d62ba850e8 (
plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
|
---
title: String.prototype.includes()
slug: Web/JavaScript/Reference/Global_Objects/String/includes
tags:
- JavaScript
- Method
- Prototype
- Reference
- String
- Polyfill
browser-compat: javascript.builtins.String.includes
translation_of: Web/JavaScript/Reference/Global_Objects/String/includes
---
{{JSRef}}
**`includes()`** メソッドは、1 つの文字列を別の文字列の中に見出すことができるかどうかを判断し、必要に応じて `true` か `false` を返します。
{{EmbedInteractiveExample("pages/js/string-includes.html", "shorter")}}
## 構文
```js
includes(searchString)
includes(searchString, position)
```
## 引数
- `searchString`
- : `str` 内で検索される文字列。
- `position` {{optional_inline}}
- : 文字列内で `searchString` を検索し始める位置です。 (既定値は 0 です。)
### 返値
文字列が検索値を含んでいれば、**`true`**。含んでいれば、**`false`**。
## 解説
このメソッドで、ある文字列が別な文字列の中に含まれているかどうかを判断することができます。
### 大文字・小文字の区別
`includes()` メソッドは大文字と小文字が区別します。例えば、次のコードでは `false` を返します。
```js
'Blue Whale'.includes('blue') // false を返す
```
## ポリフィル
このメソッドは ECMAScript 2015 で追加されました。まだ、すべての JavaScript の実装で利用できるとは限りません。
しかしながら、このメソッドを簡単に代替できます。
```js
if (!String.prototype.includes) {
String.prototype.includes = function(search, start) {
'use strict';
if (search instanceof RegExp) {
throw TypeError('first argument must not be a RegExp');
}
if (start === undefined) { start = 0; }
return this.indexOf(search, start) !== -1;
};
}
```
## 例
### `includes()` の使用
```js
const str = 'To be, or not to be, that is the question.'
console.log(str.includes('To be')) // true
console.log(str.includes('question')) // true
console.log(str.includes('nonexistent')) // false
console.log(str.includes('To be', 1)) // false
console.log(str.includes('TO BE')) // false
console.log(str.includes('')) // true
```
## 仕様書
{{Specifications}}
## ブラウザーの互換性
{{Compat}}
## 関連情報
- `String.prototype.includes` のポリフィルは [`core-js`](https://github.com/zloirock/core-js#ecmascript-string-and-regexp) で利用できます
- {{jsxref("Array.prototype.includes()")}}
- {{jsxref("TypedArray.prototype.includes()")}}
- {{jsxref("String.prototype.indexOf()")}}
- {{jsxref("String.prototype.lastIndexOf()")}}
- {{jsxref("String.prototype.startsWith()")}}
- {{jsxref("String.prototype.endsWith()")}}
|