在Powershell中,有没有一种方法可以使用乘法将正数转换为负数?

时间:2018-10-03 19:32:19

标签: powershell negative-number

我想知道是否有办法使用$b = $a * -1这样的乘法将正数转换为负数 我正在寻找最合理的方法,因为我会在脚本中执行很多次。

-编辑 在这一点上,我正在使用它,但是在计算方面看起来非常昂贵:

    $temp_array = New-Object 'object[,]' $this.row,$this.col

    for ($i=0;$i -le $this.row -1 ; $i++) {
        for ($j=0;$j -le $this.col -1 ; $j++) {
            $digit = $this.data[$i,$j] * -1
            $temp_array[$i,$j] = 1 / ( 1 + [math]::exp( $digit ) )
            #[math]::Round( $digit ,3)
        }
    }
    $this.data = $temp_array

1 个答案:

答案 0 :(得分:1)

要无条件地将正数转换为负数(或更常见的是翻转数字的符号),只需使用一元-一元运算符

 PS> $v = 10; -$v
 -10

适用于您的情况:

 $digit = -$this.data[$i,$j]

顺便说一句:如果性能很重要,则可以使用范围表达式加速循环,以创建要迭代的索引,尽管这会消耗内存:

$temp_array = New-Object 'object[,]' $this.row,$this.col

for ($i in 0..($this.row-1)) {
    for ($j in 0..($this.col-1)) {
        $digit = - $this.data[$i,$j]
        $temp_array[$i,$j] = 1 / ( 1 + [math]::exp( $digit ) )
    }
}
$this.data = $temp_array