我正在为学校设计一个命运之轮,并且遇到了指针问题。
这是我程序上的问题,(cmd输出):
terminate called after throwing an instance of 'std::out_of_range'
what(): basic_string::compare: __pos (which is 1) > this->size() (which is 0)
This application has requested the Runtime to terminate it in an unusual way.
Please contact the application's support team for more information.
该游戏的设计类似于运气游戏。首先,我要做的是过滤掉“ rlstne”字母。无需使用指针即可工作,但我必须使用指针。这是我的完整程序:
#include <iostream>
#include <stdio.h>
#include <string.h>
#include <ctype.h>
#include <cctype>
#include <time.h>
#include <Windows.h>
int main(){
std::string original_string = "THIS LINE IS THE GAME";
std::string str1;
std::string str2 = "RLSTNE";
int y = 0;
bool restart = true;
std::string* arr_temp = new std::string[100];
std::string* arr_temp1 = new std::string[100];
*arr_temp1 = str1;
*arr_temp = str2;
do{
std::cout << "What string?" << std::endl;
getline(std::cin, str1);
std::cout << str1.length() << std::endl;
for(int x = 0; x < str1.length(); x++){
if((arr_temp->compare(0,1, *arr_temp1, x, 1)) == 0){
str1[x] = '_';
}
if((arr_temp->compare(1,1, *arr_temp1, x, 1)) == 0){
str1[x] = '_';
}
if((arr_temp->compare(2,1, *arr_temp1, x, 1)) == 0){
str1[x] = '_';
}
if((arr_temp->compare(3,1, *arr_temp1, x, 1)) == 0){
str1[x] = '_';
}
if((arr_temp->compare(4,1, *arr_temp1, x, 1)) == 0){
str1[x] = '_';
}
if((arr_temp->compare(5,1, *arr_temp1, x, 1)) == 0){
str1[x] = '_';
}
}
*arr_temp1 = str1;
std::cout << *arr_temp1 <<std::endl;
Sleep(1000);
}while(restart);
}
我认为这是我的程序出错的地方:
std::string str1;
std::string str2 = "RLSTNE";
str1没有初始化为任何值,因此编译器将其视为0长度,但是我尝试将其初始化为其他值。如original_string的字符串值。
这是代码:
std::string str1 = "THIS LINE IS THE GAME";
std::string str2 = "RLSTNE";
这是输出:
What string?
THIS LINE IS THE GAME
21
_HI_ _I__ I_ _H_ GAM_
但是当我尝试添加的值大于原始值21时,出现此问题:
What string?
THIS LINE IS THE GAMEEEE
24
terminate called after throwing an instance of 'std::out_of_range'
what(): basic_string::compare: __pos (which is 22) > this->size() (which is 21)
所以我的问题是:编译器输出什么?什么是22,什么是21?这个->大小是什么意思? __pos是什么意思?
谢谢。
答案 0 :(得分:3)
std::string* arr_temp = new std::string[100];
std::string* arr_temp1 = new std::string[100];
每个都是指向100个字符串数组的指针。另外,由于使用new
,因此需要在代码中的某个地方放置delete
,否则会发生内存泄漏。但是您似乎不需要动态内存。因此固定版本为
std::string* arr_temp;
std::string* arr_temp1;
您可以使用嵌套循环简化大的for循环,但这并不是这里的重点。至于您的错误-异常std::out_of_range
表示您超出了数组的限制。导致它的代码如下:
std::string str1 = "THIS LINE IS THE GAME"; //makes a new string
*arr_temp1 = str1; //dereferences arr_temp1 and sets arr_temp1[0] to whatever str1 currently is
因此,您设置了arr_temp1[0] = "THIS LINE IS THE GAME"
(长度为21)。然后设置str1 = "THIS LINE IS THE GAMEEEE"
(长度为24)。您的循环尝试访问arr_temp1 [0]的前24个字符。但这是行不通的-它的长度为21。因此,一旦到达第22个字符,就会引发std::out_of_range
错误。
总而言之,大多数操作并没有按照您的想法进行。我建议先阅读一下指针,然后从头开始。