我想用C ++选择字符串的前8个字符。现在我创建一个长度为8个字符的临时字符串,并用另一个字符串的前8个字符填充它。
但是,如果另一个字符串长度不是8个字符,则会留下不需要的空格。
string message = " ";
const char * word = holder.c_str();
for(int i = 0; i<message.length(); i++)
message[i] = word[i];
如果word
为"123456789abc"
,则此代码可正常运行且message
包含"12345678"
。
但是,如果word
更短,"1234"
之类,则消息最终为"1234 "
如何选择字符串的前八个字符,如果短于8个字符,则如何选择整个字符串?
答案 0 :(得分:10)
只需使用std::string::substr
:
std::string str = "123456789abc";
std::string first_eight = str.substr(0, 8);
答案 1 :(得分:6)
只需在字符串上调用resize即可。
答案 2 :(得分:3)
如果我理解正确,那么就写一下
std::string message = holder.substr( 0, 8 );
如果您需要从字符数组中获取字符,那么您可以编写例如
const char *s = "Some string";
std::string message( s, std::min<size_t>( 8, std::strlen( s ) );
答案 3 :(得分:0)
或者你可以使用它:
#include <climits>
cin.ignore(numeric_limits<streamsize>::max(), '\n');
如果最大值为8,它将停在那里。但你必须设置
const char * word = holder.c_str();
到8.我相信你可以通过写
来做到这一点 const int SIZE = 9;
char * word = holder.c_str();
让我知道这是否有效。
如果他们在任何时候都能到达空间,那么它只能读到空间。
答案 4 :(得分:-1)
char* messageBefore = "12345678asdfg"
int length = strlen(messageBefore);
char* messageAfter = new char[length];
for(int index = 0; index < length; index++)
{
char beforeLetter = messageBefore[index];
// 48 is the char code for 0 and
if(beforeLetter >= 48 && beforeLetter <= 57)
{
messageAfter[index] = beforeLetter;
}
else
{
messageAfter[index] = ' ';
}
}
这将创建一个适当大小的字符数组,并在每个数字字符(0-9)上传输,并用空格替换非数字。这听起来像你正在寻找的。 p>
鉴于其他人根据您的问题解释了什么,您可以轻松修改上述方法,为您提供仅包含数字部分的结果字符串。
类似的东西:
int length = strlen(messageBefore);
int numericLength = 0;
while(numericLength < length &&
messageBefore[numericLength] >= 48 &&
messageBefore[numericLength] <= 57)
{
numericLength++;
}
然后在前一个逻辑中使用numericLength
代替length
,您将获得第一批数字字符。
希望这有帮助!