7

我递归地调用一个函数,将一个子字符串作为参数传递,该子字符串总是从当前字符串的开头一直到一个位置。如果我使用 C,我可以将指针传递给字符串的第一个位置,然后传递必要的长度。不过,我想使用 class 来实现相同的结果string。是否可以?如果我使用const,编译器是否足够聪明,可以自行进行优化?更好的是,有没有办法自己检查编译器是否真的复制了参数或传递了引用?

我的问题是在编写了以下代码后提出的,该代码通过了 poj 上的问题Alphacode的测试,一旦有人使用atoi而不是atof.

#include <iostream>
#include <algorithm>
#include <map>
#include <vector>
#include <string>

using namespace std;

map<string, int> cache;

bool valid_character_number(string a) {
    return 0 < stoi(a.substr(a.size() - 2, 2)) && stoi(a.substr(a.size() - 2, 2)) <= 26;
}

bool zero_last_digit(string a) {
    return a[a.size() - 1] == '0';
}
bool zero_before_last_digit(string a) {
    return a[a.size() - 2] == '0';
}

int decodings(string a) {
    if (a.size() == 0)
        return 1;
    if (a.size() == 1) {
        if (zero_last_digit(a))
            return 0;
        else
            return 1;
    }
    if (cache.find(a) != cache.end())
        return cache[a];

    if (zero_last_digit(a) && valid_character_number(a))
        return cache[a] = decodings(a.substr(0, a.size() - 2));
    else if (valid_character_number(a) && !zero_before_last_digit(a))
        return cache[a] = decodings(a.substr(0, a.size() - 1)) + decodings(a.substr(0, a.size() - 2));
    else
        return cache[a] = decodings(a.substr(0, a.size() - 1));
}

int main() {
    string input;
    while (true) {
        cin >> input;
        if (input.size() == 1 && stoi(input) == 0)
            return 0;
        cout << decodings(input) << endl;
    }

    return 0;
}
4

2 回答 2

6

您不能std::string用于此目的,但您可以轻松创建自己的类,将一对迭代器(开始和结束)保存到另一个字符串或 C 风格的 char* 和大小。使用 C++11(因为您标记了它),您甚至应该能够创建用户定义的文字语法来创建新类型的字符串。

于 2013-03-19T02:01:02.073 回答
2

您可以使用自己的包装类,如下所示:

struct RefString
{
    RefString(const std::string & s, int i, int l) : s(s), i(i), l(l) {}

    const char & operator [] (int x) const {
        return s[i+x];
    }

    size_t length() const {
        return l;
    }

    bool operator < (const RefString & s2) const {
        return s.compare(i, l, s2.s, s2.i, s2.l) < 0;
    }

private:
    const std::string & s;
    int i;
    int l;
};

std::ostream & operator << (std::ostream &stream, const RefString & ms) {
    for (int i = 0; i < ms.length(); i++)
        stream << ms[i];
    return stream;
}

并像这样使用它,例如创建set唯一的子字符串:

std::string s = "hello";
std::set<RefString> st;
for (int i = 0; i < s.length(); i++)
for (int j = i; j < s.length(); j++)
    st.insert(RefString(s, i, j-i+1));
于 2015-10-16T07:22:45.003 回答