C++字符串如何转数字(详细举例)

目录

1.  int atoi(const char * str)

2. long int atol(const char * str)

3. long long int atoll(const char * str)

4. double atof(const char * str)


1.  int atoi(const char * str)

        说明:该函数接受一个指向字符串的字符型指针变量,返回值为int类型常量。如果第一个字符是数字的话,函数遵从从前向后的转换顺序,截出相连接的数字字符构成的最大位数的子串;否则如果不能执行有效转换,返回0;

#include 
#include 
using namespace std;
int main()
{
	char *str1 = "123";
	cout << atoi(str1) << endl;//123
	char* str2 = "abc";
	cout << atoi(str2) << endl;//0
	char* str3 = "45 45";
	cout << atoi(str3) << endl;//45
	char* str4 = "45ab";
	cout << atoi(str4) << endl;//45
	return 0;
}

2. long int atol(const char * str)

        说明:该函数接受一个指向字符串的字符型指针变量,返回值为long int类型常量。如果第一个字符是数字的话,函数遵从从前向后的转换顺序,截出相连接的数字字符构成的最大位数的子串;否则如果不能执行有效转换,返回0;

3. long long int atoll(const char * str)

        说明:该函数接受一个指向字符串的字符型指针变量,返回值为long int类型常量。如果第一个字符是数字的话,函数遵从从前向后的转换顺序,截出相连接的数字字符构成的最大位数的子串;否则如果不能执行有效转换,返回0;

4. double atof(const char * str)

        说明:该函数接受一个指向字符串的字符型指针变量,返回值为double类型常量。如果第一个字符是数字的话,函数遵从从前向后的转换顺序,截出相连接的数字字符(可以包含一个或多个小数点,如果小数点在第一位,会自动补0)构成的最大位数的子串;否则如果不能执行有效转换,返回0;

#include 
#include 
using namespace std;
int main()
{
	char *str1 = "123.45";
	cout << atof(str1) << endl;//123.45
	char* str2 = "abc";
	cout << atof(str2) << endl;//0
	char* str3 = "45.1 45";
	cout << atof(str3) << endl;//45.1
	char* str4 = "45.1ab";
	cout << atof(str4) << endl;//45.1
	char* str5 = ".12345";
	cout << atof(str5) << endl;//0.12345
	char* str6 = ".12345.1";
	cout << atof(str6) << endl;//0.12345
	char* str7 = ".12345.1ab";
	cout << atof(str7) << endl;//0.12345
	char* str8 = ".123.45.1";
	cout << atof(str8) << endl;//0.123
	return 0;
}

你可能感兴趣的:(方法总结,算法,c++)