我目前正在尝试学习 C++。在学习中,我喜欢尝试一些奇怪的事情来掌握语言和记忆是如何工作的。现在,我正在尝试创建一个类,该类具有一组在构造时设置的字符。我班级的唯一方法是能够通过参数上的指针获取数组。我已经成功地创建了我的类并且它工作得很好,但现在我想通过确保我永远不会更改数组的值来使其更加安全。
这是我到目前为止所拥有的:
#import <stdio.h>
class MyClass {
public:
char const * myArray;
MyClass(char inputChar[]){
myArray = inputChar;
}
void get(const char * retVal[]){
*retVal = myArray;
}
};
int main(){
char myString[] = {'H','E','L','L','O'};
MyClass somethingNew = MyClass(myString);
const char * other = new char[4];
somethingNew.get(&other);
std::cout << other[0];
return 0;
}
我注意到我根本无法通过使用取消引用运算符来更改数组的值:
myArray[0] = 'h';
这很好,但这并不意味着我不能更改 myArray[0] 指向的指针:
*(&myArray) = new char('h');
有什么办法可以防止这种情况发生吗?
- - 解析度 - -
#import <stdio.h>
typedef const char * const constptr;
class MyClass {
public:
constptr * myArray;
MyClass(constptr inputChar) {
myArray = &inputChar;
}
void get(constptr * retVal){
retVal = myArray;
}
};
int main(){
char myString[] = "Hello";
MyClass somethingNew(myString);
constptr other = new char[4];
somethingNew.get(&other);
std::cout << other[0];
return 0;
}
这意味着我不能执行以下任何操作:
*myArray[0] = 'h';
*myArray = new char[4];
*&*myArray = new char('h');
但我可以这样做:
myArray = &inputChar;