#!/bin/bash
Echo “Enter a number”
Read $number
If [$number ] ; then
Echo “Your number is divisible by 5”
Else
Echo “Your number is not divisible by 5”
fi
l'istruzione if [$ number] è ciò che non so come impostare
#!/bin/bash
Echo “Enter a number”
Read $number
If [$number ] ; then
Echo “Your number is divisible by 5”
Else
Echo “Your number is not divisible by 5”
fi
l'istruzione if [$ number] è ciò che non so come impostare
Risposte:
Puoi usare una sintassi più semplice in Bash rispetto ad alcuni degli altri mostrati qui:
#!/bin/bash
read -p "Enter a number " number # read can output the prompt for you.
if (( $number % 5 == 0 )) # no need for brackets
then
echo "Your number is divisible by 5"
else
echo "Your number is not divisible by 5"
fi
if (( 10#$number % 5 == 0 ))
forzare $number
ad essere interpretato come base 10 (invece di base 8 / ottale implicita dallo zero iniziale).
Nessun bc necessario fintanto che è matematica intera (avrai comunque bisogno di bc per il virgola mobile): in bash, l' operatore (()) funziona come expr .
Come altri hanno sottolineato, l'operazione desiderata è modulo (%) .
#!/bin/bash
echo "Enter a number"
read number
if [ $(( $number % 5 )) -eq 0 ] ; then
echo "Your number is divisible by 5"
else
echo "Your number is not divisible by 5"
fi
Che ne dici di usare il bc
comando:
!/usr/bin/bash
echo “Enter a number”
read number
echo “Enter divisor”
read divisor
remainder=`echo "${number}%${divisor}" | bc`
echo "Remainder: $remainder"
if [ "$remainder" == "0" ] ; then
echo “Your number is divisible by $divisor”
else
echo “Your number is not divisible by $divisor”
fi
expr $number % $divisor
bc
specializzato in calcoli, può gestire cose come il 33,3% 11,1 che expr
probabilmente soffocerebbero.
L'ho fatto in un modo diverso. Controlla se funziona per te.
Esempio 1 :
num=11;
[ `echo $num/3*3 | bc` -eq $num ] && echo "is divisible" || echo "not divisible"
Output : not divisible
Esempio 2:
num=12;
[ `echo $num/3*3 | bc` -eq $num ] && echo "is divisible" || echo "not divisible"
Output : is divisible
Logica semplice.
12/3 = 4
4 * 3 = 12 -> stesso numero
11/3 = 3
3 * 3 = 9 -> non lo stesso numero
Proprio nell'interesse della neutralità della sintassi e riparando la distorsione evidente della notazione infografica attorno a queste parti, ho modificato la soluzione di nagul da usare dc
.
!/usr/bin/bash
echo “Enter a number”
read number
echo “Enter divisor”
read divisor
remainder=$(echo "${number} ${divisor}%p" | dc)
echo "Remainder: $remainder"
if [ "$remainder" == "0" ]
then
echo “Your number is divisible by $divisor”
else
echo “Your number is not divisible by $divisor”
fi
dc
installato.
Puoi anche usare expr
così:
#!/bin/sh
echo -n "Enter a number: "
read number
if [ `expr $number % 5` -eq 0 ]
then
echo "Your number is divisible by 5"
else
echo "Your number is not divisible by 5"
fi