A resposta do Aquarius Power parece funcionar muito bem. Aqui estão alguns acréscimos que posso fazer à sua solução.
Consultando apenas o estado de bloqueio
Se você simplesmente precisa de uma linha para consultar o estado de bloqueio, isso deve ser avaliado como verdadeiro se bloqueado e como falso se estiver desbloqueado.
isLocked=$(gdbus call -e -d com.canonical.Unity -o /com/canonical/Unity/Session -m com.canonical.Unity.Session.IsLocked | grep -ioP "(true)|(false)")
Consulta do estado de bloqueio e tempo de rastreio desde a última alteração no estado
Agora, se você precisar acompanhar por quanto tempo a tela foi bloqueada, convém adotar uma abordagem diferente.
#!/bin/bash
# To implement this, you can put this at the top of a bash script or you can run
# it the subshell in a separate process and pull the functions into other scripts.
# We need a file to keep track of variable inside subshell the file will contain
# two elements, the state and timestamp of time changed, separated by a tab.
# A timestamp of 0 indicates that the state has not changed since we started
# polling for changes and therefore, the time lapsed in the current state is
# unknown.
vars="/tmp/lock-state"
# start watching the screen lock state
(
# set the initial value for lock state
[ "$(gdbus call -e -d com.canonical.Unity -o /com/canonical/Unity/Session -m com.canonical.Unity.Session.IsLocked | grep -ioP "(true)|(false)")" == "true" ] && state="locked" || state="unlocked"
printf "%s\t%d" $state 0 > "$vars"
# start watching changes in state
gdbus monitor -e -d com.canonical.Unity -o /com/canonical/Unity/Session | while read line
do
state=$(grep -ioP "((un)?locked)" <<< "$line")
# If the line read denotes a change in state, save it to a file with timestamp for access outside this subshell
[ "$state" != "" ] && printf "%s\t%d" ${state,,} $(date +%s)> "$vars"
done
) & # don't wait for this subshell to finish
# Get the current state from the vars exported in the subshell
function getState {
echo $(cut -f1 "$vars")
}
# Get the time in seconds that has passed since the state last changed
function getSecondsElapsed {
if [ $(cut -f2 "$vars") -ne 0 ]; then
echo $(($(date +%s)-$(cut -f2 "$vars")))
else
echo "unknown"
fi
}
Essencialmente, este script observa as alterações no estado de bloqueio da tela. Quando ocorrem mudanças, a hora e o estado são despejados em um arquivo. Você pode ler este arquivo manualmente se quiser ou usar as funções que eu escrevi.
Se você quiser um timestamp em vez do número de segundos, tente:
date -ud @$(getSecondsElapsed) | grep -oP "(\d{2}:){2}\d{2}"
Não se esqueça da opção -u
que força o programa de datas a ignorar o seu fuso horário.