La réponse d'Aquarius Power semble fonctionner assez bien. Voici quelques ajouts que je pourrais apporter à sa solution.
Interrogation de l'état de verrouillage uniquement
Si vous avez simplement besoin d'une ligne unique pour interroger l'état de verrouillage, cela devrait être vrai si verrouillé et faux s'il est déverrouillé.
isLocked=$(gdbus call -e -d com.canonical.Unity -o /com/canonical/Unity/Session -m com.canonical.Unity.Session.IsLocked | grep -ioP "(true)|(false)")
Interrogation de l'état du verrou et du temps de suivi depuis le dernier changement d'état
Maintenant, si vous devez garder une trace de la durée de verrouillage de l'écran, vous voudrez peut-être adopter une approche différente.
#!/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
}
Essentiellement, ce script surveille les modifications de l'état de verrouillage de l'écran. Lorsque des modifications ont lieu, l'heure et l'état sont sauvegardés dans un fichier. Vous pouvez lire ce fichier manuellement si vous le souhaitez ou utiliser les fonctions que j'ai écrites.
Si vous voulez un horodatage plutôt que le nombre de secondes, essayez:
date -ud @$(getSecondsElapsed) | grep -oP "(\d{2}:){2}\d{2}"
N'oubliez pas le -u
commutateur qui force le programme de date à ignorer votre fuseau horaire.