R has different class systems that allow for object-oriented programming in the language. The simplest of which is the S3 system, which selects a method for an object depending on its class.
In the simple example above, we write a generic function scream()
that does something different for numerics and for characters.
= function(x) {
scream UseMethod("scream")
}
= function(x) {
scream.numeric print("THIS IS A NUMBER!!!")
}
= function(x) {
scream.character print("THIS IS A CHARACTER!!!")
}
scream(1)
#> [1] "THIS IS A NUMBER!!!"
scream("1")
#> [1] "THIS IS A CHARACTER!!!"
However, the S3 class system only allows for single dispatch, meaning that only the class of one object - by default the first argument - is used to select the method. There can be cases, where it makes sense to dispatch on two elements. The S4 class system - the successor of S3 - for example allows this. Implementing multiple dispatch is however also possible using only S3.
We might want to change our generic function above to take in two arguments x
and y
and scream something depending on both of their classes. To do so, we will nest S3 methods. We let the first dispatch happen on the class of the first argument and the second dispatch uses the class of the second element. I was made aware of this construct when reading the debugadapter implementation for R.
= function(x, y) {
scream2 UseMethod("scream2")
}
= function(x, y) {
scream2.numeric UseMethod("scream2.numeric", y)
}
= function(x, y) {
scream2.character UseMethod("scream2.character", y)
}
= function(x, y) {
scream2.numeric.character print("THIS IS A numeric AND A CHARACTER!")
}
= function(x, y) {
scream2.character.numeric print("THIS IS A CHARACTER AND AN NUMERIC!")
}
= function(x, y) {
scream2.numeric.numeric print("THESE ARE TWO NUMERICS!")
}
= function(x, y) {
scream2.character.character print("THESE ARE TWO CHARACTERS!")
}
scream2(1, "1")
#> [1] "THIS IS A numeric AND A CHARACTER!"
scream2("1", 1)
#> [1] "THIS IS A CHARACTER AND AN NUMERIC!"
scream2(1, 1)
#> [1] "THESE ARE TWO NUMERICS!"
scream2("1", "1")
#> [1] "THESE ARE TWO CHARACTERS!"
So, what could go wrong by doing so? Because of the way S3 works, i.e. the names of the methods have the form <generic>.<class>
the function names that we have used above are ambiguous. If someone decides to create an object of class "character.character"
we have accidentally also created a method for this class.
= structure(list(), class = "character.character")
weird_object
scream2(weird_object)
#> [1] "THESE ARE TWO CHARACTERS!"