2

我正在尝试使用 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

4

2 回答 2

5

Perl 解决方案:

perl -e 'print sprintf("%1.0f",2 * shift) / 2'  -- 6.79
7

诀窍很简单:将数字乘以 2,四舍五入,再除。

于 2013-04-09T13:15:15.513 回答
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);
}
于 2014-03-13T15:47:12.773 回答