C++中无法使用gets来获取一整行,因为在C11标准中已被正式删除,此时需要操作 getline()
来实现输入(包含头文件#include )
#include
int main()
{
string st;
getline(cin,st);
cout<<st<<endl;
return 0;
}
头文件:string.h
#include
using namespace std;
int main()
{
int num=123;
string str=to_string(num);
cout<<str<<endl;
//输出结果为 123
return 0;
}
ps:此方法仅在力扣有效,cb与dev都报错,可以改为
int a = 23;
stringstream ss;
ss << a;
string s1 = ss.str();
头文件:cstdlib
#include
using namespace std;
int main()
{
int num=0;
string str="123";
num=stoi(str);
cout<<num<<endl;
return 0;
}
ps:此方法仅在力扣有效,cb与dev都报错,可以改为
#include
using namespace std;
int main()
{
std::string s = "152";
std::stringstream ss;
//方法一:
int num1 = std::atoi( s.c_str() );
cout<<num1<<endl;
//方法二:
int num2;
ss<<s;
ss>>num2;
cout<<num2<<endl;
return 0;
}
//s为string
while(s[0]=='0'){
s.erase(0);
}
将base中所有src替换为dst
//替换空格,(-2)->(0-2),(+4)->(0+4) 因为c++没有replaceAll,只能自己手写
string replace(string& base, string src, string dst) {
int pos = 0, srclen = src.size(), dstlen = dst.size();
while ((pos = base.find(src, pos)) != string::npos) {
base.replace(pos, srclen, dst);
pos += dstlen;
}
return base;
}
用str替换指定字符串从起始位置pos开始长度为len的字符
#include
#include
using namespace std;
int main()
{
string str = "he is@ a@ good boy";
str=str.replace(str.find("a"),2,"#"); //从第一个a位置开始的两个字符替换成#
cout<<str<<endl;
//结果:he is@ # good boy
return 0;
}
用str替换 迭代器起始位置 和 结束位置 的字符
#include
#include
using namespace std;
int main()
{
string str = "he is@ a@ good boy";
str=str.replace(str.begin(),str.begin()+5,"#"); //用#替换从begin位置开始的5个字符
cout<<str<<endl;
//结果:#@ a@ good boy
return 0;
}
用substr的指定子串(给定起始位置和长度)替换从指定位置上的字符串
#include
#include
using namespace std;
int main()
{
string str = "he is@ a@ good boy";
string substr = "12345";
str=str.replace(0,5,substr,substr.find("1"),4); //用substr的指定字符串替换str指定字符串
cout << str << endl;
//结果:1234@ a@ good boy
return 0;
}
string s1 = "Hello ";
string s2 = "World!";
s1.append(s2);
cout << s1 << endl;
//结果:Hello World!
string s3 = "Hello ";
string s4 = "Hello World!";
//从s4的第六位(0位开始数)开始的连续5位--World,即s3+"World"
s3.append(s4,6,5);
cout << s3 << endl;
//结果:Hello World
string s5 = "Hello ";
//将10个A拼接到字符串s5的后面
s5.append(10,'A');
cout << s5 << endl;
//结果:Hello AAAAAAAAAA
string s6 = s1 + s2;
cout << s6 <<endl;
//结果:Hello World!World!