7.翻转句子中单词的顺序[ReverseWordOrderInSentence]

【题目】

输入一个英文句子,翻转句子中单词的顺序,但单词内字符的顺序不变。句子中单词以空格符隔开。为简单起见,标点符号和普通字母一样处理。

例如输入“I am a student.”,则输出“student. a am I”。

【分析】

由于编写字符串相关代码能够反映程序员的编程能力和编程习惯,与字符串相关的问题一直是程序员笔试、面试题的热门题目。本题也曾多次受到包括微软在内的大量公司的青睐。

由于本题需要翻转句子,我们先颠倒句子中的所有字符。这时,不但翻转了句子中单词的顺序,而且单词内字符也被翻转了。我们再颠倒每个单词内的字符。由于单词内的字符被翻转两次,因此顺序仍然和输入时的顺序保持一致。

还是以上面的输入为例子。翻转“I am a student.”中所有字符得到“.tneduts a ma I”,再翻转每个单词中字符的顺序得到“students. a am I”,正是符合要求的输出。

【代码】

 C++ Code 
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
 

///////////////////////////////////////////////////////////////////////
// Reverse a string between two pointers
// Input: pBegin - the begin pointer in a string
//        pEnd   - the end pointer in a string
///////////////////////////////////////////////////////////////////////
void Reverse(char *pBegin, char *pEnd)
{
    
if(pBegin == NULL || pEnd == NULL)
        
return;

    
while(pBegin < pEnd)
    {
        
char temp = *pBegin;
        *pBegin = *pEnd;
        *pEnd = temp;

        pBegin ++;
        pEnd --;
    }
}

///////////////////////////////////////////////////////////////////////
// Reverse the word order in a sentence, but maintain the character
// order inside a word
// Input: pData - the sentence to be reversed
///////////////////////////////////////////////////////////////////////
char *ReverseSentence(char *pData)
{
    
if(pData == NULL)
        
return NULL;

    
char *pBegin = pData;
    
char *pEnd = pData;

    
while(*pEnd != '')
        pEnd ++;
    pEnd--;

    
// Reverse the whole sentence
    Reverse(pBegin, pEnd);

    
// Reverse every word in the sentence
    pBegin = pEnd = pData;
    
while(*pBegin != '')
    {
        
if(*pBegin == ' ')
        {
            pBegin ++;
            pEnd ++;
            
continue;
        }
        
// A word is between with pBegin and pEnd, reverse it
        else if(*pEnd == ' ' || *pEnd == '')
        {
            Reverse(pBegin, pEnd - 
1);
            pBegin = pEnd;
        }
        
else
        {
            pEnd ++;
        }
    }

    
return pData;
}

【参考】

http://zhedahht.blog.163.com/blog/static/254111742007289205219/

个人学习笔记,欢迎拍砖!---by hellogiser

Author: hellogiser
Warning: 本文版权归作者和博客园共有,欢迎转载,但请保留此段声明,且在文章页面明显位置给出原文连接。Thanks!
Me: 如果觉得本文对你有帮助的话,那么【推荐】给大家吧,希望今后能够为大家带来更好的技术文章!敬请【关注】
原文地址:https://www.cnblogs.com/hellogiser/p/3738463.html