Is it possible to trim the output when viewing the contents of the data?

I have a data frame with very long “comment” columns. When I show them, they are divided into different blocks, which makes reading lines difficult. Is it possible to change the parameter in R or change the call to data.frame to truncate the lines at a certain length?

Example: three-cylinder dataframe

data.frame(cbind(rep(1,5),rep(c("very very long obnoxious character string here" ,"dog","cat","dog",5)),rep(c("very very long obnoxious character string here" ,"dog","cat","dog",5))))

The resulting data frame, as shown on my screen:

  X1                                             X2
1  1 very very long obnoxious character string here
2  1                                            dog
3  1                                            cat
4  1                                            dog
5  1                                              5
                                          X3
1 very very long obnoxious character string here
2                                            dog
3                                            cat
4                                            dog
5                                              5
+5
source share
1 answer

I recommend the kind of explicit way:

f <- function(x) data.frame(lapply(x, substr, 1, 5))

using:

> f(d)
  X1    X2    X3
1  1 very  very 
2  1   dog   dog
3  1   cat   cat
4  1   dog   dog
5  1     5     5

Although you can change the default behavior, I do not recommend:

body(format.data.frame)[[5]] <- quote(for (i in 1L:nc) rval[[i]] <- substr(format(x[[i]], ..., justify = justify), 1, 5))
unlockBinding("format.data.frame", baseenv())
assign("format.data.frame", format.data.frame, pos = baseenv())
lockBinding("format.data.frame", baseenv())
rm(format.data.frame)

using:

> d
  X1    X2    X3
1  1 very  very 
2  1   dog   dog
3  1   cat   cat
4  1   dog   dog
5  1     5     5
+11
source

All Articles