I am trying write pythonic code to reverse the words in a sentence
ex:
input: \"hello there friend\"
output: \"friend there hello\"
<
You're calling the swap/split in the wrong order. Use this instead:
w = self.swap(s.split())
Then your return shouldn't need to do any comprehension:
return ' '.join(w)
Another one
def revereString(orgString):
result = []
splittedWords = orgString.split(" ")
for item in range(len(splittedWords)-1, -1, -1):
result.append(splittedWords[item])
return result
print(revereString('Hey ho hay'))
While there's not a whole lot wrong with wrapping it in a class, it's not exactly the most pythonic way to do things. Here's a shorter version of what you're trying to do:
def reverse(sentence):
return ' '.join(sentence.split()[::-1])
Output:
In [29]: reverse("hello there friend")
Out[29]: 'friend there hello'