公共祖先、字符是否唯一、是否互为字符重排、URL优化、
- leetcode-235-二叉搜索树的最近公共祖先
题型:树、递归
难度:简单
题目:给定一个二叉搜索树, 找到该树中两个指定节点的最近公共祖先。
百度百科中最近公共祖先的定义为:“对于有根树 T 的两个结点 p、q,最近公共祖先表示为一个结点 x,满足 x 是 p、q 的祖先且 x 的深度尽可能大(一个节点也可以是它自己的祖先)。”
代码:
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
class Solution {
public:
TreeNode* lowestCommonAncestor(TreeNode* root, TreeNode* p, TreeNode* q) {
if(p==root || q==root) return root;
if(root == nullptr) return root;
if(p == nullptr) return q;
if(q == nullptr || p==q) return p;
if( (root->val>p->val && root->val<q->val) ||
(root->val<p->val && root->val>q->val)
) return root;
if(root->val>p->val && root->val>q->val)
return lowestCommonAncestor(root->left,p,q);
if(root->val<p->val && root->val<q->val)
return lowestCommonAncestor(root->right,p,q);
return nullptr;
}
};
- leetcode-面试题01.01判断字符是否唯一
题型:哈希
难度:简单
题目:实现一个算法,确定一个字符串 s 的所有字符是否全都不同。
代码:
class Solution {
//哈希表去装,最后看哈希表的长度
public:
bool isUnique(string astr) {
int n = astr.size();
unordered_map<char,int> mp;
for(int i=0;i<n;i++)
{
mp[astr[i]]++;
}
if(mp.size() == n) return true;
return false;
}
};
- leetcode-面试题01.02-判断是否互为字符重排
题型:哈希
难度:简单
题目:给定两个字符串 s1 和 s2,请编写一个程序,确定其中一个字符串的字符重新排列后,能否变成另一个字符串。
代码:
class Solution {
public:
bool CheckPermutation(string s1, string s2) {
int n1 = s1.size();
int n2 = s2.size();
if(n1 != n2) return false;
unordered_map<char,int> mp1;
unordered_map<char,int> mp2;
for(int i=0;i<n1;i++)
mp1[s1[i]]++;
for(int i=0;i<n2;i++)
mp2[s2[i]]++;
if(mp1 == mp2) return true;
return false;
}
};
- leetcode-面试题01.03-URL优化
题型:字符串
难度:简单
题目:URL化。编写一种方法,将字符串中的空格全部替换为%20。假定该字符串尾部有足够的空间存放新增字符,并且知道字符串的“真实”长度。
代码:
class Solution {
public:
string replaceSpaces(string S, int length) {
string res = "";
for(int i=0;i<length;i++)
{
if(S[i] != ' ')
{
res += S[i];
}
else
{
res += "%20";
}
}
return res;
}
};
- 面试题-01.04-回文排列
题型:哈希
难度:简单
题目:给定一个字符串,编写一个函数判定其是否为某个回文串的排列之一。
回文串是指正反两个方向都一样的单词或短语。排列是指字母的重新排列。回文串不一定是字典当中的单词。
代码:
class Solution {
public:
bool canPermutePalindrome(string s) {
int n = s.size();
if(n<=0) return false;
unordered_map<char,int> mp;
for(int i=0;i<n;i++)
{
mp[s[i]]++;
}
unordered_map<char,int>::iterator ite = mp.begin();
int count = 0;
while(ite != mp.end())
{
if((ite->second)%2 != 0)
count++;
ite++;
}
if(count>1) return false;
return true;
}
};