枫林在线论坛精华区>>程序设计
[52131] 主题: 字符串:怎样将数字类型转换为字符串(翻译 ……
作者: leaflet (Leaf)
标题: 字符串:怎样将数字类型转换为字符串(翻译 ……[转载]
来自: 218.80.*.*
发贴时间: 2003年04月26日 12:53:42
长度: 1910字

标题     字符串:怎样将数字类型转换为字符串    bugfree(翻译) 

  
关键字     Data Convert 
  
出处     http://www.codeguru.com/forum/showthread.php?s=&thr
eadid=231056 
  


字符串:怎样将数字类型转换为字符串

老的C方法(不赞成)

代码:
----------------------------------------------------------------
----------------
   char *c[10];  // 完全足够大-不要忘了为'/0'预留额外的字节
   int i = 1234;
   sprintf(c, "%d", i);
----------------------------------------------------------------
----------------

更多的信息参见MSDN中的sprintf()


利用CString

代码:
----------------------------------------------------------------
----------------
   int i = 1234;
   CString cs;
   cs.Format("%d", i);
----------------------------------------------------------------
----------------

这个格式描述符同sprintf()中的一样,参见MSDN中的CString文档--它
相当的直接。

一句警告: 格式描述符 ("%d")和实际传递的参数的不匹配将
导致不能预期的结果, 这对sprintf()和CString::Format()两者都一样。


C++ 方法:

如下的例子展示了利用标准C++类的来完成这个任务的模板函数

代码:
----------------------------------------------------------------
----------------
#include <string>
#include <sstream>
#include <iostream>

template <class T>
std::string to_string(T t, std::ios_base & (*f)(std::ios_bas
e&))
{
   std::ostringstream oss;
   oss << f << t;
   return oss.str();
}

int main()
{
   // to_string()的第二个参数应为如下中的一个
   // std::hex, std::dec 或 std::oct
   std::cout<<to_string<long>(123456, std::hex)<&
lt;std::endl;
   std::cout<<to_string<long>(123456, std::oct)<&
lt;std::endl;
   return 0;


/* 输出:
1e240
361100
*/
----------------------------------------------------------------
----------------

这个方法不仅仅非常别致, 而且也是类型安全的, 因为编译器在编译时
会根据操作数的类型将挑选适当的std::ostringstream ::operator <
<()。
 
 
~~~~~~~~~~~~~~~~~~~~
※作者已于 2003-04-26 13:05:43 修改本文※

~~~~~~~~~~~~~~~~~~~~

========== * * * * * ==========
返回