欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

C++实现将长整型数转换为字符串的示例代码

程序员文章站 2022-10-02 18:57:13
c++实现将长整型数转换为字符串/* * created by chimomo */#include using namespace std; char *conve...

c++实现将长整型数转换为字符串

/*
 * created by chimomo
 */
#include <iostream>
 
using namespace std;
 
char *convertlongtostr(long l) {
    int i = 1;
    int n = 1;
    while (!(l / i < 10)) {
        i *= 10;
        ++n;
    }
 
    char *str = (char *) malloc(n * sizeof(char));
    int j = 0;
    while (l) {
        str[j++] = (char) ((int) (l / i) + (int) '0');
        l = l % i;
        i /= 10;
    }
 
    // a significant line to denote the end of string.
    str[n] = '\0';
 
    return str;
}
 
int main() {
    long l = 123456789;
    char *str = convertlongtostr(l);
    cout << str << endl;
}
 
// output:
/*
123456789
*/

c++将一个整型数字转化成为字符串

思路:

  • 利用char类型对于整数的隐式转换,可以直接将整数加48(0的ascii)赋值给char类型参数,转化成字符
  • 利用string类型对+运算符的重载,借用一个string参数储存每次递归返回值
  • 为了防止输出的字符串顺序颠倒,将string+=temp;语句放在调用递归语句的后面,然后再返回string参数

代码如下:

//转化函数
string transfer_num(int num){
 char temp=num%10+48;
 string m_temp="";
 if(num>=10)
  m_temp+=transfer_num(num/10);
 m_temp+=temp;
 return m_temp;
} 

int main(){
 int a=4876867;
 string temp=transfer_num(a);
 cout<<temp;
 return 0;
} 

到此这篇关于c++实现将长整型数转换为字符串的示例代码的文章就介绍到这了,更多相关c++ 长整型数转换为字符串内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!