C++中int转string
时间: 2023-07-14 16:03:36 浏览: 115
在C++中,可以使用标准库中的`std::to_string()`函数将`int`类型转换为`std::string`类型。以下是一个示例代码:
```cpp
#include <iostream>
#include <string>
int main() {
int number = 123;
std::string str = std::to_string(number);
std::cout << "转换后的字符串:" << str << std::endl;
return 0;
}
```
在上述代码中,`std::to_string()`函数接受一个`int`类型的参数,并返回一个对应的`std::string`类型对象。您可以将需要转换的整数作为参数传递给该函数,并将返回值赋值给一个`std::string`对象。然后,您可以使用该字符串对象进行进一步的处理或输出。
执行上述代码后,输出将是:
```
转换后的字符串:123
```
这样,您就成功将`int`类型转换为`std::string`类型了。
相关问题
c++ 11 int转string
在C++11中,可以使用std::to_string函数将int类型转换为string类型。例如:
```c++
int num = 123;
std::string str = std::to_string(num);
```
这将把整数123转换为字符串"123"。需要注意的是,std::to_string函数只能用于内置类型,如果要将自定义类型转换为字符串,需要重载<<运算符或者使用boost库中的lexical_cast函数。
c++11 int转string
两种将int类型转换为string类型的方法如下:
1. 使用C++11标准引入的std::to_string()函数。
```c++
#include <iostream>
#include <string>
int main() {
int num = 12345;
std::string str = std::to_string(num);
std::cout << str << std::endl; // 输出:12345
return 0;
}
```
2. 使用stringstream类。
```c++
#include <iostream>
#include <sstream>
int main() {
int num = 12345;
std::stringstream ss;
ss << num;
std::string str = ss.str();
std::cout << str << std::endl; // 输出:12345
return 0;
}
```
阅读全文