10 examples of 'reverse words in a string python without using function' in Python

Every line of 'reverse words in a string python without using function' code snippets is scanned for vulnerabilities by our powerful machine learning engine that combs millions of open source libraries, ensuring your Python code is secure.

All examples are scanned by Snyk Code

By copying the Snyk Code Snippets you agree to
2def reverseWords(self, s: str) -> str:
3 return ' '.join([i for i in s.split()][::-1])
13def reverseWords(self, s):
14 word_list = []
15 word = ''
16 for c in s:
17 if c == ' ':
18 if word != '':
19 word_list.append(word)
20 word = ''
21 else:
22 continue
23 else:
24 word += c
25 if word != '':
26 word_list.append(word)
27 word_list.reverse()
28 result = ' '.join(word_list)
29 return result
9def reverseWords(self, s):
10 """
11 :type s: str
12 :rtype: str
13 """
14 words = s.split()
15 words.reverse()
16 return ' '.join(words)
12def rev(start, end, stringList):
13 #As long as the start index is less than the end index, swap the items at those indices and increment and decrement the indexs respectively
14 while start < end:
15 stringList[start], stringList[end] = stringList[end], stringList[start]
16 start += 1; end -= 1
17 return stringList
29def reverseWords(self, s: str) -> str:
30 s = list(s)
31 self.reverseWord(s, 0, len(s)-1)
32 start = i = 0
33 while i < len(s):
34 if s[i] != ' ':
35 if start != 0:
36 s[start] = ' '
37 start += 1
38 j = i
39 while j < len(s) and s[j] != ' ':
40 s[start] = s[j]
41 j += 1
42 start += 1
43 self.reverseWord(s, start - (j-i), start-1)
44 i = j
45 i += 1
46 print(start)
47 return "".join(s[:start])
15def reverse_str(string):
16 rev_list=[]
17 new_list=list(string)
18 while new_list:
19 rev_list += new_list[-1]
20 new_list.pop()
21 return ''.join(rev_list)
30def reverse(string):
31 n = len(string)
32
33 # Create a empty stack
34 stack = createStack()
35
36 # Push all characters of string to stack
37 for i in range(0,n,1):
38 push(stack,string[i])
39
40 # Making the string empty since all
41 #characters are saved in stack
42 string=""
43
44 # Pop all characters of string and
45 # put them back to string
46 for i in range(0,n,1):
47 string+=pop(stack)
48
49 return string
812def test_returns_original_string_if_unreversible(self):
813 self.assertEqual(reverse(''), '')
814 self.assertEqual(reverse('x'), 'x')
815 self.assertEqual(reverse('!!!'), '!!!')
46def reverse_transcribe(seq):
47 return ''.join(base_pairs[i] for i in reversed(seq))
5def test_reverse_string(self):
6 self.assertEqual(reverse_string("I make things beep bop beep bop"),"pob peeb pob peeb sgniht ekam I")
7 self.assertEqual(reverse_string("Write code write code"),"edoc etirw edoc etirW")
8 self.assertEqual(reverse_string("Reverse this Last One"),"enO tsaL siht esreveR")
9 print("\nPassed reverse_string with no errors!")

Related snippets