Ruby offers a rich set of string methods that allow you to manipulate text efficiently. Below are some essential string methods along with practical examples.
upcase
MethodThe upcase
method converts all lowercase letters in a string to uppercase.
string = "hello world"
upper_string = string.upcase
puts upper_string # Output: HELLO WORLD
downcase
MethodConversely, the downcase
method changes all uppercase letters to lowercase.
string = "HELLO WORLD"
down_string = string.downcase
puts down_string # Output: hello world
strip
MethodThe strip
method removes leading and trailing whitespace from a string.
string = " Ruby Programming "
trimmed_string = string.strip
puts trimmed_string # Output: Ruby Programming
length
MethodThe length
method returns the number of characters in a string.
string = "String Length"
length_of_string = string.length
puts length_of_string # Output: 13
include?
MethodThis method checks if a substring exists within a string, returning true or false.
string = "Hello, Ruby!"
contains_ruby = string.include?("Ruby")
puts contains_ruby # Output: true
gsub
MethodThe gsub
method is used for global substitution of a pattern with a specified replacement.
string = "I love Ruby programming."
new_string = string.gsub("Ruby", "Python")
puts new_string # Output: I love Python programming.
split
MethodThe split
method divides a string into an array based on a specified delimiter.
string = "Apple, Banana, Cherry"
fruits = string.split(", ")
puts fruits.inspect # Output: ["Apple", "Banana", "Cherry"]
reverse
MethodThe reverse
method returns a new string with the characters in reverse order.
string = "Ruby"
reversed_string = string.reverse
puts reversed_string # Output: ybuR
Understanding these Ruby string methods will enhance your ability to work with text data effectively. Use these examples as a reference in your coding journey!