题目:输入一个英文句子,翻转句子中单词的顺序,但单词内字符的顺序不变。句子中单词以空格符隔开。为简单起见,标点符号和普通字母一样处理。
例如输入“I am a student.”,则输出“student. a am I”。
分析:由于编写字符串相关代码能够反映程序员的编程能力和编程习惯,与字符串相关的问题一直是程序员笔试、面试题的热门题目。本题也曾多次受到包括微软在内的大量公司的青睐。
由于本题需要翻转句子,我们先颠倒句子中的所有字符。这时,不但翻转了句子中单词的顺序,而且单词内字符也被翻转了。我们再颠倒每个单词内的字符。由于单词内的字符被翻转两次,因此顺序仍然和输入时的顺序保持一致。
还是以上面的输入为例子。翻转“I am a student.”中所有字符得到“.tneduts a ma I”,再翻转每个单词中字符的顺序得到“students. a am I”,正是符合要求的输出。
参考代码:
1 /// 2 // Reverse a string between two pointers 3 // Input: pBegin - the begin pointer in a string 4 // pEnd - the end pointer in a string 5 /// 6 void Reverse(char *pBegin, char *pEnd) 7 { 8 if(pBegin == NULL || pEnd == NULL) 9 return; 10 11 while(pBegin < pEnd) 12 { 13 char temp = *pBegin; 14 *pBegin = *pEnd; 15 *pEnd = temp; 16 17 pBegin ++, pEnd --; 18 } 19 } 20 21 /// 22 // Reverse the word order in a sentence, but maintain the character 23 // order inside a word 24 // Input: pData - the sentence to be reversed 25 /// 26 char* ReverseSentence(char *pData) 27 { 28 if(pData == NULL) 29 return NULL; 30 31 char *pBegin = pData; 32 char *pEnd = pData; 33 34 while(*pEnd != '\0') 35 pEnd ++; 36 pEnd--; 37 38 // Reverse the whole sentence 39 Reverse(pBegin, pEnd); 40 41 // Reverse every word in the sentence 42 pBegin = pEnd = pData; 43 while(*pBegin != '\0') 44 { 45 if(*pBegin == ' ') 46 { 47 pBegin ++; 48 pEnd ++; 49 continue; 50 } 51 // A word is between with pBegin and pEnd, reverse it 52 else if(*pEnd == ' ' || *pEnd == '\0') 53 { 54 Reverse(pBegin, --pEnd); 55 pBegin = ++pEnd; 56 } 57 else 58 { 59 pEnd ++; 60 } 61 } 62 63 return pData; 64 }
以上转自何海涛博客
还可以考虑用栈
先将整句话倒着进栈(并且允许第一个进栈的字符为" ")
从第二个进栈字符起每个字符进栈前检查是否为" ",
如果为TRUE,
先将依次POP(),
然后在屏幕上输出POP的值
直到栈空,
这样知道数组下标等于0,
算法结束.