我试图使用awk在bash中舍入几个小数值。例如:如果值为6.79
awk 'BEGIN {rounded = sprintf("%.0f", 6.79); print rounded }'
这让我回归7。
有没有办法可以舍入到最接近的整数(1,2,3,..),但是步长为0.5(0,0.5,1,1.5,2,2.5 ......)
在python或perl中工作的任何其他方法也都可以。 python中的当前方式
python -c "from math import ceil; print round(6.79)"
也返回7.0
答案 0 :(得分:5)
Perl解决方案:
perl -e 'print sprintf("%1.0f",2 * shift) / 2' -- 6.79
7
诀窍很简单:将数字乘以2,绕过它,然后再划分。
答案 1 :(得分:0)
这是一个通用子程序,用于以给定精度舍入到最近的值: 我举一个你想要的舍入的例子,即0.5,我已经测试了它,即使有负浮点数也能很好地工作
#!/usr/bin/env perl
use strict;
use warnings;
for(my $i=0; $i<100; $i++){
my $x = rand 100;
$x -= 50;
my $y =&roundToNearest($x,0.5);
print "$x --> $y\n";
}
exit;
############################################################################
# Enables to round any real number to the nearest with a given precision even for negative numbers
# argument 1 : the float to round
# [argument 2 : the precision wanted]
#
# ie: precision=10 => 273 returns 270
# ie: no argument for precision means precision=1 (return signed integer) => -3.67 returns -4
# ie: precision=0.01 => 3.147278 returns 3.15
sub roundToNearest{
my $subname = (caller(0))[3];
my $float = $_[0];
my $precision=1;
($_[1]) && ($precision=$_[1]);
($float) || return($float); # no rounding needed for 0
# ------------------------------------------------------------------------
my $rounded = int($float/$precision + 0.5*$float/abs($float))*$precision;
# ------------------------------------------------------------------------
#print "$subname>precision:$precision float:$float --> $rounded\n";
return($rounded);
}