Verifica pow de 2 com restrição [duplicado]

0

Eu preciso escrever uma condição, então se o argumento for 1 (que é 2 ^ 0 = 1), ele irá pular sobre ele. Por exemplo:

powsnsums 1 2 8 

2

powsnsums 1 16

1

#!/bin/bash

# loop over all numbers on the command line
# note: we don't verify that these are in fact numbers
for number do
    w=0         # Hamming weight (count of bits that are 1)
    n=$number   # work on $n to save $number for later

    # test the last bit of the number, and right-shift once
    # repeat until number is zero
    while (( n > 0 )); do
        if (( (n & 1) == 1 )); then
            # last bit was 1, count it
            w=$(( w + 1 ))
        fi

        if (( w > 1 )); then
            # early bail-out: not a power of 2
            break
        fi

        # right-shift number
        n=$(( n >> 1 ))
    done

    if (( w == 1 )); then
        # this was a power of 2
        printf '%d\n' "$number"
    fi
done
    
por Calin Chaly 22.11.2018 / 16:14

1 resposta

1

if [ "$number" -eq 1 ]; then
    continue
fi

ou

if (( number == 1 )); then
    continue
fi

Isso faria com que o loop passasse para a próxima iteração se $number fosse numericamente igual a 1. O teste ficaria logo abaixo da linha for number do .

    
por 22.11.2018 / 16:20