Establecer límites de tiempo para aplicaciones específicas (como juegos)


8

Me gustaría establecer límites de tiempo para algunas aplicaciones específicas (como juegos) en Ubuntu. Hay varias aplicaciones de Windows que pueden hacer esto, incluido el Bloqueador de programas HomeGuard, que puede limitar el uso de ciertas aplicaciones a momentos específicos del día o restringir el uso de aplicaciones a ciertos períodos de tiempo. ¿Hay algún software similar para Ubuntu?


Hay un programa llamado Control Parental para Ubuntu, pero no sé si hace posible bloquear todas las aplicaciones.
Anderson Green

Hasta ahora, esta es la única discusión relevante que he encontrado en los foros de Ubuntu: ubuntuforums.org/showthread.php?t=977836 Alguien mencionó aplicaciones llamadas "Cyborg" y "Cybercafe", y todavía estoy tratando de encontrar ellos.
Anderson Green

También hay un programa llamado timekpr, pero no sé si puede bloquear el acceso a aplicaciones específicas.
Anderson Green

Si voy a desarrollar una aplicación que haga esto, entonces necesitaré encontrar una manera de detectar procesos en ejecución: cyberciti.biz/faq/show-all-running-processes-in-linux
Anderson Green

También es posible restringir el acceso a las aplicaciones a través de la línea de comandos; esta información también puede ser útil para los desarrolladores. askubuntu.com/questions/8149/…
Anderson Green

Respuestas:


6

Acabo de hacer el siguiente script para este propósito. Lo llamé timelimit:

#!/bin/bash

#timelimit - Set daily time limits for specific applications

#Licensed under the standard MIT license:
#Copyright 2013 Radu Rădeanu (https://askubuntu.com/users/147044/).
#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

if [ $# -ne 1 ];then
    echo "Usage: `basename $0` APP_NAME"
    exit 1
fi

export DISPLAY=:0

app_name=$@
time_to_play_daily="2:30:00"  # channge as you wish; the format is: H[:M[:S]]
file="$HOME/.count_time_$app_name"

if [ -a $file ]; then
    if [ "$(head -1 $file)" != "$(date +%D)" ]; then
        echo $(date +%D) > $file
        echo $time_to_play_daily >> $file
    fi
else 
    touch $file
    echo $(date +%D) >> $file
    echo $time_to_play_daily >> $file
fi

time_to_play_left=$(sed -n '2p' $file)

sec_left=$(echo $time_to_play_left | awk -F: '{ print ($1 * 3600) + ($2 * 60) + $3 }')

function countdown
{
    sec_left=$(echo $time_to_play_left | awk -F: '{ print ($1 * 3600) + ($2 * 60) + $3 }')
    local start=$(date +%s)
    local end=$((start + sec_left))
    local cur=$start

    while [[ $cur -lt $end ]]; do
        pid=$(pgrep -x $app_name)
        if [ "$pid" != "" ]; then
            cur=$(date +%s)
            sec_left=$((end-cur))
            time_to_play_left="$((sec_left/3600)):$(((sec_left/60)%60)):$((sec_left%60))"
            sed -i "2s/.*/$time_to_play_left/" $file
            # next line is useful only when you test from terminal
            printf "\rTime left to play with %s: %02d:%02d:%02d" $app_name $((sec_left/3600)) $(((sec_left/60)%60)) $((sec_left%60))
            sleep 1
        else
            break
        fi
    done
}

while : ; do
    pid=$(pgrep -x $app_name)
    sleep 1
    if [ "$pid" != "" ]; then
        if [ $sec_left -gt 0 ]; then
            notify-send -i $app_name "Time left to play with $app_name for today: $time_to_play_left"
        else
            notify-send -i "error" "Your time to play with $app_name has finished for today!"
        fi
        countdown $time_to_play_left
        pid=$(pgrep -x $app_name)
        if [ "$pid" != "" ]; then kill $pid; fi
    fi
done

No olvides hacerlo ejecutable:

chmod +x timelimit

Sintaxis:

límite de tiempo APP_NAME

Importante:

  • Puede probar este script en la terminal, pero debe ejecutarse al inicio del sistema. Para que se ejecute al inicio, consulte ¿Cómo ejecutar scripts al inicio?
  • Este script debe reiniciarse a medianoche si no apaga su computadora por la noche. Para hacer esto, puede agregar un trabajo cron como:

    00 00 * * * kill `pgrep -x timelimit` && timelimit APP_NAME
    

    Más sobre: https://help.ubuntu.com/community/CronHowto


Wauw! ¡Agradable! ¿Reiniciar la computadora pasaría por alto el límite de tiempo? Si es así, ¿sería posible hacer que el límite de tiempo sea persistente (en un archivo de solo lectura, por ejemplo)?
don.joey

@Private Puedes probarlo. El límite de tiempo se almacena en un archivo, por lo tanto, sí, la computadora omite el límite de tiempo al reiniciar.
Radu Rădeanu

Creo que esto podría empaquetarse y convertirse en parte de los repositorios. Hermosas habilidades de bash! Gracias y me alegra ofrecerte esta recompensa.
don.joey

Es bueno que aparezca un pequeño cuadro de mensaje de ubuntu para decir que el tiempo de jugar con un juego ha terminado por un día, pero ese mensaje sigue mostrándose ... durante horas :)
don.joey

@Private ¿Con qué aplicación lo probaste? Esa aplicación probablemente quiera abrirse una y otra vez.
Radu Rădeanu

0

Restringir para cada lanzamiento
Simple y fácilmente pirateable. Pero úselo para controlarse y
timeout 15 totem saldrá del programa después de 15 segundos. Pero puede ser lanzado nuevamente. Edite y agregue timeout <sec>al exec campo del archivo '.desktop' de las aplicaciones

Al usar nuestro sitio, usted reconoce que ha leído y comprende nuestra Política de Cookies y Política de Privacidad.
Licensed under cc by-sa 3.0 with attribution required.