Home »
Ruby »
Ruby Programs
Ruby program to perform set difference between sets using '-' operator
Ruby Example: Write a program to perform set difference between sets using '-' operator.
Submitted by Nidhi, on February 07, 2022
Problem Solution:
In this program, we will create two objects of the Set class and add items into created sets. Then we will perform a set difference operation between created sets using the "-" operator.
Program/Source Code:
The source code to perform set difference between sets using the "-" operator is given below. The given program is compiled and executed successfully.
# Ruby program to perform set difference between sets
# using "-" operator
require 'set';
setObj1 = Set.new();
setObj2 = Set.new();
setObj1.add(101);
setObj1.add(102);
setObj1.add(103);
setObj1.add(104);
setObj1.add(105);
setObj2.add(103);
setObj2.add(104);
setObj2.add(105);
setDiff = setObj1 - setObj2;
puts "Set1: ";
for item in setObj1
print item," ";
end
puts "\nSet2: ";
for item in setObj2
print item," ";
end
puts "\nSet difference is: ";
for item in setDiff
print item," ";
end
Output:
Set1:
101 102 103 104 105
Set2:
103 104 105
Set difference is:
101 102
Explanation:
In the above program, we imported the "set" package using the "require" statement. Then we created two objects setObj1, setObj2 of the Set class using the new() method and added items into created set using add() method of the Set class. After that, we performed a set difference operation between setObj1, setObj2 using the "-" operator and assigned the result to the setDiff set, and we printed the result.
Ruby Set Programs »