3
> foo <- structure(list(one=1,two=2), class = "foo")

> cat(foo)
Error in cat(list(...), file, sep, fill, labels, append) : 
  argument 1 (type 'list') cannot be handled by 'cat'

好的,我将其添加到通用猫中:

> cat.foo<-function(x){cat(foo$one,foo$two)}
> cat(foo)
Error in cat(list(...), file, sep, fill, labels, append) : 
  argument 1 (type 'list') cannot be handled by 'cat'

没有骰子。

4

2 回答 2

4

你不能。 cat()不是通用函数,因此您不能为其编写方法。

您可以使新版本cat()具有通用性:

cat <- function(..., file = "", sep = " ", fill = FALSE, labels = NULL,
                append = FALSE) {
  UseMethod("cat")
}
cat.default <- function(..., file = "", sep = " ", fill = FALSE, labels = NULL,
                append = FALSE) {
  base::cat(..., file = file, sep = sep, fill = fill, labels = labels, 
    append = append)
}

但是调度的语义...没有很好的定义(我找不到它在哪里,如果在任何地方,它被记录在案)。看起来调度仅基于中的第一个元素发生...

cat.integer <- function(...) "int"
cat.character <- function(...) "chr"
cat(1L)
#> [1] "int"
cat("a")
#> [1] "chr"

这意味着忽略第二个和所有后续参数的类:

cat(1L, "a")
#> [1] "int"
cat("a", 1L)
#> [1] "chr"

如果你想添加一个foo方法cat(),你只需要一些额外的检查:

cat.foo <- function(..., file = "", sep = " ", fill = FALSE, labels = NULL,
                    append = FALSE) {
  dots <- list(...)
  if (length(dots) > 1) {
    stop("Can only cat one foo at a time")
  }
  foo <- dots[[1]]
  cat(foo$one, foo$two, file = file, sep = sep, fill = fill, labels = labels, 
    append = append)
  cat("\n")
}
foo <- structure(list(one=1,two=2), class = "foo")
cat(foo)
#> 1 2
于 2014-02-19T20:02:07.517 回答
2

如果您帖子中的示例是您实际尝试实现的目标,而不仅仅是一些玩具示例来解释您的观点,您可以简单地重新定义以按所需方式cat处理s :list

cat <- function(...) do.call(base::cat, as.list(do.call(c, list(...))))

R> cat(list(1,2))
1 2R> cat(list(1,2), sep=',')
1,2R> cat(c(1,2))
1 2R> cat(c(1,2), sep=',')
1,2R> 
于 2014-02-19T20:42:56.267 回答