我是C ++的新手,虽然我有一些编程经验。我已经构建了一个 Text 类,它使用动态char *作为它的主要成员。 类定义位于下方。
#include <iostream>
#include <cstring>
using namespace std;
class Text
{
public:
Text();
Text(const char*); // Type cast char* to Text obj
Text(const Text&); // Copy constructor
~Text();
// Overloaded operators
Text& operator=(const Text&);
Text operator+(const Text&) const; // Concat
bool operator==(const Text&) const;
char operator[](const size_t&) const; // Retrieve char at
friend ostream& operator<<(ostream&, const Text&);
void get_input(istream&); // User input
private:
int length;
char* str;
};
我遇到的问题是我不知道如何在传入的给定索引处使用operator[]
赋予 char值。当前重载的运算符< / strong> operator[]
用于在提供的索引处返回 char 。有人有这方面的经验吗?
我希望能够做类似的事情:
int main()
{
Text example = "Batman";
example[2] = 'd';
cout << example << endl;
return 0;
}
感谢任何帮助和/或建议!
已提供解决方案 - 非常感谢所有回复
char& operator[](size_t&);
有效
答案 0 :(得分:6)
您需要提供对角色的引用。
#include <iostream>
struct Foo {
char m_array[64];
char& operator[](size_t index) { return m_array[index]; }
char operator[](size_t index) const { return m_array[index]; }
};
int main() {
Foo foo;
foo[0] = 'H';
foo[1] = 'i';
foo[2] = 0;
std::cout << foo[0] << ", " << foo.m_array << '\n';
return 0;
}
请注意size_t
是无符号的,因为负数索引永远不会好。
答案 1 :(得分:3)
您应该将operator[]
作为非const
方法重载并从中返回引用
char& operator[](const int&);
答案 2 :(得分:3)
本文是C ++中运算符重载的权威指南(说实话,主要是语法糖的样板代码)。它解释了可能的一切: Operator overloading
以下是您感兴趣的部分:
class X {
value_type& operator[](index_type idx);
const value_type& operator[](index_type idx) const;
// ...
};
是的,这是可能的,对于许多STL容器(例如vector
),允许数组下标表示法访问数据。
所以你可以按照以下方式做点什么:
char & operator[]( size_t i )
{
return *(str + i);
}