DevToolBox無料
ブログ

Regex チートシート:正規表現の完全リファレンス

12分by DevToolBox

正規表現(regex)は開発者のツールボックスで最も強力なツールの一つです。ユーザー入力の検証、ログファイルの解析、複雑な検索置換操作など、regexは比類のない精度を提供します。この正規表現完全チートシートは、アンカー、文字クラス、量指定子、グループ、先読み/後読み、フラグなど全ての主要概念をカバーしています。

Regex テスターですべてのパターンをテスト ->

基本構文:アンカーと文字クラス

アンカーと文字クラスはregexパターンの基礎です。アンカーはマッチがどこで起こるかを指定し、文字クラスはどの文字をマッチするかを定義します。

アンカー

アンカーは文字ではなく、文字列内の位置にマッチします。

PatternDescriptionExample
^Start of string (or line with m flag)^Hello matches "Hello World"
$End of string (or line with m flag)world$ matches "Hello world"
\bWord boundary\bcat\b matches "cat" but not "catch"
\BNon-word boundary\Bcat\B matches "concatenate"
\AAbsolute start of string (Python, Ruby)\AHello
\ZAbsolute end of string (Python, Ruby)bye\Z

文字クラス

文字クラスは単一の位置で文字セットにマッチします。

PatternDescriptionEquivalent
[abc]Match a, b, or c--
[^abc]Match anything except a, b, c--
[a-z]Match any lowercase letter--
[A-Z]Match any uppercase letter--
[0-9]Match any digit\d
.Match any character (except newline by default)--
\dDigit[0-9]
\DNon-digit[^0-9]
\wWord character[a-zA-Z0-9_]
\WNon-word character[^a-zA-Z0-9_]
\sWhitespace (space, tab, newline)[ \t\n\r\f\v]
\SNon-whitespace[^ \t\n\r\f\v]

特殊文字(メタ文字)

これらの文字はregexで特別な意味を持ちます。リテラルとしてマッチするにはバックスラッシュでエスケープします。

Special characters that need escaping:
.  ^  $  *  +  ?  {  }  [  ]  \  |  (  )

To match a literal dot:   \.
To match a literal star:  \*
To match a literal pipe:  \|
To match a backslash:     \\

量指定子:マッチ回数

量指定子は繰り返し回数を制御します。デフォルトは貪欲で、?を付けると控えめになります。

GreedyLazyDescription
**?0 or more times
++?1 or more times
???0 or 1 time (optional)
{n}{n}?Exactly n times
{n,}{n,}?n or more times
{n,m}{n,m}?Between n and m times

貪欲 vs. 控えめ

貪欲な<.*>は文字列全体にマッチし、<.*?>は最初のタグのみにマッチします。

// Input string:
const str = '<b>bold</b> and <i>italic</i>';

// Greedy: matches from first < to LAST >
str.match(/<.*>/);
// Result: '<b>bold</b> and <i>italic</i>'

// Lazy: matches from first < to FIRST >
str.match(/<.*?>/);
// Result: '<b>'

グループとキャプチャ

グループは複数の文字を一つの単位として扱い、マッチした部分を抽出できます。

キャプチャグループ

(...)でマッチをキャプチャ。\1\2で後方参照。

// Capturing group example
const dateRegex = /^(\d{4})-(\d{2})-(\d{2})$/;
const match = '2026-02-10'.match(dateRegex);
// match[0] = '2026-02-10'  (full match)
// match[1] = '2026'        (year)
// match[2] = '02'          (month)
// match[3] = '10'          (day)

// Backreference: match repeated words
const repeated = /\b(\w+)\s+\1\b/;
repeated.test('the the');  // true
repeated.test('the cat');  // false

名前付きグループ

(?<name>...)で可読性が向上します。

// Named groups in JavaScript
const dateRegex = /^(?<year>\d{4})-(?<month>\d{2})-(?<day>\d{2})$/;
const match = '2026-02-10'.match(dateRegex);
// match.groups.year  = '2026'
// match.groups.month = '02'
// match.groups.day   = '10'
# Named groups in Python
import re
pattern = r'^(?P<year>\d{4})-(?P<month>\d{2})-(?P<day>\d{2})$'
m = re.match(pattern, '2026-02-10')
# m.group('year')  = '2026'
# m.group('month') = '02'
# m.group('day')   = '10'

非キャプチャグループ

キャプチャ不要な場合は(?:...)を使用します。

// Non-capturing group
const regex = /(?:https?|ftp):\/\/[^\s]+/;
// Groups the protocol options without capturing them
// Only the full URL is in match[0]

選択(OR)

パイプ|で複数の選択肢をマッチします。

// Alternation examples
/cat|dog/           // Match "cat" or "dog"
/(red|blue) car/    // Match "red car" or "blue car"
/^(GET|POST|PUT|DELETE)\s/  // Match HTTP methods

先読みと後読み(ゼロ幅アサーション)

先読み/後読みは現在位置の前後にパターンが存在するかを文字を消費せずに確認します。

SyntaxTypeDescription
(?=...)Positive lookaheadWhat follows must match
(?!...)Negative lookaheadWhat follows must NOT match
(?<=...)Positive lookbehindWhat precedes must match
(?<!...)Negative lookbehindWhat precedes must NOT match

肯定先読み (?=...)

指定パターンが後に続く位置にマッチ。

// Match a number followed by "px"
/\d+(?=px)/
// "20px 30em 40px" → matches "20" and "40" (not "30")

// Password: must contain at least one digit
/^(?=.*\d).{8,}$/

否定先読み (?!...)

指定パターンが後に続かない位置にマッチ。

// Match "cat" NOT followed by "fish"
/cat(?!fish)/
// "catfish catdog" → matches "cat" in "catdog" only

// Match numbers NOT followed by a unit
/\d+(?!\s*(px|em|rem|%))/

肯定後読み (?<=...)

指定パターンが前にある位置にマッチ。

// Match a number preceded by "$"
/(?<=\$)\d+(\.\d{2})?/
// "$49.99 and €29.99" → matches "49.99" only

// Extract value after "price:"
/(?<=price:\s*)\d+/

否定後読み (?<!...)

指定パターンが前にない位置にマッチ。

// Match "cat" NOT preceded by "wild"
/(?<!wild)cat/
// "wildcat housecat" → matches "cat" in "housecat" only

// Match digits not preceded by a minus sign
/(?<!-)\b\d+\b/

注意:後読みは一部のエンジンでサポートが限定的です。GoのRE2エンジンは先読み/後読みをサポートしません。

Regexフラグ(修飾子)

フラグはregexエンジンのパターン解釈方法を変更します。

FlagNameDescriptionExample
gGlobalFind all matches, not just the first/cat/g finds all "cat" occurrences
iCase-insensitiveMatch upper and lowercase interchangeably/hello/i matches "Hello", "HELLO"
mMultiline^ and $ match line starts/ends/^start/m matches at each line start
sDotall (Single-line). matches newline characters too/a.b/s matches "a\nb"
uUnicodeEnable full Unicode matching/\u{1F600}/u matches emoji
yStickyMatch only at lastIndex positionUsed for tokenizing / lexing
// Combining flags
const regex = /^hello world$/gim;

// In Python, flags are constants:
import re
pattern = re.compile(r'^hello world$', re.IGNORECASE | re.MULTILINE)

// In Go, use inline flags:
// (?i) for case-insensitive, (?m) for multiline, (?s) for dotall
regexp.MustCompile("(?im)^hello world$")

一般的なパターン早見表

最もよく使われるregexパターンの一覧です。

Use CasePattern
Email^[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\.[a-zA-Z]{2,}$
URL (HTTP/S)^https?:\/\/[^\s]+$
IPv4 Address^((25[0-5]|(2[0-4]|1\d|[1-9]|)\d)\.?\b){4}$
Date (YYYY-MM-DD)^\d{4}-(0[1-9]|1[0-2])-(0[1-9]|[12]\d|3[01])$
Time (HH:MM:SS)^([01]\d|2[0-3]):[0-5]\d:[0-5]\d$
Hex Color^#([0-9A-Fa-f]{3}|[0-9A-Fa-f]{6})$
Strong Password^(?=.*[a-z])(?=.*[A-Z])(?=.*\d)(?=.*[@$!%*?&]).{8,}$
Phone (E.164)^\+[1-9]\d{1,14}$
UUID^[0-9a-f]{8}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{12}$
Semantic Version^(0|[1-9]\d*)\.(0|[1-9]\d*)\.(0|[1-9]\d*)(-[\w.]+)?(\+[\w.]+)?$
HTML Tag<([a-zA-Z][a-zA-Z0-9]*)\b[^>]*>(.*?)<\/\1>
Trim Whitespace^\s+|\s+$

Regex テスターですべてのパターンをテスト ->

各プログラミング言語でのRegex

構文は概ね共通ですが、各言語に固有のAPIがあります。

JavaScript

// Creating regex in JavaScript
const regex1 = /^\d+$/;             // Literal syntax
const regex2 = new RegExp('^\\d+$'); // Constructor (needs double-escape)

// Testing
regex1.test('12345');                // true

// Matching
'hello world'.match(/\w+/g);        // ['hello', 'world']

// Replacing
'2026-02-10'.replace(
  /^(\d{4})-(\d{2})-(\d{2})$/,
  '$2/$3/$1'
);  // '02/10/2026'

// matchAll (ES2020) - get all matches with groups
const text = 'Price: $10, Tax: $2';
for (const m of text.matchAll(/\$(\d+)/g)) {
  console.log(m[0], m[1]);
  // '$10' '10', then '$2' '2'
}

// Named groups (ES2018+)
const { groups } = '2026-02-10'.match(
  /(?<year>\d{4})-(?<month>\d{2})-(?<day>\d{2})/
);
console.log(groups.year);  // '2026'

Python

import re

# Compile for reuse (recommended)
pattern = re.compile(r'^\d+$')

# Test if the entire string matches
pattern.match('12345')      # Match object (truthy)
pattern.match('abc')        # None (falsy)

# Search anywhere in the string
re.search(r'\d+', 'abc 123 def')  # Finds '123'

# Find all matches
re.findall(r'\w+', 'hello world')  # ['hello', 'world']

# Replace
re.sub(
    r'^(\d{4})-(\d{2})-(\d{2})$',
    r'\2/\3/\1',
    '2026-02-10'
)  # '02/10/2026'

# Named groups
m = re.match(
    r'(?P<year>\d{4})-(?P<month>\d{2})-(?P<day>\d{2})',
    '2026-02-10'
)
m.group('year')   # '2026'
m.group('month')  # '02'

# Flags
re.findall(r'^start', text, re.MULTILINE | re.IGNORECASE)

# Split by pattern
re.split(r'[,;\s]+', 'a, b; c  d')  # ['a', 'b', 'c', 'd']

Go (Golang)

package main

import (
    "fmt"
    "regexp"
)

func main() {
    // Compile (panics on invalid pattern)
    re := regexp.MustCompile(`^\d+$`)

    // Test
    fmt.Println(re.MatchString("12345"))  // true
    fmt.Println(re.MatchString("abc"))    // false

    // Find first match
    re2 := regexp.MustCompile(`\d+`)
    fmt.Println(re2.FindString("abc 123 def"))  // "123"

    // Find all matches
    fmt.Println(re2.FindAllString("10 cats and 20 dogs", -1))
    // ["10", "20"]

    // Replace
    re3 := regexp.MustCompile(`(\d{4})-(\d{2})-(\d{2})`)
    result := re3.ReplaceAllString("2026-02-10", "$2/$3/$1")
    fmt.Println(result)  // "02/10/2026"

    // Named groups
    re4 := regexp.MustCompile(`(?P<year>\d{4})-(?P<month>\d{2})-(?P<day>\d{2})`)
    match := re4.FindStringSubmatch("2026-02-10")
    for i, name := range re4.SubexpNames() {
        if name != "" {
            fmt.Printf("%s: %s\n", name, match[i])
        }
    }
    // year: 2026, month: 02, day: 10

    // Inline flags: (?i) case-insensitive, (?m) multiline, (?s) dotall
    re5 := regexp.MustCompile(`(?i)hello`)
    fmt.Println(re5.MatchString("HELLO"))  // true
}

GoはRE2エンジンを使用し、先読み、後読み、後方参照をサポートしません

パフォーマンスのヒントとベストプラクティス

具体的に:.の代わりに[a-zA-Z]を使用。

壊滅的バックトラッキングを避ける:(a+)+のようなネストした量指定子を避ける。

// BAD: Catastrophic backtracking risk
const bad = /^(a+)+$/;
bad.test('aaaaaaaaaaaaaaaaaaaaa!');  // Extremely slow!

// GOOD: Flatten nested quantifiers
const good = /^a+$/;
good.test('aaaaaaaaaaaaaaaaaaaaa!'); // Instant: false

非キャプチャグループを使う:キャプチャ不要なら(?:...)を使用。

一度コンパイル:PythonやGoではコンパイル済みオブジェクトを再利用。

# Python: compile once, reuse many times
import re
email_re = re.compile(r'^[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\.[a-zA-Z]{2,}$')

# Fast: uses pre-compiled pattern
for addr in addresses:
    if email_re.match(addr):
        print(f"Valid: {addr}")

段階的にテスト:複雑なパターンはステップバイステップで構築。

Regex テスターですべてのパターンをテスト ->

よくある質問

正規表現チートシートとは何ですか?なぜ必要ですか?

構文、メタ文字、量指定子、フラグ、一般的なパターンを一か所にまとめたクイックリファレンスです。経験豊富な開発者でもすべてを暗記することはできません。

regexの .* と .*? の違いは何ですか?

.*は貪欲(最長マッチ)、.*?は控えめ(最短マッチ)。最初の区切り文字で止めたい場合は控えめを使います。

すべてのプログラミング言語で同じregex構文が使えますか?

ほとんどがPCREをサポートしますが、高度な機能は異なります。JavaScriptはES2018で後読みを追加、Go(RE2)は後読みをサポートしません。

regexパターンのテストとデバッグ方法は?

リアルタイムでマッチを表示するインタラクティブなRegexテスターを使用してください。パターンを段階的に構築しましょう。

壊滅的バックトラッキングとは?

regexエンジンが文字列の不一致を判断するのに指数的な時間がかかる現象です。ネストした量指定子を避け、文字クラスを具体的にしましょう。

𝕏 Twitterin LinkedIn
この記事は役に立ちましたか?

最新情報を受け取る

毎週の開発ヒントと新ツール情報。

スパムなし。いつでも解除可能。

Try These Related Tools

.*Regex TesterR✓Regex CheckerR≈Regex MatcherR+Regex Generator

Related Articles

開発者に必要な20のRegexパターン:コピペ可能な例

メール、URL、電話、パスワード、IPアドレスなど、20の実戦済み正規表現パターンの厳選コレクション。

メール・電話・URL・IPバリデーション用Regexパターン(コピペ対応)

メール、電話番号、URL、IPアドレスを検証するコピペ用正規表現パターン。JavaScript、Pythonなど対応。

オンライン正規表現テスター:リアルタイムでテスト・デバッグ・検証(2026年版ガイド)

無料のオンライン正規表現テスターでリアルタイムにテスト。JavaScript、Python、Goの正規表現構文、10の必須パターン、よくある間違い、パフォーマンスのコツを解説。