Reputation: 5455
Is there a way to change the default number formatting in R so that numbers will print a certain way without repeatedly having to use the format() function? For example, I would like to have
> x <- 100000
> x
[1] 100,000
instead of
> x <- 100000
> x
[1] 100000
Upvotes: 1
Views: 2756
Reputation: 70028
Well if you want to save keystrokes, binding the relevant R function to some pre-defined key-strokes, is fast and simple in any of the popular text editors.
Aside from that, I suppose you can always just write a small formatting function to wrap your expression in; so for instance:
fnx = function(x){print(formatC(x, format="d", big.mark=","), quote=F)}
> 567 * 43245
[1] 24519915
> fnx(567*4325)
[1] 2,452,275
R has several utility functions that will do this. I prefer "formatC" because it's a little more flexible than 'format' and 'prettyNum'.
In my function above, i wrapped the formatC call in a call to 'print' in order to remove the quotes (") from the output, which i don't like (i prefer to look at 100,000 rather than "100,000").
Upvotes: 2
Reputation: 100164
I don't know how to change the default (in fact, I would advise against it because including the comma makes it a character).
You can do this:
> prettyNum(100000, big.mark=",", scientific=FALSE)
[1] "100,000"
Upvotes: 1