Como bloquear a tela 30 minutos após o desbloqueio [duplicado]

8

Gostaria que meus filhos usassem o computador apenas por 30 minutos, quando eu gostaria que a tela fosse bloqueada. Nesse ponto, se eu optar por desbloquear a tela novamente, gostaria que a tela fosse bloqueada novamente em outros 30 minutos.

Como posso escrever um script para fazer isso?

    
por aam 01.01.2016 / 18:51

3 respostas

4

Execute o script abaixo em segundo plano e bloqueará a tela após um número arbitrário de minutos:

O script

#!/usr/bin/env python3
import subprocess
import time
import sys

t = 0; max_t = int(sys.argv[1])

while True:
    # check runs once per minute
    time.sleep(60)
    # check the lock status, add 1 to current time if not locked, else t = 0
    try:
        subprocess.check_output(["pgrep", "-cf", "lockscreen-mode"]).decode("utf-8").strip()
        t = 0
    except subprocess.CalledProcessError:
        t += 1
    # if unlocked status time exceeds set time (in minutes), lock screen
    if t >= max_t:
        subprocess.Popen(["gnome-screensaver-command",  "-l"])
        t = 0

Como usar

  • Copie o script em um arquivo vazio, salve-o como lock_screen.py
  • Teste- execute-o a partir de um terminal com o tempo de bloqueio como argumento (minutos)

    python3 /path/to/lock_screen.py 30
    

    (Embora para o teste, eu levaria um tempo menor)

  • Se tudo funcionar bem, adicione-o ao aplicativo Startup Dash > Aplicativos de inicialização > Adicionar. Adicione o comando:

    python3 /path/to/lock_screen.py 30
    
por Jacob Vlijm 01.01.2016 / 20:11
2

O script apresentado a seguir começa com o login do usuário e aguarda determinado período de tempo antes de bloquear a tela. Duas advertências devem ser lembradas: o script deve fazer parte dos Startup Applications e deve ser executável.

O tempo de cada sessão pode ser configurado no próprio script alterando TIME variable, de acordo com /bin/sleep usage. De man sleep :

% bl0ck_qu0te%

O script pode ser iniciado manualmente ou como parte dos Aplicativos de Inicialização para serem chamados em cada login da GUI. Consulte Como faço para iniciar aplicativos automaticamente no login? para isso.

Configuração simples

  1. Crie uma pasta com o nome bin na sua pasta pessoal do HOME.
  2. Na pasta bin , crie o arquivo chamado sessionLocker.sh . Copie o código fonte para esse arquivo
  3. Dê permissões executáveis ao arquivo clicando com o botão direito nele, vá para Propriedades - > Na guia Permissões, marque a opção "Permitir execução do arquivo como programa". Como alternativa, use chmod +x $HOME/bin/sessionLocker.sh no terminal
  4. Execute Aplicativos de inicialização . Adicione caminho completo ao script como um dos aplicativos de inicialização. Exemplo: /home/MYUSERNAME/bin/sessionLocker.sh
  5. Restat sua sessão do Unity para testar.

O script também é postado no meu github pessoal. Use git clone https://github.com/SergKolo/sergrep.git para baixar o código-fonte.

Origem do script

#!/bin/bash
##################################################
# AUTHOR: Serg Kolo 
# Date: Jan 2nd 2016
# Description: A script that locks session every x
#       minutes. 
# TESTED ON: 14.04.3 LTS, Trusty Tahr
# WRITTEN FOR: https://askubuntu.com/q/715721/295286
# Depends: qbus, dbus, Unity desktop
###################################################

# Copyright (c) 2016 Serg Kolo
#
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal in 
# the Software without restriction, including without limitation the rights to use,
# copy, modify, merge, publish, distribute, sublicense, and/or sell copies of 
# the Software, and to permit persons to whom the Software is furnished to do so, 
# subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in all 
# copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, 
# INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A 
# PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT 
# HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION 
# OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE 
# SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.


##############
# INTRODUCTION
##############

# This script locks user session every x minutes, and repeats this task
# upon user re-logging in. Useful for creating session for children, study session
# for college students, pomodoro sessions for self-learners ,etc.
#
# This can be started manually or as part of Startup Applications 

###########
# VARIABLES
###########
TIME="30m"

##########
# MAIN
##########
while [ 1 ]; 
do
  # Wait the time defined in VARIABLES part and lock the session
  /bin/sleep $TIME &&  qdbus  com.canonical.Unity /com/canonical/Unity/Session com.canonical.Unity.Session.Lock

  # Continuously query dbus every 0.25 seconds test whether session is locked
  # Once this sub-loop breaks, the main one can resume the wait and lock cycle.
  while [ $(qdbus  com.canonical.Unity /com/canonical/Unity/Session com.canonical.Unity.Session.IsLocked) == "true" ];
  do
    /bin/sleep 0.25 && continue
  done
done
    
por Sergiy Kolodyazhnyy 02.01.2016 / 17:31
-2

Obrigado pela ajuda. Decidi combinar partes de sua resposta com outras coisas que encontrei on-line e criei esta solução em python 2.x:

import gobject, dbus, time, subprocess
from dbus.mainloop.glib import DBusGMainLoop  

time.sleep(30*60)
subprocess.Popen(["gnome-screensaver-command", "-l"])

def lock_status(bus, message):

    if message.get_member() != "EventEmitted": 
        return

    args = message.get_args_list()

    if args[0] == "desktop-unlock":  
        time.sleep(30*60)
        subprocess.Popen(["gnome-screensaver-command", "-l"])

DBusGMainLoop(set_as_default=True)
bus = dbus.SessionBus()
bus.add_match_string("type='signal',interface='com.ubuntu.Upstart0_6'")
bus.add_message_filter(lock_status)
gobject.MainLoop().run()
    
por aam 02.01.2016 / 04:24