题目描述
汇编语言中有一种移位指令叫做循环左移(ROL),现在有个简单的任务,就是用字符串模拟这个指令的运算结果。对于一个给定的字符序列S,请你把其循环左移K位后的序列输出。例如,字符序列S=”abcXYZdef”,要求输出循环左移3位后的结果,即“XYZdefabc”。是不是很简单?OK,搞定它!
class Solution {
public:
string LeftRotateString(string str, int n) {
queue<char>ue;
int str_size = str.size();
string res;
int i = 0;
if (str.empty() || n > str_size) return res;
for (int i = 0;i < str_size;i++)
{
ue.push(str[i]);
}
while (i++ < str_size+n)
{
if (i<=n)
{
ue.push(ue.front());
ue.pop();
continue;
}
res += ue.front();
ue.pop();
}
return res;
}
};