【保存版】C++assertで実現する柔軟なコード設計と効率的なデバッグ 〜現場で使える7つの実践テクニック〜

C++assertとは?エラー検出の強力な味方

assertの基本的な仕組みと動作原理を理解する

C++のassertは、プログラム内で想定される条件が満たされているかを検証する強力なデバッグツールです。<cassert>ヘッダーで提供されるこのマクロは、条件式が偽の場合にプログラムを即座に終了させ、問題の箇所を開発者に通知します。

基本的な使用方法は以下の通りです:

#include <cassert>
#include <vector>

void processData(const std::vector<int>& data) {
    // データが空でないことを確認
    assert(!data.empty());  // データが空の場合、ここでプログラムが停止

    // 処理を続行...
}

assertが発生すると、以下の情報が提供されます:

  • ファイル名
  • 行番号
  • 失敗した条件式
  • カスタムメッセージ(実装によって異なる)

assertの主な特徴:

  • デバッグビルドでのみ有効
  • 実行時のエラー検出
  • ゼロオーバーヘッド抽象化(リリースビルドで完全に除去可能)

NDEBUGマクロとassertの関係性を認識する

NDEBUGマクロは、assertの動作を制御する重要な要素です。このマクロが定義されているかどうかによって、assertの振る舞いが大きく変わります:

#include <cassert>

void example() {
    int x = -1;

    #ifdef NDEBUG
    // リリースビルド:assertは無効化される
    #else
    // デバッグビルド:assertが有効
    assert(x >= 0);  // この条件が偽のため、プログラムが停止
    #endif
}

assertとNDEBUGの関係について重要なポイント:

  1. コンパイル時の動作
  • NDEBUGが定義されている場合:すべてのassertが無効化
  • NDEBUGが未定義の場合:assertが通常通り機能
  1. パフォーマンスへの影響
   void performanceExample(int* ptr) {
       // リリースビルドでは、この関数呼び出しは完全に除去される
       assert(ptr != nullptr);

       // 実際の処理
       *ptr = 42;
   }
  1. デバッグとリリースの切り替え
  • デバッグビルド:詳細なエラーチェック
  • リリースビルド:最適化されたコード

実践的なassertの使用例:

#include <cassert>
#include <vector>
#include <string>

class UserManager {
public:
    void addUser(const std::string& username) {
        // 事前条件の検証
        assert(!username.empty());  // ユーザー名が空でないことを確認
        assert(users_.size() < MAX_USERS);  // ユーザー数の上限チェック

        users_.push_back(username);

        // 事後条件の検証
        assert(users_.back() == username);  // 追加が正しく行われたことを確認
    }

private:
    static const size_t MAX_USERS = 1000;
    std::vector<std::string> users_;
};

このように、assertは開発中のエラー検出とデバッグに非常に有用なツールとなります。次のセクションでは、assertを使用する具体的なメリットについて詳しく見ていきます。

assert を使用する意義とメリット

バグの早期発見でデバッグ工数を大幅にカット

assertを効果的に活用することで、開発プロセスにおける様々な問題を早期に発見し、修正することができます。以下に具体的な例を示します:

class ImageProcessor {
public:
    void processImage(const uint8_t* imageData, size_t width, size_t height) {
        // 入力データの妥当性チェック
        assert(imageData != nullptr);
        assert(width > 0 && height > 0);
        assert(width <= MAX_IMAGE_WIDTH && height <= MAX_IMAGE_HEIGHT);

        // これらのassertによって、以下の問題を早期に発見できます:
        // - nullポインタの誤った渡し方
        // - 不正なイメージサイズ
        // - 境界値の問題

        // 画像処理の実装...
    }

private:
    static const size_t MAX_IMAGE_WIDTH = 8192;
    static const size_t MAX_IMAGE_HEIGHT = 8192;
};

assertによるバグ早期発見のメリット:

  1. デバッグ時間の短縮
  • 問題の発生箇所を即座に特定
  • スタックトレースで呼び出し履歴を確認可能
  1. 開発効率の向上
  • 問題の早期発見により、修正コストを低減
  • 関連バグの連鎖的な発生を防止

実行時チェックで予期せぬ動作を防ぐ

assertを使用することで、実行時の予期せぬ動作を効果的に防ぐことができます:

class MemoryPool {
public:
    void* allocate(size_t size) {
        assert(size > 0);  // サイズの妥当性チェック
        assert(currentSize_ + size <= maxSize_);  // メモリプール容量チェック

        void* ptr = internalAllocate(size);
        assert(ptr != nullptr);  // アロケーション成功の確認

        currentSize_ += size;
        return ptr;
    }

    void deallocate(void* ptr, size_t size) {
        assert(ptr != nullptr);  // 無効なポインタチェック
        assert(currentSize_ >= size);  // サイズの整合性チェック

        internalDeallocate(ptr);
        currentSize_ -= size;
    }

private:
    size_t currentSize_ = 0;
    const size_t maxSize_ = 1024 * 1024;  // 1MB

    void* internalAllocate(size_t size) {
        // 実際のアロケーション処理
        return malloc(size);
    }

    void internalDeallocate(void* ptr) {
        free(ptr);
    }
};

実行時チェックによる主なメリット:

  1. 安全性の向上
  • メモリ関連の問題を早期検出
  • 不正な値や状態の伝播を防止
  • 境界条件での異常動作を防止
  1. コードの品質向上
  • 想定外の使用方法を防止
  • API使用条件の明確化
  • 実装の意図を明示的に表現
  1. 保守性の向上
  • コードの前提条件を明確化
  • 将来の機能追加・変更時の安全性確保
  • リファクタリング時の動作保証

assertの使用は、開発プロセス全体を通じて以下のような定量的なメリットをもたらします:

メリット項目期待される効果
バグ修正時間平均30-50%削減
コード品質重大バグの発生率70%減
開発効率デバッグ時間40%削減
保守性コード理解時間25%短縮

これらのメリットを最大限活用するためには、次のセクションで説明する実践的な活用法を適切に適用することが重要です。

現場で使えるassertの実践的な活用法

ポインタのNull検証で安全性を確保する

ポインタのNull検証は、assertの最も基本的かつ重要な使用法の一つです。以下に、実践的な実装例を示します:

class DocumentManager {
public:
    void saveDocument(Document* doc, const std::string& path) {
        // 基本的なNullチェック
        assert(doc != nullptr && "Document pointer cannot be null");

        // 複合的な条件チェック
        assert(doc->isInitialized() && "Document must be initialized");
        assert(!path.empty() && "Save path cannot be empty");

        // ネストされたポインタのチェック
        assert(doc->getContent() != nullptr && "Document content cannot be null");

        // 実際の保存処理...
    }

    std::unique_ptr<Document> loadDocument(const std::string& path) {
        auto doc = std::make_unique<Document>();
        assert(doc && "Document allocation failed");

        // 読み込み処理...
        return doc;
    }
};

関数の事前条件・事後条件を明確にする

関数の契約プログラミングを実現する上で、assertは非常に有用です:

class BankAccount {
public:
    void withdraw(double amount) {
        // 事前条件
        assert(amount > 0 && "Withdrawal amount must be positive");
        assert(balance_ >= amount && "Insufficient funds");

        balance_ -= amount;

        // 事後条件
        assert(balance_ >= 0 && "Balance cannot be negative");
        assert(previousBalance_ - amount == balance_ && "Balance calculation error");
    }

    void deposit(double amount) {
        // 事前条件
        assert(amount > 0 && "Deposit amount must be positive");
        assert(amount <= MAX_DEPOSIT && "Deposit exceeds maximum limit");

        previousBalance_ = balance_;
        balance_ += amount;

        // 事後条件
        assert(balance_ == previousBalance_ + amount && "Deposit calculation error");
    }

private:
    static const double MAX_DEPOSIT = 1000000.0;
    double balance_ = 0.0;
    double previousBalance_ = 0.0;
};

配列境界チェックで意図的でないアクセスを防ぐ

配列やコンテナの操作時の境界チェックは、バッファオーバーフローなどの重大な問題を防ぐ上で重要です:

template<typename T>
class SafeArray {
public:
    SafeArray(size_t size) : data_(size) {
        assert(size > 0 && "Array size must be positive");
    }

    T& at(size_t index) {
        // 境界チェック
        assert(index < data_.size() && "Index out of bounds");
        return data_[index];
    }

    void resize(size_t newSize) {
        // サイズ変更の妥当性チェック
        assert(newSize > 0 && "New size must be positive");
        assert(newSize <= MAX_SIZE && "Size exceeds maximum limit");

        data_.resize(newSize);

        // 事後条件
        assert(data_.size() == newSize && "Resize operation failed");
    }

    void fill(const T& value) {
        for (size_t i = 0; i < data_.size(); ++i) {
            data_[i] = value;
            // 要素単位の整合性チェック
            assert(data_[i] == value && "Fill operation failed");
        }
    }

private:
    static const size_t MAX_SIZE = 1000000;
    std::vector<T> data_;
};

実践的な活用のポイント:

  1. 段階的な検証
  • 基本的な前提条件から検証
  • 複雑な条件は段階的に確認
  • エラーメッセージは具体的に
  1. 状態の一貫性確保
   void processTransaction(Transaction* tx) {
       assert(tx != nullptr);
       assert(tx->isValid());

       auto initialState = tx->getState();
       tx->process();

       // 状態遷移の検証
       assert(tx->getState() != initialState && "Transaction state must change");
       assert(tx->isCompleted() && "Transaction must complete");
   }
  1. 複合条件の検証
   void validateData(const std::vector<DataPoint>& data) {
       assert(!data.empty() && "Data cannot be empty");

       // データの整合性チェック
       for (const auto& point : data) {
           assert(point.isValid() && 
                  point.timestamp > 0 &&
                  point.value >= MIN_VALUE &&
                  "Invalid data point");
       }
   }

これらの実践的な活用法を適切に組み合わせることで、より堅牢なコードを作成することができます。次のセクションでは、assertを使用する際の注意点とアンチパターンについて説明します。

assertのアンチパターンと注意点

assertは強力なデバッグツールですが、適切に使用しないとかえって問題を引き起こす可能性があります。ここでは、assertの使用における主要なアンチパターンと注意点について解説します。

副作用を含むassertは避けるべき理由

assertの最も危険なアンチパターンの1つは、副作用を持つ式を使用することです。以下に問題のある例を示します:

// 悪い例:副作用を含むassert
assert(++counter > 0);  // counterの値が変更される
assert(ptr->initialize());  // オブジェクトの状態が変更される

これらのassertが問題である理由:

  1. NDEBUGマクロが定義されている場合、assert文は完全に除去されます
  2. その結果、リリースビルドとデバッグビルドで異なる動作をする可能性があります
  3. コードの意図が不明確になり、保守性が低下します

代わりに、以下のように書くべきです:

// 良い例:副作用のない検証
++counter;
assert(counter > 0);

bool initialized = ptr->initialize();
assert(initialized);

パフォーマンスへの影響を考慮した使用方法

assertの過剰な使用は、特にデバッグビルドでのパフォーマンスに大きな影響を与える可能性があります。

以下のような状況に注意が必要です:

  1. ループ内でのassert
// 問題のある例:ループ内での過剰なassert
for (size_t i = 0; i < largeArray.size(); ++i) {
    assert(largeArray[i] >= 0);  // 毎回の検証は高コスト
    process(largeArray[i]);
}

// 改善例:重要なポイントでのみ検証
assert(largeArray.size() > 0);  // 前提条件の検証
for (const auto& value : largeArray) {
    process(value);
}
  1. 計算コストの高い式
// 問題のある例:重い計算を含むassert
assert(calculateComplexValue() == expectedValue);  // 計算コストが高い

// 改善例:必要な値を事前に計算
auto actualValue = calculateComplexValue();
assert(actualValue == expectedValue);
process(actualValue);  // 計算結果を再利用

パフォーマンスを考慮したassertの使用指針:

  • クリティカルパスでのassertは最小限に抑える
  • 開発初期段階では積極的に使用し、安定後は重要なポイントのみに絞る
  • 複雑な検証が必要な場合は、DEBUGマクロを使用して制御する
#ifdef DEBUG
    // 開発時のみ実行される詳細な検証
    assert(complexValidation());
#endif

これらの注意点を意識することで、assertを効果的に活用しながら、保守性とパフォーマンスのバランスの取れたコードを書くことができます。

カスタムassert関数の実装とベストプラクティス

標準のassertマクロは基本的な機能を提供しますが、より詳細なデバッグ情報や、プロジェクト固有の要件に対応するために、カスタムassert関数を実装することが有効です。

詳細なエラー情報を提供するassert関数の作成

以下に、詳細なエラー情報を提供するカスタムassert関数の実装例を示します:

#include <iostream>
#include <sstream>
#include <string>
#include <source_location>

// カスタムアサート用の例外クラス
class AssertionFailedException : public std::runtime_error {
public:
    explicit AssertionFailedException(const std::string& message)
        : std::runtime_error(message) {}
};

// 詳細な情報を提供するカスタムアサート関数
template<typename T>
void custom_assert(
    T condition,
    const char* expression,
    const std::string& message = "",
    const std::source_location& location = std::source_location::current()
) {
    if (!condition) {
        std::ostringstream oss;
        oss << "Assertion failed: " << expression << "\n"
            << "File: " << location.file_name() << "\n"
            << "Line: " << location.line() << "\n"
            << "Function: " << location.function_name() << "\n";

        if (!message.empty()) {
            oss << "Message: " << message << "\n";
        }

        #ifdef DEBUG
            // デバッグビルドではスタックトレースを出力
            oss << "Stack trace:\n";
            // スタックトレース出力の実装(プラットフォーム依存)
        #endif

        throw AssertionFailedException(oss.str());
    }
}

// マクロ定義(リリースビルドでの無効化に対応)
#ifdef NDEBUG
    #define CUSTOM_ASSERT(condition, message) ((void)0)
#else
    #define CUSTOM_ASSERT(condition, message) \
        custom_assert(condition, #condition, message)
#endif

使用例:

void processData(std::vector<int>& data) {
    CUSTOM_ASSERT(!data.empty(), "Input data vector must not be empty");
    CUSTOM_ASSERT(data.size() <= 1000, "Data size exceeds maximum limit");

    // データ処理の実装
}

プロジェクトに最適化されたassert関数の設計

プロジェクト固有の要件に応じて、以下のような機能を追加することができます:

  1. ログレベルに応じた出力制御
enum class AssertLogLevel {
    ERROR,
    WARNING,
    INFO
};

template<typename T>
void custom_assert_with_level(
    T condition,
    AssertLogLevel level,
    const char* expression,
    const std::string& message
) {
    if (!condition) {
        std::ostringstream oss;
        oss << "[" << to_string(level) << "] ";
        // 以下、エラー情報の構築

        switch (level) {
            case AssertLogLevel::ERROR:
                throw AssertionFailedException(oss.str());
            case AssertLogLevel::WARNING:
                std::cerr << oss.str() << std::endl;
                break;
            case AssertLogLevel::INFO:
                std::cout << oss.str() << std::endl;
                break;
        }
    }
}
  1. カスタムエラーハンドリング
class AssertHandler {
public:
    virtual void handleAssertionFailure(
        const std::string& message,
        const std::source_location& location
    ) = 0;
    virtual ~AssertHandler() = default;
};

// プロジェクト固有のハンドラー実装
class CustomAssertHandler : public AssertHandler {
public:
    void handleAssertionFailure(
        const std::string& message,
        const std::source_location& location
    ) override {
        // エラーログの記録
        logError(message, location);

        // 開発者への通知
        notifyDevelopers(message);

        // エラーメトリクスの更新
        updateErrorMetrics(location);
    }
private:
    // 実装メソッド
};

実装における重要なポイント:

  1. パフォーマンスへの配慮
  • 条件チェックは最小限に抑える
  • デバッグ情報の収集は条件が失敗した場合のみ行う
  1. エラー情報の品質
  • ファイル名、行番号、関数名は必須
  • エラーメッセージは具体的で行動可能な情報を含める
  • スタックトレースはデバッグビルドでのみ収集
  1. 拡張性への考慮
  • ハンドラーパターンを使用して柔軟な拡張を可能に
  • ログレベルや出力形式をカスタマイズ可能に

これらのカスタムassert関数を使用することで、デバッグ効率の向上とコード品質の改善を図ることができます。

実践的なデバッグテクニック

assertを効果的に活用したデバッグ手法について、具体的な実装例を交えながら解説します。

assertとデバッガーを組み合わせた効率的なデバッグ手法

デバッガーとassertを連携させることで、問題の早期発見と原因特定を効率化できます。

#include <iostream>
#include <vector>
#include <debugapi.h>  // Windows環境の場合

template<typename T>
void debug_assert(bool condition, const char* message, const T& debugInfo) {
    if (!condition) {
        // デバッガーが接続されているか確認
        #ifdef _WIN32
        if (IsDebuggerPresent()) {
            // ブレークポイントをトリガー
            __debugbreak();
        }
        #else
        if (std::getenv("DEBUG")) {
            raise(SIGTRAP);
        }
        #endif

        // デバッグ情報の出力
        std::cerr << "Assert failed: " << message << "\n";
        std::cerr << "Debug info: " << debugInfo << "\n";
    }
}

// デバッグ情報を構造化するためのヘルパークラス
class DebugContext {
public:
    template<typename T>
    void addValue(const std::string& name, const T& value) {
        std::ostringstream oss;
        oss << value;
        values_[name] = oss.str();
    }

    std::string toString() const {
        std::ostringstream oss;
        for (const auto& [name, value] : values_) {
            oss << name << ": " << value << "\n";
        }
        return oss.str();
    }

private:
    std::map<std::string, std::string> values_;
};

// 使用例
void processVector(const std::vector<int>& data) {
    DebugContext ctx;
    ctx.addValue("vector_size", data.size());
    ctx.addValue("processing_time", getCurrentTime());

    debug_assert(!data.empty(), "Vector must not be empty", ctx.toString());
}

ログ出力と連携したエラー追跡の実装

ログシステムとassertを統合することで、問題の追跡と分析を容易にします。

#include <spdlog/spdlog.h>
#include <spdlog/sinks/rotating_file_sink.h>

class AssertLogger {
public:
    static void initialize() {
        auto rotating_sink = std::make_shared<spdlog::sinks::rotating_file_sink_mt>(
            "assert_log.txt",    // ログファイル名
            1024 * 1024 * 5,    // 最大ファイルサイズ(5MB)
            3                    // 保持するファイル数
        );

        logger_ = std::make_shared<spdlog::logger>("assert_logger", rotating_sink);
        logger_->set_level(spdlog::level::debug);
        logger_->flush_on(spdlog::level::debug);
    }

    template<typename... Args>
    static void logAssertFailure(
        const char* expression,
        const std::source_location& location,
        spdlog::format_string_t<Args...> fmt,
        Args&&... args
    ) {
        if (!logger_) {
            initialize();
        }

        logger_->error("Assert failed: {}", expression);
        logger_->error("Location: {}:{} in {}", 
            location.file_name(),
            location.line(),
            location.function_name()
        );
        logger_->error(fmt, std::forward<Args>(args)...);
        logger_->flush();
    }

private:
    static std::shared_ptr<spdlog::logger> logger_;
};

// ログ出力機能付きassert
#define LOG_ASSERT(condition, ...) \
    do { \
        if (!(condition)) { \
            AssertLogger::logAssertFailure(#condition, \
                std::source_location::current(), \
                __VA_ARGS__); \
            assert(condition); \
        } \
    } while (0)

// 使用例
void validateData(const std::vector<double>& values, double threshold) {
    LOG_ASSERT(!values.empty(), "Empty data set provided");

    for (size_t i = 0; i < values.size(); ++i) {
        LOG_ASSERT(values[i] >= 0.0,
            "Negative value detected at index {}: {}", 
            i, values[i]);

        LOG_ASSERT(values[i] <= threshold,
            "Value exceeds threshold at index {}: {} > {}", 
            i, values[i], threshold);
    }
}

デバッグ効率を向上させるためのベストプラクティス:

  1. デバッグ情報の階層化
  • 基本情報(ファイル名、行番号など)
  • コンテキスト情報(変数値、状態など)
  • 詳細情報(スタックトレース、メモリ状態など)
  1. エラー追跡の自動化
  • ログローテーション
  • エラーパターンの分析
  • 重要度に基づく通知
  1. パフォーマンスへの配慮
  • 条件付きコンパイル
  • ログバッファリング
  • 非同期ログ出力

これらのテクニックを組み合わせることで、効率的なデバッグ環境を構築できます。

assertを活用したテスト駆動開発

テスト駆動開発(TDD)においてassertは重要な役割を果たします。適切なassertの使用により、コードの品質向上とテストの信頼性を確保することができます。

単体テストでassertを効果的に使用する

GoogleTestなどのテストフレームワークと組み合わせたassertの活用例を示します:

#include <gtest/gtest.h>
#include <vector>
#include <stdexcept>

// テスト対象のクラス
class DataProcessor {
public:
    static std::vector<int> filterPositiveNumbers(const std::vector<int>& input) {
        assert(!input.empty() && "Input vector must not be empty");

        std::vector<int> result;
        for (const auto& num : input) {
            if (num > 0) {
                result.push_back(num);
            }
        }
        return result;
    }

    static double calculateAverage(const std::vector<int>& numbers) {
        assert(!numbers.empty() && "Cannot calculate average of empty vector");

        double sum = 0.0;
        for (const auto& num : numbers) {
            sum += num;
        }
        return sum / numbers.size();
    }
};

// テストケース
class DataProcessorTest : public ::testing::Test {
protected:
    std::vector<int> testData;

    void SetUp() override {
        testData = {-2, 1, 3, -4, 5, 7};
    }
};

TEST_F(DataProcessorTest, FilterPositiveNumbers) {
    // 正常系テスト
    auto result = DataProcessor::filterPositiveNumbers(testData);
    ASSERT_EQ(result.size(), 4);
    ASSERT_TRUE(std::all_of(result.begin(), result.end(), 
        [](int n) { return n > 0; }));

    // エッジケース:空のベクター
    std::vector<int> emptyVector;
    ASSERT_DEATH(DataProcessor::filterPositiveNumbers(emptyVector),
        "Input vector must not be empty");
}

TEST_F(DataProcessorTest, CalculateAverage) {
    // 正常系テスト
    std::vector<int> positiveNumbers = {1, 2, 3, 4, 5};
    ASSERT_DOUBLE_EQ(DataProcessor::calculateAverage(positiveNumbers), 3.0);

    // エッジケース:空のベクター
    std::vector<int> emptyVector;
    ASSERT_DEATH(DataProcessor::calculateAverage(emptyVector),
        "Cannot calculate average of empty vector");
}

契約による設計とassertの相乗効果を活かす

契約による設計(Design by Contract)の原則とassertを組み合わせることで、より堅牢なコードを実現できます:

template<typename T>
class ContractEnforcer {
public:
    // 事前条件チェック
    static void require(bool condition, const char* message) {
        assert(condition && message);
    }

    // 事後条件チェック
    static void ensure(bool condition, const char* message) {
        assert(condition && message);
    }

    // 不変条件チェック
    static void invariant(bool condition, const char* message) {
        assert(condition && message);
    }
};

class BankAccount {
private:
    double balance_;
    static constexpr double MIN_BALANCE = 0.0;

public:
    BankAccount(double initialBalance) : balance_(initialBalance) {
        ContractEnforcer<BankAccount>::require(
            initialBalance >= MIN_BALANCE,
            "Initial balance must be non-negative"
        );
    }

    void deposit(double amount) {
        ContractEnforcer<BankAccount>::require(
            amount > 0.0,
            "Deposit amount must be positive"
        );

        double oldBalance = balance_;
        balance_ += amount;

        ContractEnforcer<BankAccount>::ensure(
            balance_ == oldBalance + amount,
            "Balance must increase by deposit amount"
        );
    }

    void withdraw(double amount) {
        ContractEnforcer<BankAccount>::require(
            amount > 0.0,
            "Withdrawal amount must be positive"
        );
        ContractEnforcer<BankAccount>::require(
            balance_ >= amount,
            "Insufficient funds"
        );

        double oldBalance = balance_;
        balance_ -= amount;

        ContractEnforcer<BankAccount>::ensure(
            balance_ == oldBalance - amount,
            "Balance must decrease by withdrawal amount"
        );
        ContractEnforcer<BankAccount>::invariant(
            balance_ >= MIN_BALANCE,
            "Balance must never be negative"
        );
    }
};

TDDにおけるassert活用のベストプラクティス:

  1. テストの可読性
  • 明確なエラーメッセージ
  • テストケースの意図が分かる命名
  • 適切な粒度でのテスト分割
  1. テストの信頼性
  • エッジケースのカバー
  • 境界値のテスト
  • 異常系のテスト
  1. テストの保守性
  • テストコードの重複排除
  • テストフィクスチャの適切な利用
  • テストヘルパー関数の活用

これらの実践により、assertを活用した効果的なTDDの実現が可能となります。