【完全解説】C++ substrの使い方とベストプラクティス2024 – 現場で使える実践テクニック集

C++ substrとは?基本から応用まで完全解説

文字列操作の基礎としてのsubstr関数の役割

C++のsubstr関数は、std::string クラスに実装されている文字列操作の基本機能です。この関数を使用することで、文字列から部分文字列(substring)を簡単に抽出することができます。

主な特徴:

  • 既存の文字列から指定した範囲の部分文字列を取得
  • 新しい文字列オブジェクトとして結果を返却
  • 位置と長さを指定して柔軟な抽出が可能

基本的な構文:

string substr(size_t pos = 0, size_t len = npos) const;
  • pos: 抽出を開始する位置(インデックス)
  • len: 抽出する文字列の長さ(省略可能)
  • 戻り値: 抽出された新しい文字列オブジェクト

std::stringクラスにおけるsubstrメソッドの位置づけ

substrは、std::stringクラスのメンバ関数として以下のような特徴的な位置づけを持っています:

  1. 非破壊的操作
  • 元の文字列を変更せず、新しい文字列を生成
  • 元のデータの安全性を保証
  1. STLとの親和性
  • イテレータやアルゴリズムと組み合わせて使用可能
  • 他のSTL文字列操作と連携した処理が容易
  1. メモリ管理の特徴
  • 新しい文字列オブジェクトのためのメモリ確保が自動的に行われる
  • RAII原則に従った安全なメモリ管理

実装例:

#include <string>
#include <iostream>

int main() {
    std::string original = "Hello, C++ World!";

    // 基本的な使用例
    std::string sub1 = original.substr(7, 3);  // "C++"を抽出

    // 終端までの抽出
    std::string sub2 = original.substr(7);     // "C++ World!"を抽出

    // 先頭からの抽出
    std::string sub3 = original.substr(0, 5);  // "Hello"を抽出

    std::cout << "Original: " << original << std::endl;
    std::cout << "sub1: " << sub1 << std::endl;
    std::cout << "sub2: " << sub2 << std::endl;
    std::cout << "sub3: " << sub3 << std::endl;

    return 0;
}

このコードの実行結果:

Original: Hello, C++ World!
sub1: C++
sub2: C++ World!
sub3: Hello

文字列処理において、substrは以下のような場面で特に重要な役割を果たします:

  1. テキストパース処理
  • ファイル名や拡張子の抽出
  • URLやパスの解析
  • データの切り出し
  1. 文字列の分割と結合
  • 特定部分の抽出と新しい文字列の生成
  • 文字列の部分的な置換や修正
  1. データ加工処理
  • ログ解析
  • テキストフィルタリング
  • フォーマット変換

このように、substrは文字列操作の基本的な構成要素として、多くの文字列処理タスクの基盤となっています。次のセクションでは、より具体的な使用方法と実践的な活用方法について説明していきます。

substrの基本的な使い方をマスターしよう

引数の意味と使い方を詳しく理解する

substr関数は2つの引数を取りますが、それぞれの意味と使い方を正確に理解することが重要です。

string substr(size_t pos = 0, size_t len = npos) const;
  1. 第一引数 pos(必須)
  • 抽出開始位置を指定
  • 0から始まるインデックス
  • 文字列の長さ以上の値を指定するとstd::out_of_range例外が発生
  1. 第二引数 len(省略可能)
  • 抽出する文字列の長さを指定
  • 省略時は文字列末尾まで抽出
  • std::string::nposを指定すると残りの全文字を抽出
  • 残りの文字数より大きな値を指定した場合、末尾までが抽出される

具体的な使用例:

#include <string>
#include <iostream>

int main() {
    std::string text = "Programming in C++";

    // 基本的な使用パターン
    std::string sub1 = text.substr(0, 11);     // "Programming"を抽出
    std::string sub2 = text.substr(14);        // "C++"を抽出
    std::string sub3 = text.substr(12, 2);     // "in"を抽出

    // 文字列末尾までの抽出
    std::string sub4 = text.substr(0);         // 全文字列を抽出

    // nposを使用した抽出
    std::string sub5 = text.substr(12, std::string::npos);  // "in C++"を抽出

    // 結果の表示
    std::cout << "Original: " << text << std::endl;
    std::cout << "sub1: " << sub1 << std::endl;
    std::cout << "sub2: " << sub2 << std::endl;
    std::cout << "sub3: " << sub3 << std::endl;
    std::cout << "sub4: " << sub4 << std::endl;
    std::cout << "sub5: " << sub5 << std::endl;

    return 0;
}

戻り値の型と特徴を把握する

substr関数の戻り値について、重要な特徴を理解しましょう:

  1. 戻り値の型
  • 新しいstd::stringオブジェクトが返される
  • 元の文字列は変更されない(const メンバ関数)
  • コピーコンストラクタによる新しいメモリ領域の確保
  1. メモリ管理の特徴
   #include <string>
   #include <iostream>

   int main() {
       std::string original = "Hello, World!";

       // 新しいメモリ領域に文字列がコピーされる
       std::string sub = original.substr(0, 5);

       // 元の文字列は変更されない
       sub[0] = 'h';

       std::cout << "Original: " << original << std::endl;  // "Hello, World!"
       std::cout << "Modified: " << sub << std::endl;       // "hello"

       return 0;
   }
  1. 例外処理
   #include <string>
   #include <iostream>

   int main() {
       std::string text = "Example";

       try {
           // 範囲外アクセスの例
           std::string sub = text.substr(10);  // 例外が発生
       } catch (const std::out_of_range& e) {
           std::cout << "Error: " << e.what() << std::endl;
       }

       try {
           // 正常な範囲での使用
           std::string sub = text.substr(0, 4);  // "Exam"
           std::cout << "Substring: " << sub << std::endl;
       } catch (const std::out_of_range& e) {
           std::cout << "Error: " << e.what() << std::endl;
       }

       return 0;
   }
  1. 戻り値の利用パターン
   #include <string>
   #include <iostream>
   #include <vector>

   int main() {
       std::string text = "apple,banana,orange";
       std::vector<std::string> fruits;

       size_t start = 0;
       size_t end = text.find(',');

       // 戻り値を直接利用した文字列分割
       while (end != std::string::npos) {
           fruits.push_back(text.substr(start, end - start));
           start = end + 1;
           end = text.find(',', start);
       }
       fruits.push_back(text.substr(start));

       // 結果の表示
       for (const auto& fruit : fruits) {
           std::cout << fruit << std::endl;
       }

       return 0;
   }

これらの基本的な使い方を理解することで、より複雑な文字列処理タスクにも対応できるようになります。次のセクションでは、より実践的な活用テクニックについて説明していきます。

実践的なsubstrの活用テクニック

文字列の分割と抽出の効率的な実装方法

文字列の分割と抽出は、実務で頻繁に必要となる操作です。以下に、効率的な実装パターンを示します。

  1. 区切り文字による文字列分割
#include <string>
#include <vector>
#include <iostream>

std::vector<std::string> split(const std::string& str, char delimiter) {
    std::vector<std::string> tokens;
    size_t start = 0;
    size_t end = str.find(delimiter);

    // 区切り文字が見つかる限り繰り返し
    while (end != std::string::npos) {
        tokens.push_back(str.substr(start, end - start));
        start = end + 1;
        end = str.find(delimiter, start);
    }

    // 最後の部分を追加
    tokens.push_back(str.substr(start));
    return tokens;
}

// 使用例
int main() {
    std::string csv = "apple,banana,orange,grape";
    std::vector<std::string> fruits = split(csv, ',');

    for (const auto& fruit : fruits) {
        std::cout << fruit << std::endl;
    }
    return 0;
}
  1. 固定長フォーマットの解析
#include <string>
#include <iostream>

struct Record {
    std::string id;        // 先頭6文字
    std::string name;      // 次の20文字
    std::string date;      // 次の8文字
    std::string status;    // 残りの文字

    static Record parse(const std::string& line) {
        Record record;
        size_t pos = 0;

        record.id = line.substr(pos, 6);
        pos += 6;

        record.name = line.substr(pos, 20);
        pos += 20;

        record.date = line.substr(pos, 8);
        pos += 8;

        record.status = line.substr(pos);

        return record;
    }
};

// 使用例
int main() {
    std::string data = "ID1234John Doe             20240118Active  ";
    Record record = Record::parse(data);

    std::cout << "ID: " << record.id << std::endl;
    std::cout << "Name: " << record.name << std::endl;
    std::cout << "Date: " << record.date << std::endl;
    std::cout << "Status: " << record.status << std::endl;

    return 0;
}

大規模テキスト処理での活用術

大規模なテキストデータを処理する際の効率的な実装パターンを紹介します。

  1. ストリーム処理との組み合わせ
#include <string>
#include <fstream>
#include <iostream>

void process_large_file(const std::string& filename) {
    std::ifstream file(filename);
    std::string line;
    const size_t PREFIX_LENGTH = 10;

    while (std::getline(file, line)) {
        // 各行の先頭10文字を処理
        if (line.length() >= PREFIX_LENGTH) {
            std::string prefix = line.substr(0, PREFIX_LENGTH);
            // prefixに対する処理
            std::cout << "Processing: " << prefix << std::endl;
        }
    }
}
  1. メモリ効率を考慮した実装
#include <string>
#include <vector>
#include <iostream>

class TextProcessor {
private:
    std::string buffer;
    static const size_t CHUNK_SIZE = 1024;

public:
    void process_chunks(const std::string& text) {
        size_t pos = 0;
        while (pos < text.length()) {
            // チャンク単位で処理
            std::string chunk = text.substr(pos, CHUNK_SIZE);
            process_single_chunk(chunk);
            pos += CHUNK_SIZE;
        }
    }

private:
    void process_single_chunk(const std::string& chunk) {
        // チャンクの末尾が単語の途中の場合
        size_t last_space = chunk.find_last_of(' ');
        if (last_space != std::string::npos) {
            // 完全な単語までを処理
            std::string complete_part = chunk.substr(0, last_space);
            process_words(complete_part);

            // 残りを次のチャンクのためにバッファに保存
            buffer = chunk.substr(last_space + 1);
        } else {
            process_words(chunk);
        }
    }

    void process_words(const std::string& text) {
        // 単語単位の処理を実装
        std::cout << "Processing: " << text << std::endl;
    }
};

// 使用例
int main() {
    TextProcessor processor;
    std::string large_text = "This is a very long text that needs to be processed efficiently...";
    processor.process_chunks(large_text);
    return 0;
}
  1. 並列処理での活用
#include <string>
#include <vector>
#include <thread>
#include <mutex>
#include <iostream>

class ParallelTextProcessor {
private:
    std::mutex mtx;
    std::vector<std::string> results;

public:
    void process_parallel(const std::string& text, size_t num_threads) {
        std::vector<std::thread> threads;
        size_t chunk_size = text.length() / num_threads;

        for (size_t i = 0; i < num_threads; ++i) {
            size_t start = i * chunk_size;
            size_t length = (i == num_threads - 1) ? 
                           text.length() - start : chunk_size;

            threads.emplace_back([this, &text, start, length]() {
                std::string chunk = text.substr(start, length);
                process_chunk(chunk);
            });
        }

        for (auto& thread : threads) {
            thread.join();
        }
    }

private:
    void process_chunk(const std::string& chunk) {
        // チャンクの処理
        std::string result = "Processed: " + chunk;

        // 結果の保存
        std::lock_guard<std::mutex> lock(mtx);
        results.push_back(result);
    }
};

これらの実装パターンを組み合わせることで、効率的で堅牢な文字列処理システムを構築することができます。次のセクションでは、substr使用時の注意点と対策について説明していきます。

substr使用時の注意点と対策

範囲外アクセスの防止とエラーハンドリング

substrを使用する際の主な注意点と、それらに対する適切な対処方法を解説します。

  1. 範囲外アクセスの防止
#include <string>
#include <iostream>
#include <stdexcept>

class SafeSubstring {
public:
    static std::string extract(const std::string& str, size_t pos, size_t len = std::string::npos) {
        try {
            // 文字列長のチェック
            if (pos > str.length()) {
                throw std::out_of_range("Position out of range");
            }

            // 実際に抽出可能な長さの計算
            size_t available_len = str.length() - pos;
            size_t actual_len = (len == std::string::npos) ? available_len : 
                                std::min(len, available_len);

            return str.substr(pos, actual_len);
        } catch (const std::out_of_range& e) {
            std::cerr << "Error: " << e.what() << std::endl;
            return "";  // エラー時は空文字列を返す
        }
    }
};

// 使用例
int main() {
    std::string text = "Hello, World!";

    // 安全な抽出
    std::cout << SafeSubstring::extract(text, 7) << std::endl;  // "World!"
    std::cout << SafeSubstring::extract(text, 20) << std::endl; // ""(エラー)

    return 0;
}
  1. 例外処理のベストプラクティス
#include <string>
#include <iostream>
#include <optional>

class StringExtractor {
public:
    static std::optional<std::string> tryExtract(
        const std::string& str, size_t pos, size_t len = std::string::npos) {

        if (pos >= str.length()) {
            return std::nullopt;
        }

        try {
            return str.substr(pos, len);
        } catch (const std::exception& e) {
            return std::nullopt;
        }
    }
};

// 使用例
void processString(const std::string& input) {
    auto result = StringExtractor::tryExtract(input, 5, 3);
    if (result) {
        std::cout << "Extracted: " << *result << std::endl;
    } else {
        std::cout << "Extraction failed" << std::endl;
    }
}

メモリ効率を考慮した実装方法

  1. 不必要なコピーの回避
#include <string>
#include <string_view>
#include <iostream>

class EfficientSubstring {
public:
    // string_viewを使用した効率的な実装
    static std::string_view getView(const std::string& str, size_t pos, size_t len = std::string::npos) {
        if (pos >= str.length()) {
            return std::string_view();
        }

        size_t actual_len = (len == std::string::npos) ? 
            str.length() - pos : std::min(len, str.length() - pos);

        return std::string_view(str.data() + pos, actual_len);
    }

    // 必要な場合のみコピーを作成
    static std::string getCopy(const std::string& str, size_t pos, size_t len = std::string::npos) {
        auto view = getView(str, pos, len);
        return std::string(view);
    }
};

// メモリ使用量の比較
void compareMemoryUsage() {
    std::string large_text(1000000, 'a');  // 100万文字の文字列

    // 通常のsubstr(コピーが発生)
    auto substring1 = large_text.substr(0, 1000);

    // string_viewを使用(コピーなし)
    auto substring2 = EfficientSubstring::getView(large_text, 0, 1000);

    std::cout << "Substr size: " << substring1.size() << std::endl;
    std::cout << "View size: " << substring2.size() << std::endl;
}
  1. メモリ解放のタイミング制御
#include <string>
#include <memory>
#include <iostream>

class StringBuffer {
private:
    std::string data;
    std::vector<std::string_view> views;

public:
    void append(const std::string& str) {
        size_t pos = data.length();
        data += str;

        // 文字列への参照を保持
        views.push_back(std::string_view(
            data.data() + pos, str.length()
        ));
    }

    void process() {
        for (const auto& view : views) {
            // string_viewを使用した処理
            std::cout << "Processing: " << view << std::endl;
        }

        // 必要に応じてメモリを解放
        clear();
    }

    void clear() {
        views.clear();
        data.clear();
        data.shrink_to_fit();
    }
};
  1. パフォーマンス最適化のためのチェックリスト
  • [x] 文字列の長さを事前にチェック
  • [x] 必要な場合のみコピーを作成
  • [x] string_viewの活用
  • [x] 例外処理の適切な実装
  • [x] メモリ解放のタイミング管理
  • [x] 大きな文字列の効率的な処理

これらの注意点と対策を適切に実装することで、より安全で効率的な文字列処理を実現できます。次のセクションでは、実務での具体的なベストプラクティスについて説明していきます。

現場で使えるsubstrのベストプラクティス

パフォーマンスを意識した実装パターン

実務でよく遭遇する状況での最適な実装パターンを紹介します。

  1. 文字列処理ユーティリティクラス
#include <string>
#include <string_view>
#include <vector>
#include <optional>

class StringUtils {
public:
    // 安全で効率的な部分文字列抽出
    static std::optional<std::string_view> safeSubstring(
        const std::string& str,
        size_t start,
        size_t length = std::string::npos
    ) {
        if (start >= str.length()) {
            return std::nullopt;
        }

        size_t actual_length = (length == std::string::npos) ?
            str.length() - start : std::min(length, str.length() - start);

        return std::string_view(str.data() + start, actual_length);
    }

    // 文字列分割の最適化実装
    static std::vector<std::string_view> split(
        const std::string& str,
        char delimiter
    ) {
        std::vector<std::string_view> result;
        size_t start = 0;

        // 予約によるメモリ再割り当ての削減
        result.reserve(std::count(str.begin(), str.end(), delimiter) + 1);

        while (start < str.length()) {
            size_t end = str.find(delimiter, start);
            if (end == std::string::npos) {
                result.push_back(std::string_view(str.data() + start, str.length() - start));
                break;
            }
            result.push_back(std::string_view(str.data() + start, end - start));
            start = end + 1;
        }

        return result;
    }

    // 固定長フィールドの効率的な抽出
    template<typename T>
    static T extractField(
        const std::string& str,
        size_t start,
        size_t length,
        const std::function<T(std::string_view)>& converter
    ) {
        auto field = safeSubstring(str, start, length);
        if (!field) {
            throw std::out_of_range("Field extraction failed");
        }
        return converter(*field);
    }
};

// 使用例
void demonstrate_string_utils() {
    std::string data = "12345John Doe           Active";

    // 安全な部分文字列抽出
    auto id = StringUtils::safeSubstring(data, 0, 5);
    if (id) {
        std::cout << "ID: " << *id << std::endl;
    }

    // カスタム型への変換
    auto numeric_id = StringUtils::extractField<int>(
        data, 0, 5,
        [](std::string_view sv) { return std::stoi(std::string(sv)); }
    );
}

可読性とメンテナンス性の高いコード設計

  1. 設定駆動の文字列処理
#include <string>
#include <unordered_map>
#include <functional>

class StringProcessor {
public:
    // 処理ルールの定義
    struct ProcessingRule {
        size_t start;
        size_t length;
        std::function<void(std::string_view)> processor;
    };

private:
    std::unordered_map<std::string, ProcessingRule> rules;

public:
    // ルールの追加
    void addRule(
        const std::string& field_name,
        size_t start,
        size_t length,
        std::function<void(std::string_view)> processor
    ) {
        rules[field_name] = {start, length, processor};
    }

    // 文字列の処理
    void processString(const std::string& input) {
        for (const auto& [field_name, rule] : rules) {
            if (auto field = StringUtils::safeSubstring(input, rule.start, rule.length)) {
                rule.processor(*field);
            }
        }
    }
};

// 使用例
void process_structured_data() {
    StringProcessor processor;

    // ルールの設定
    processor.addRule("id", 0, 5,
        [](std::string_view sv) { std::cout << "ID: " << sv << std::endl; });

    processor.addRule("name", 5, 20,
        [](std::string_view sv) { std::cout << "Name: " << sv << std::endl; });

    // データ処理
    processor.processString("12345John Doe           Active");
}
  1. テスト容易性を考慮した設計
#include <string>
#include <cassert>

class SubstringExtractor {
public:
    virtual ~SubstringExtractor() = default;

    virtual std::optional<std::string_view> extract(
        const std::string& str,
        size_t start,
        size_t length = std::string::npos
    ) const {
        return StringUtils::safeSubstring(str, start, length);
    }
};

class MockSubstringExtractor : public SubstringExtractor {
public:
    std::optional<std::string_view> extract(
        const std::string& str,
        size_t start,
        size_t length = std::string::npos
    ) const override {
        // テスト用の実装
        return std::string_view("mock_result");
    }
};

// テストケース
void test_substring_extraction() {
    SubstringExtractor extractor;
    std::string test_str = "Hello, World!";

    // 正常系テスト
    auto result1 = extractor.extract(test_str, 0, 5);
    assert(result1 && *result1 == "Hello");

    // 境界値テスト
    auto result2 = extractor.extract(test_str, test_str.length());
    assert(!result2);

    // モックを使用したテスト
    MockSubstringExtractor mock_extractor;
    auto result3 = mock_extractor.extract(test_str, 0, 5);
    assert(result3 && *result3 == "mock_result");
}
  1. プロダクションレディなエラーハンドリング
#include <string>
#include <exception>
#include <sstream>

class SubstringError : public std::runtime_error {
public:
    SubstringError(const std::string& message) : std::runtime_error(message) {}
};

class ProductionStringProcessor {
public:
    static std::string process(const std::string& input, size_t start, size_t length) {
        try {
            if (auto result = StringUtils::safeSubstring(input, start, length)) {
                return std::string(*result);
            }

            std::stringstream ss;
            ss << "Invalid substring parameters: start=" << start
               << ", length=" << length
               << ", string_length=" << input.length();
            throw SubstringError(ss.str());

        } catch (const std::exception& e) {
            // エラーログの記録
            logError(e.what());
            // 適切なフォールバック値の返却
            return "";
        }
    }

private:
    static void logError(const std::string& message) {
        // エラーログの実装
        std::cerr << "Error: " << message << std::endl;
    }
};

これらのベストプラクティスを適切に組み合わせることで、保守性が高く、信頼性のある文字列処理システムを構築できます。次のセクションでは、C++20以降での新しい活用方法について説明していきます。

C++20以降でのsubstr活用法

最新標準における文字列操作の推奨パターン

C++20以降で導入された新機能と、それらを活用したsubstrの最新の使用パターンを紹介します。

  1. std::spanとの連携
#include <string>
#include <span>
#include <iostream>

class ModernStringProcessor {
public:
    // std::spanを使用した効率的な文字列処理
    template<typename T>
    static void processSubstrings(std::span<T> data) {
        for (const auto& str : data) {
            if (auto substr = str.substr(0, 5); !substr.empty()) {
                processChunk(substr);
            }
        }
    }

private:
    static void processChunk(const std::string& chunk) {
        std::cout << "Processing: " << chunk << std::endl;
    }
};

// 使用例
int main() {
    std::vector<std::string> strings = {
        "Hello, World!",
        "Modern C++",
        "Programming"
    };

    ModernStringProcessor::processSubstrings(strings);
    return 0;
}
  1. Ranges libraryとの統合
#include <string>
#include <ranges>
#include <iostream>

class RangeBasedProcessor {
public:
    static auto splitIntoViews(const std::string& str, char delimiter) {
        return str 
            | std::views::split(delimiter)
            | std::views::transform([](auto&& rng) {
                return std::string_view(
                    &*rng.begin(),
                    std::ranges::distance(rng)
                );
            });
    }

    static void processWithRanges(const std::string& input) {
        auto words = splitIntoViews(input, ' ');

        for (const auto& word : words) {
            // 各単語の先頭3文字を抽出
            if (word.length() >= 3) {
                auto prefix = std::string_view(word.data(), 3);
                std::cout << "Prefix: " << prefix << std::endl;
            }
        }
    }
};

// 使用例
void demonstrate_ranges() {
    std::string text = "Modern C++ Programming Language";
    RangeBasedProcessor::processWithRanges(text);
}

新機能との組み合わせによる効果的な実装

  1. Conceptsを活用した型安全な実装
#include <string>
#include <concepts>
#include <type_traits>

// 文字列型を表すconcept
template<typename T>
concept StringLike = requires(T t) {
    { t.substr(0) } -> std::convertible_to<std::string>;
    { t.length() } -> std::convertible_to<size_t>;
    { t.data() } -> std::convertible_to<const char*>;
};

template<StringLike T>
class ModernStringHandler {
public:
    static auto safeSubstring(const T& str, size_t pos, size_t len = std::string::npos) {
        if constexpr (std::is_same_v<T, std::string>) {
            return str.substr(pos, len);
        } else {
            return std::string(str).substr(pos, len);
        }
    }

    static auto getView(const T& str, size_t pos, size_t len = std::string::npos) {
        return std::string_view(str.data() + pos, 
            std::min(len, str.length() - pos));
    }
};

// 使用例
void demonstrate_concepts() {
    std::string str = "Hello, Modern C++!";
    auto handler = ModernStringHandler<std::string>();

    auto substr = handler.safeSubstring(str, 7, 6);  // "Modern"
    auto view = handler.getView(str, 7, 6);          // "Modern"
}
  1. コルーチンを使用した効率的な文字列処理
#include <string>
#include <coroutine>
#include <memory>

class SubstringGenerator {
public:
    struct promise_type;
    using handle_type = std::coroutine_handle<promise_type>;

    struct promise_type {
        std::string current_value;

        SubstringGenerator get_return_object() {
            return SubstringGenerator(handle_type::from_promise(*this));
        }

        std::suspend_always initial_suspend() { return {}; }
        std::suspend_always final_suspend() noexcept { return {}; }
        void return_void() {}
        void unhandled_exception() {}

        std::suspend_always yield_value(std::string value) {
            current_value = std::move(value);
            return {};
        }
    };

    SubstringGenerator(handle_type h) : handle(h) {}
    ~SubstringGenerator() {
        if (handle) handle.destroy();
    }

    std::string current_value() {
        return handle.promise().current_value;
    }

    bool move_next() {
        if (handle) {
            handle.resume();
            return !handle.done();
        }
        return false;
    }

private:
    handle_type handle;
};

// コルーチンを使用した文字列処理
SubstringGenerator processStringAsync(const std::string& input) {
    const size_t chunk_size = 5;
    size_t pos = 0;

    while (pos < input.length()) {
        co_yield input.substr(pos, chunk_size);
        pos += chunk_size;
    }
}

// 使用例
void demonstrate_coroutines() {
    std::string text = "Modern C++ Programming with Coroutines";
    auto generator = processStringAsync(text);

    while (generator.move_next()) {
        std::cout << generator.current_value() << std::endl;
    }
}

これらの最新機能を活用することで、より型安全で効率的な文字列処理が実現できます。C++20以降の機能を適切に組み合わせることで、コードの品質と保守性が向上し、より堅牢なアプリケーションの開発が可能になります。