- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
我正在尝试在 LeetCode.com 上解决这个问题:
Given a digit string, return all possible letter combinations that the number could represent. The mappings between the numbers and characters is like the telephone keypad. So:
2 <-> abc,
3 <-> def,
4 <-> ghi,
and so on...Input: "23";
Output: ["ad", "ae", "af", "bd", "be", "bf", "cd", "ce", "cf"].
高度赞成的解决方案如下:
class Solution {
public:
vector<string> letterCombinations(string digits) {
std::vector< string > vec;
if(digits.length()==0)
return vec;
std::queue< std::string > ans;
std::string mapping[]={"0", "1", "abc", "def", "ghi", "jkl", "mno", "pqrs", "tuv", "wxyz"};
ans.push("");
for(int i=0; i<digits.length(); i++)
{
int x = (digits[i]-'0');
while(ans.front().length()==i)
{
std::string t=ans.front();
ans.pop();
for(int j=0; j<mapping[x].length(); j++)
{
ans.push(t+mapping[x][j]);
}
}
}
std::string val;
int size=ans.size();
for(int i=0; i<size; i++)
{
val=ans.front();
ans.pop();
vec.push_back(val);
}
return vec;
}
};
我有以下问题:
a
、b
和 c
作为元素(都映射到 2
),另一个以 d
、e
和 f
作为元素(都映射到 3
) 然后简单的用循环把ad
,ae
等元素组合起来,但是这样显然效率很低。那么 BFS 在这方面如何适用和提供帮助?ans.front().length()==i
- 从逻辑上讲,为什么归纳变量是 i
正在与队列中值的长度进行比较?谢谢!
最佳答案
What is the intuition behind modeling this as a BFS
这不是真正的 BFS:作者没有充分理由使用队列 - 他们也可以使用两个 vector - 一个用于上一代字符串,一个用于当前一代。这将使他们不必检查队列前面的项目的长度,即 ans.front().length()==i
:他们可以编写 while (!priorGen.empty()) ...
What exactly is going on, in the condition in the while loop ...
该算法按“世代”生成字符串,在前“世代”的每个字符串末尾添加一个新字符。
x
代是从 x-1
代生成的,方法是在 x- 代中的每个字符串的末尾附加相应数字的一种可能表示形式1
队列包含来自两代的字符串 - 前一代和当前一代。当前一代的字符串比上一代的字符串长一个字符。循环条件确保循环继续,直到我们用完上一代中的字符串。
这里是修改后的代码,它使用两个独立的“生成” vector 而不是单个队列,代码的其余部分保持不变:
vector<string> letterCombinations(string digits) {
string mapping[]={"0", "1", "abc", "def", "ghi", "jkl", "mno", "pqrs", "tuv", "wxyz"};
vector<string> priorGen {""};
vector<string> currentGen;
if (!digits.size()) return currentGen;
for(int i=0 ; i < digits.length() ; i++) {
int x = (digits[i]-'0');
while(!priorGen.empty()) {
string t = priorGen.back();
priorGen.pop_back();
for(int j=0 ; j < mapping[x].length() ; j++) {
currentGen.push_back(t+mapping[x][j]);
}
}
swap(priorGen, currentGen);
}
return priorGen;
}
关于c++ - 将其建模为 BFS 背后的直觉,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/47982039/
我正在寻找匹配 /(?=\W)(gimme)(?=\W)/gi 或类似的东西。 \W 应该是零宽度字符来包围我的实际匹配项。 也许有一些背景。我想用添加的文字填充替换某些单词(总是 \w+),但前提是
如何在不使用 Intent 连接到 VPN 服务的情况下以编程方式检测流量是否正在通过 VPN。有系统调用吗? 最佳答案 这个有效: private boolean checkVPN() {
我是一名优秀的程序员,十分优秀!