在C++中解释与strtol()函数的字符串的内容作为指定的底座的整体数量,并返回它的值作为长int.This也函数设置的端指针指向的第一个字符的最后一个有效数字字符后字符串,如果没有这样的字符,则将指针设置为null。此函数在cstdlib头文件中定义。
句法:
long int strtol(const char* str, char** end, int base)
参数:该函数包含三个必选参数,如下所述。
- str:字符串由整数组成。
- end:这是对char *类型的对象的引用。最终的值由函数的最后一个有效数字字符后str中的下一个字符集。如果不使用此参数,则它也可以是空指针。
- base:代表数字基数(基数),该数字基数确定有效字符及其在字符串的解释
返回类型:函数返回两种类型的值,如下所述:
- 如果发生有效转换,则该函数将转换后的整数返回为long int值。
- 如果无法执行有效的转换,则返回零值。
下面的程序说明了上述函数。
程序1:
// C++ program to illustrate the
// strtol() function
#include
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
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
要从最佳影片策划和实践问题去学习,检查了C++基础课程为基础,以先进的C++和C++ STL课程基础加上STL。要完成从学习语言到DS Algo等的更多准备工作,请参阅“完整面试准备课程” 。