1592. 重新排列单词间的空格
给你一个字符串 text ,该字符串由若干被空格包围的单词组成。每个单词由一个或者多个小写英文字母组成,并且两个单词之间至少存在一个空格。题目测试用例保证 text 至少包含一个单词 。
请你重新排列空格,使每对相邻单词之间的空格数目都 相等 ,并尽可能 最大化 该数目。如果不能重新平均分配所有空格,请 将多余的空格放置在字符串末尾 ,这也意味着返回的字符串应当与原 text 字符串的长度相等。
返回 重新排列空格后的字符串 。
示例 1:
输入:text = " this is a sentence "
输出:"this is a sentence"
解释:总共有 9 个空格和 4 个单词。可以将 9 个空格平均分配到相邻单词之间,相邻单词间空格数为:9 / (4-1) = 3 个。
class Solution:
def reorderSpaces(self, text: str) -> str:
# 计算单词的数量
num_1 = 0
word = text.split(' ')
# 只有单词
if len(word[0]) == len(text):
return text
new_word = []
for w in word:
if w != '':
num_1 += 1
new_word.append(w)
# 单词的数量为1
if num_1 == 1:
return new_word[-1] + (len(text) - len(new_word[-1]))*' '
# print(num_1)
length = len(text)
# 计算空格的数量
num_2 = 0
for i in range(length):
if text[i] == ' ':
num_2 += 1
# print(num_2)
# 计算中间需要插入的空格数量
num = num_2 // (num_1 - 1) # 整数
num_0 = num_2 % (num_1 - 1) # 余数
# print(num)
# print(num_0)
# 重新进行字符串生成
res = ''
for index in range(num_1):
if index < num_1 - 1:
res += (new_word[index] + ' '*num)
return res + new_word[-1] + ' '*num_0
题目不难,但有时无法考虑到边界条件
- 1、输入一个没有空格的字符串
"a" --> 返回结果依旧是本身
# 只有单词
if len(word[0]) == len(text):
return text
- 2、当只有一个单词时,需要单独处理
" hello" --> 调换顺序即可,将空格移动到后面
# 单词的数量为1
if num_1 == 1:
return new_word[-1] + (len(text) - len(new_word[-1]))*' '
因此,考虑问题需要更全面,更周到.
网友评论