源头:http://www.cnblogs.com/hujunzheng/p/5042068.html
方法一
使用ANSI C 中的sprintf();和sscanf();函数。
格式化符号
%%打印出%符号不进行转换。
%c 整数转成对应的 ASCII 字元。
%d 整数转成十进位。
%f 倍精确度数字转成浮点数。
%o 整数转成八进位。
%s 整数转成字符串。
%x 整数转成小写十六进位。
%X 整数转成大写十六进位。
%n sscanf(str, “%d%n”, &dig, &n),%n表示一共转换了多少位的字符
sprintf函数原型为 int sprintf(char *str, const char *format, …)。作用是格式化字符串
int main(){
char str[256] = { 0 };
int data = 1024;
//将data转换为字符串
sprintf(str,"%d",data);
//获取data的十六进制
sprintf(str,"0x%X",data);
//获取data的八进制
sprintf(str,"0%o",data);
const char *s1 = "Hello";
const char *s2 = "World";
//连接字符串s1和s2
sprintf(str,"%s %s",s1,s2);
cout<<str<return 0;
}
sscanf函数原型为int sscanf(const char *str, const char *format, …)。将参数str的字符串根据参数format字符串来转换并格式化数据,转换后的结果存于对应的参数内
int main(){
char s[15] = "123.432,432";
int n;
double f1;
int f2;
sscanf(s, "%lf,%d%n", &f1, &f2, &n);
cout<" "<" "<return 0;
}
输出为:123.432 432 11, 即一共转换了11位的字符。
方法二
使用itoa(),atoi();函数原型如下
char *_itoa(
int value,
char *str,
int radix
);
int atoi(
const char *str
);
char *_ltoa(
long value,
char *str,
int radix
);
long atol(
const char *str
);
方法三
使用stringstream类
该方法很简便, 缺点是处理大量数据转换速度较慢.C library中的sprintf, sscanf 相对更快
“sstream”库定义了三种类:istringstream、ostringstream和stringstream,分别用来进行流的输入、输出和输入输出操作。
1.stringstream::str(); returns a string object with a copy of the current contents of the stream.
2.stringstream::str (const string& s); sets s as the contents of the stream, discarding any previous contents.
3.stringstream清空,stringstream s; s.str(“”);
4.实现任意类型的转换
template<typename out_type, typename in_value>
out_type convert(const in_value & t){
stringstream stream;
stream << t;//向流中传值
out_type result;//这里存储转换结果
stream >> result;//向result中写入值
return result;
}
使用一个stringstream进行多次格式化时,为了安全需要在中间进行清空
#include
#include
using namespace std;
int test_sstream()
{
stringstream stream;
stream << "12abc";
int n;
stream >> n;//这里的n将保持未初始化时的随机值
cout << n << endl;
stream.str("");
//stream.clear();
stream << "def";
string s;
stream >> s;
cout << s << endl;
return 0;
}
int main()
{
test_sstream();
getchar();
return 0;
}