Skip to content

Latest commit

 

History

History
172 lines (132 loc) · 4.42 KB

File metadata and controls

172 lines (132 loc) · 4.42 KB

English Version

题目描述

一个 句子 指的是一个序列的单词用单个空格连接起来,且开头和结尾没有任何空格。每个单词都只包含小写或大写英文字母。

我们可以给一个句子添加 从 1 开始的单词位置索引 ,并且将句子中所有单词 打乱顺序 。

  • 比方说,句子 "This is a sentence" 可以被打乱顺序得到 "sentence4 a3 is2 This1" 或者 "is2 sentence4 This1 a3" 。

给你一个 打乱顺序 的句子 s ,它包含的单词不超过 9 个,请你重新构造并得到原本顺序的句子。

 

示例 1:

输入:s = "is2 sentence4 This1 a3"
输出:"This is a sentence"
解释:将 s 中的单词按照初始位置排序,得到 "This1 is2 a3 sentence4" ,然后删除数字。

示例 2:

输入:s = "Myself2 Me1 I4 and3"
输出:"Me Myself and I"
解释:将 s 中的单词按照初始位置排序,得到 "Me1 Myself2 and3 I4" ,然后删除数字。

 

提示:

  • 2 <= s.length <= 200
  • s 只包含小写和大写英文字母、空格以及从 1 到 9 的数字。
  • s 中单词数目为 1 到 9 个。
  • s 中的单词由单个空格分隔。
  • s 不包含任何前导或者后缀空格。

解法

方法一:字符串分割

先将字符串 s 按照空格分割,得到字符串数组 words

遍历字符串数组 words,提取 words[i] 中最后一位字符,将其转换为数字,得到 words[i][0:len(words[i])-1] 的实际位置。

时间复杂度 $O(n)$,其中 $n$ 是字符串长度。

Python3

class Solution:
    def sortSentence(self, s: str) -> str:
        words = s.split()
        ans = [None] * len(words)
        for w in words:
            i = int(w[-1]) - 1
            ans[i] = w[:-1]
        return ' '.join(ans)

Java

class Solution {
    public String sortSentence(String s) {
        String[] words = s.split(" ");
        String[] ans = new String[words.length];
        for (String w : words) {
            int i = w.charAt(w.length() - 1) - '1';
            ans[i] = w.substring(0, w.length() - 1);
        }
        return String.join(" ", ans);
    }
}

C++

class Solution {
public:
    string sortSentence(string s) {
        istringstream is(s);
        string t;
        vector<string> words;
        while (is >> t) words.push_back(t);
        vector<string> res(words.size());
        for (auto& w : words) {
            int i = w[w.size() - 1] - '1';
            res[i] = w.substr(0, w.size() - 1);
        }
        string ans;
        for (auto& w : res) {
            ans += w + " ";
        }
        ans.pop_back();
        return ans;
    }
};

Go

func sortSentence(s string) string {
	words := strings.Split(s, " ")
	ans := make([]string, len(words))
	for _, w := range words {
		i := w[len(w)-1] - '1'
		ans[i] = w[:len(w)-1]
	}
	return strings.Join(ans, " ")
}

JavaScript

/**
 * @param {string} s
 * @return {string}
 */
var sortSentence = function (s) {
    const words = s.split(' ');
    const ans = new Array(words.length);
    for (const w of words) {
        const i = w.charCodeAt(w.length - 1) - '1'.charCodeAt(0);
        ans[i] = w.slice(0, w.length - 1);
    }
    return ans.join(' ');
};

TypeScript

function sortSentence(s: string): string {
    const words = s.split(' ');
    const ans = new Array(words.length);
    for (const w of words) {
        const i = w.charCodeAt(w.length - 1) - '1'.charCodeAt(0);
        ans[i] = w.slice(0, w.length - 1);
    }
    return ans.join(' ');
}

...