Linux: Como hibernar após um período de sono

5

Um dos recursos do windows que eu sinto falta no linux é o seguinte: No Windows você fecha a tampa do notebook e o sistema suspende para a RAM, depois de um tempo (configurável) o computador automaticamente acorda e passa para o disco. Eu sei que no linux existe o modo suspend2both mas que funciona suspendendo para o disco logo antes de ficar sem bateria, que é o que eu estou tentando evitar.

EDIT: Resposta mais detalhada encontrada após a pesquisa com os dados da resposta

link

EDIT2: Esses são os passos que eu segui usando o Ubuntu 11.04 em um MSI Wind U100.

Primeiro: eu instalei o tuxonice porque a hibernação não estava funcionando no meu netbook. Como efeito colateral, os processos de hibernação e ativação são bastante rápidos e muito estáveis. A única desvantagem é que a exibição no modo de hibernação / reinício está no modo de texto. A maneira mais fácil de instalar o tuxonice é adicionando o ppa correspondente: link

Uma vez que você tenha a hibernação trabalhando, esse script faz toda a mágica

#!/bin/bash
# Script name: /etc/pm/sleep.d/00rtchibernate
# Purpose: Auto hibernates after a period of sleep
# Edit the "autohibernate" variable below to set the number of seconds to sleep.
curtime=$(date +%s)
autohibernate=7200
echo "$curtime $1" >>/tmp/autohibernate.log
if [ "$1" = "suspend" ]
then
    # Suspending.  Record current time, and set a wake up timer.
    echo "$curtime" >/var/run/pm-utils/locks/rtchibernate.lock
    rtcwake -m no -s $autohibernate
fi

if [ "$1" = "resume" ]
then
    # Coming out of sleep
    sustime=$(cat /var/run/pm-utils/locks/rtchibernate.lock)
    rm /var/run/pm-utils/locks/rtchibernate.lock
    # Did we wake up due to the rtc timer above?
    if [ $(($curtime - $sustime)) -ge $autohibernate ]
    then
        # Then hibernate
        rm /var/run/pm-utils/locks/pm-suspend.lock
        /usr/sbin/pm-hibernate
    else
        # Otherwise cancel the rtc timer and wake up normally.
        rtcwake -m no -s 1
    fi
fi

Ao modificar o valor auto-hibernar, você altera o tempo de hibernação após o qual a máquina será ativada e entrará instantaneamente na hibernação

NOTA: Você pode ter que instalar o rtcwake, eu já tinha instalado, mas não me lembro se eu mesmo instalei o pacote.

    
por DrNoone 17.06.2011 / 22:52

3 respostas

4

Para outras distros como o CentOS ou Fedor ou Redhat, que usa systemd . Precisamos alterar a localização do script em vez de colocá-lo em /etc/pm/sleep.d/ e colocá-lo em /usr/lib/systemd/system-sleep/ como 0000rtchibernate.sh use chmod +x para torná-lo executável.

Finalmente, são necessários alguns ajustes no script para torná-lo compatível com systemd . Para simplificar, estou dando o script completo de reescrita

#!/bin/bash
# Script name: /usr/lib/systemd/system-sleep/0000rtchibernate
# Purpose: Auto hibernates after a period of sleep
# Edit the "autohibernate" variable below to set the number of seconds to sleep.
curtime=$(date +%s)
autohibernate=3600 #number is second
lock=/tmp/rtchibernate.lock
echo "$curtime $1" >>/tmp/autohibernate.log
if [ "$1" = "pre" ]
then
    # Suspending.  Record current time, and set a wake up timer.
    echo "$curtime" > $lock
    rtcwake -m no -s $autohibernate
fi

if [ "$1" = "post" ]
then
    # Coming out of sleep
    sustime='cat $lock'
    rm $lock
    # Did we wake up due to the rtc timer above?
    if [ $(($curtime - $sustime)) -ge $autohibernate ]
    then
        # Then hibernate
        systemctl hibernate
    else
        # Otherwise cancel the rtc timer and wake up normally.
        rtcwake -m no -s 1
    fi
fi

A variável autohibernate está, em segundos, alterando-a conforme a necessidade. Espero ter ajudado

    
por 05.12.2016 / 15:44
4

Eu acho que o que você quer é algo como link que poderia ser usado em vez do programa padrão S2R (AKA sleep). Isso pode acordar a máquina se ela estiver adormecida por mais de (digamos) 20 minutos e acionar uma hibernação.

    
por 28.06.2011 / 22:06
1

Não se esqueça de chmod +x desse arquivo, tornando-o executável.

Há outra solução sem rtcwake , usando wakealarm em /sys/class/rtc/rtc0 . Use código obsoleto em funções pm ( /usr/lib/pm-utils ) após os comentários #porque o kernel não suporta diretamente ... (porque o kernel atual (após 3.6 algo) suporta diretamente). Reverta esse código e coloque em do_suspend() part em vez de do_suspend_hybrid() .

Código obsoleto (suspender e depois hibernar quando o suspend_hybrid for chamado):

# since the kernel does not directly support hybrid sleep, we do
# something else -- suspend and schedule an alarm to go into
# hibernate if we have slept long enough.
# Only do this if we do not need to do any special video hackery on resume
# from hibernate, though.
if [ -z "$SUSPEND_HYBRID_MODULE" -a -w "$PM_RTC/wakealarm" ] && \
    check_suspend && check_hibernate && ! is_set $HIBERNATE_RESUME_POST_VIDEO; \
    then
    SUSPEND_HYBRID_MODULE="kernel"
    do_suspend_hybrid() {
    WAKETIME=$(( $(cat "$PM_RTC/since_epoch") + PM_HIBERNATE_DELAY))
    echo >"$PM_RTC/wakealarm"
    echo $WAKETIME > "$PM_RTC/wakealarm"
    if do_suspend; then
        NOW=$(cat "$PM_RTC/since_epoch")
        if [ "$NOW" -ge "$WAKETIME" -a "$NOW" -lt $((WAKETIME + 30)) ]; then
        log "Woken by RTC alarm, hibernating."
        # if hibernate fails for any reason, go back to suspend.
        do_hibernate || do_suspend
        else
        echo > "$PM_RTC/wakealarm"
        fi
    else
        # if we cannot suspend, just try to hibernate.
        do_hibernate
    fi
    }
fi

Recomendado. Ainda mais fácil usar uswsusp enquanto o mesmo tempo maximiza o benefício de s2both , ou seja, s2both when suspend . Coloque o código revertido em do_suspend() part of uswsusp module ( /usr/lib/pm-utils/module.d ).

Código revertido (suspend_hybrid quando a suspensão é chamada):

WAKETIME=$(( $(cat "$PM_RTC/since_epoch") + PM_HIBERNATE_DELAY))
echo >"$PM_RTC/wakealarm"
echo $WAKETIME > "$PM_RTC/wakealarm"
if do_suspend_hybrid; then
    NOW=$(cat "$PM_RTC/since_epoch")
    if [ "$NOW" -ge "$WAKETIME" -a "$NOW" -lt $((WAKETIME + 30)) ];             then
    log "Woken by RTC alarm, hibernating."
    # if hibernate fails for any reason, go back to suspend_hybrid.
    do_hibernate || do_suspend_hybrid
    else
    echo > "$PM_RTC/wakealarm"
    fi
else
    # when do_suspend is being called, convert to suspend_hybrid.
    do_suspend_hybrid
fi      

Com uswsusp , podemos ver o progresso de suspend / hibernate e o processo reverso exibido no texto, até mesmo podemos abortá-lo pressionando backspace. Sem uswsusp , suspender / hibernar apenas aparecer - desaparecer irritantemente, especialmente quando wakealarm for acionado e executar hibernate ( s2disk in uswsusp). Defina o período de suspensão antes de hibernar no lugar normal no arquivo pm-functions .

# variables to handle hibernate after suspend support
PM_HIBERNATE_DELAY=900  # 15 minutes
PM_RTC=/sys/class/rtc/rtc0

Aqui está o uswsusp mod: (lembre-se, este módulo é chamado de pm-functions , então as variáveis inseridas são as mesmas)

#!/bin/sh

# disable processing of 90chvt and 99video.
# s2ram and s2disk handle all this stuff internally.
uswsusp_hooks()
{
    disablehook 99video "disabled by uswsusp"
}

# Since we disabled 99video, we need to take responsibility for proper
# quirk handling.  s2ram handles all common video quirks internally,
# so all we have to do is translate the HAL standard options to s2ram options.
uswsusp_get_quirks()
{
    OPTS=""
    ACPI_SLEEP=0
    for opt in $PM_CMDLINE; do
        case "${opt##--quirk-}" in # just quirks, please
            dpms-on)       ;; # no-op
            dpms-suspend)      ;; # no-op
            radeon-off)        OPTS="$OPTS --radeontool" ;;
            reset-brightness)  ;; # no-op
            s3-bios)       ACPI_SLEEP=$(($ACPI_SLEEP + 1)) ;;
            s3-mode)       ACPI_SLEEP=$(($ACPI_SLEEP + 2)) ;;
            vbe-post)      OPTS="$OPTS --vbe_post" ;;
            vbemode-restore)   OPTS="$OPTS --vbe_mode" ;;
            vbestate-restore)  OPTS="$OPTS --vbe_save" ;;
            vga-mode-3)        ;; # no-op
            save-pci)          OPTS="$OPTS --pci_save" ;;
            none)          QUIRK_NONE="true" ;;
            *) continue ;;
        esac
    done
    [ $ACPI_SLEEP -ne 0 ] && OPTS="$OPTS --acpi_sleep $ACPI_SLEEP"
    # if we were told to ignore quirks, do so.
    # This is arguably not the best way to do things, but...
    [ "$QUIRK_NONE" = "true" ] && OPTS=""
}

# Since we disabled 99video, we also need to handle displaying
# help info for the quirks we handle.
uswsusp_help()
{
    echo  # first echo makes it look nicer.
    echo "s2ram video quirk handler options:"
    echo
    echo "  --quirk-radeon-off"
    echo "  --quirk-s3-bios"
    echo "  --quirk-s3-mode"
    echo "  --quirk-vbe-post"
    echo "  --quirk-vbemode-restore"
    echo "  --quirk-vbestate-restore"
    echo "  --quirk-save-pci"
    echo "  --quirk-none"
}

# This idiom is used for all sleep methods.  Only declare the actual
# do_ method if:
# 1: some other sleep module has not already done so, and
# 2: this sleep method can actually work on this system.
#
# For suspend, if SUSPEND_MODULE is set then something else has already
# implemented do_suspend.  We could just check to see of do_suspend was
# already declared using command_exists, but using a dedicated environment
# variable makes it easier to debug when we have to know what sleep module
# ended up claiming ownership of a given sleep method.
if [ -z "$SUSPEND_MODULE" ] && command_exists s2ram && \
    ( grep -q mem /sys/power/state || \
        ( [ -c /dev/pmu ] && check_suspend_pmu; ); ); then
    SUSPEND_MODULE="uswsusp"
    do_suspend()
    {
        WAKETIME=$(( $(cat "$PM_RTC/since_epoch") + PM_HIBERNATE_DELAY))
        echo >"$PM_RTC/wakealarm"
        echo $WAKETIME > "$PM_RTC/wakealarm"
        if do_suspend_hybrid; then
            NOW=$(cat "$PM_RTC/since_epoch")
            if [ "$NOW" -ge "$WAKETIME" -a "$NOW" -lt $((WAKETIME + 30)) ]; then
            log "Woken by RTC alarm, hibernating."
            # if hibernate fails for any reason, go back to suspend_hybrid.
            do_hibernate || do_suspend_hybrid
            else
            echo > "$PM_RTC/wakealarm"
            fi
        else
            # when do_suspend is being called, convert to suspend_hybrid.
            do_suspend_hybrid
        fi      
    }
fi

if [ -z "$HIBERNATE_MODULE" ] && \
    [ -f /sys/power/disk ] && \
    grep -q disk /sys/power/state && \
    [ -c /dev/snapshot ] &&
    command_exists s2disk; then
    HIBERNATE_MODULE="uswsusp"
    do_hibernate()
    {
        s2disk
    }
fi

if [ -z "$SUSPEND_HYBRID_MODULE" ] && 
    grep -q mem /sys/power/state && \
    command_exists s2both && \
    check_hibernate; then
    SUSPEND_HYBRID_MODULE="uswsusp"
    do_suspend_hybrid()
    {   
        uswsusp_get_quirks
        s2both --force $OPTS 
    }
    if [ "$METHOD" = "suspend_hybrid" ]; then
        add_before_hooks uswsusp_hooks
        add_module_help uswsusp_help
    fi
fi
    
por 31.10.2013 / 13:55

Tags