溫馨提示×

如何結(jié)合C++異常處理機制使用strtoul

c++
小樊
86
2024-08-30 02:57:29
欄目: 編程語言

strtoul 函數(shù)是一個 C 語言庫函數(shù),用于將字符串轉(zhuǎn)換為無符號長整數(shù)

以下是一個示例,展示了如何在 C++ 中使用 std::strtoul 和異常處理:

#include<iostream>
#include <cstdlib>
#include <stdexcept>
#include<limits>

unsigned long convertStringToUnsignedLong(const std::string& str) {
    char* end;
    unsigned long result = std::strtoul(str.c_str(), &end, 10);

    if (end == str.c_str()) {
        throw std::invalid_argument("The input string is not a valid number.");
    }

    if (*end != '\0') {
        throw std::invalid_argument("The input string contains invalid characters.");
    }

    if (result == ULONG_MAX && errno == ERANGE) {
        throw std::out_of_range("The input number is out of range for an unsigned long.");
    }

    return result;
}

int main() {
    try {
        std::string input = "12345";
        unsigned long number = convertStringToUnsignedLong(input);
        std::cout << "The converted number is: "<< number<< std::endl;
    } catch (const std::exception& e) {
        std::cerr << "Error: " << e.what()<< std::endl;
    }

    return 0;
}

在這個示例中,我們定義了一個名為 convertStringToUnsignedLong 的函數(shù),該函數(shù)接受一個字符串參數(shù)并返回一個無符號長整數(shù)。我們使用 std::strtoul 來執(zhí)行轉(zhuǎn)換,并根據(jù)轉(zhuǎn)換過程中可能發(fā)生的錯誤情況拋出相應(yīng)的異常。在 main 函數(shù)中,我們使用 try-catch 塊來捕獲并處理可能的異常。

0