当前位置: 首页>>代码示例 >>用法及示例精选 >>正文


C++ strol()用法及代码示例


C++中的strtol()函数将字符串的内容解释为指定基数的整数,并将其值返回为long int。此函数还设置了一个结束指针,该指针指向字符串的最后一个有效数字字符之后的第一个字符,如果没有这样的字符,则将指针设置为null。此函数在cstdlib头文件中定义。

用法:

long int strtol(const char* str, char** end, int base)

参数:该函数包含三个必需参数,如下所述。


  • str:字符串由整数组成。
  • end:这是对char *类型的对象的引用。 end的值由函数设置为str中最后一个有效数字字符之后的下一个字符。如果不使用此参数,它也可以是空指针。
  • base:它表示确定有效字符及其在字符串中的解释的数字基数(基数)

返回类型:该函数返回两种类型的值,如下所述:

  • 如果发生有效转换,则该函数将转换后的整数返回为long int值。
  • 如果无法执行有效的转换,则返回零值。

以下示例程序旨在说明上述函数。

示例1:

// C++ program to illustrate the 
// strtol() function 
#include <bits/stdc++.h> 
using namespace std; 
  
// Driver code 
int main() 
{ 
    int base = 10; 
    char str[] = "123abc"; 
    char* end; 
    long int num; 
  
    // Function used to convert string 
    num = strtol(str, &end, base); 
  
    cout << "Given  String = " << str << endl; 
    cout << "Number with base 10 in string " << num << endl; 
    cout << "End String points to " << end << endl 
         << endl; 
  
    // in this case the end pointer poijnts to null 
    strcpy(str, "12345"); 
  
    // prints the current string 
    cout << "Given String = " << str << endl; 
  
    // function used 
    num = strtol(str, &end, base); 
  
    // prints the converted integer 
    cout << "Number with base 10 in string " << num << endl; 
    if (*end) { 
        cout << end; 
    } 
    else { 
        cout << "Null pointer"; 
    } 
    return 0; 
}
输出:
Given  String = 123abc
Number with base 10 in string 123
End String points to abc

Given String = 12345
Number with base 10 in string 12345
Null pointer

示例2:

// C++ program to illustrate the 
// strtol() function Program to 
// convert multiple values at different base 
#include <bits/stdc++.h> 
using namespace std; 
  
// Drriver code 
int main() 
{ 
    char str[] = "100 ab 123 1010"; 
    char* end; 
    long int a, b, c, d; 
  
    // base 10 
    a = strtol(str, &end, 10); 
  
    // base 16 
    b = strtol(end, &end, 16); 
  
    // base 8 
    c = strtol(end, &end, 8); 
  
    // base 2 
    d = strtol(end, &end, 2); 
  
    cout << "The decimal equivalents of all numbers are \n"; 
  
    cout << a << endl 
         << b << endl 
         << c << endl 
         << d; 
    return 0; 
}
输出:
The decimal equivalents of all numbers are 
100
171
83
10


相关用法


注:本文由纯净天空筛选整理自Aman Goyal 2大神的英文原创作品 strol() function in C++。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。