Forcing R output to be scientific notation with at most two decimals

RDecimalScientific Notation

R Problem Overview


I would like to have consistent output for a particular R script. In this case, I would like all numeric output to be in scientific notation with exactly two decimal places.

Examples:

0.05 --> 5.00e-02
0.05671 --> 5.67e-02
0.000000027 --> 2.70e-08

I tried using the following options:

options(scipen = 1)
options(digits = 2)

This gave me the results:

0.05 --> 0.05
0.05671 --> 0.057
0.000000027 --> 2.7e-08

I obtained the same results when I tried:

options(scipen = 0)
options(digits = 2)

Thank you for any advice.

R Solutions


Solution 1 - R

I think it would probably be best to use formatC rather than change global settings.

For your case, it could be:

numb <- c(0.05, 0.05671, 0.000000027)
formatC(numb, format = "e", digits = 2)

Which yields:

[1] "5.00e-02" "5.67e-02" "2.70e-08"

Solution 2 - R

Another option is to use the scientific from the scales library.

library(scales)
numb <- c(0.05, 0.05671, 0.000000027)

# digits = 3 is the default but I am setting it here to be explicit,
# and draw attention to the fact this is different than the formatC
# solution.
scientific(numb, digits = 3)

## [1] "5.00e-02" "5.67e-02" "2.70e-08"

Note, digits is set to 3, not 2 as is the case for formatC

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
Questionuser1830307View Question on Stackoverflow
Solution 1 - RDave GruenewaldView Answer on Stackoverflow
Solution 2 - RstevebView Answer on Stackoverflow