Atualize o nível de brilho dependendo da fonte de energia em 16.04 LTS

7

Eu recentemente migrei para o 64 Bit 16.04 LTS do 32 Bit 14.04 LTS no meu laptop Toshiba L645. No sistema 14.04 LTS, eu tinha um script que atualizava automaticamente o nível de brilho dependendo da fonte de energia. Infelizmente eu não salvei esse script antes de sobrescrever o sistema. Atualmente, estou usando o seguinte script

#!/usr/bin/env bash
#
###########################################################
# Author: Serg Kolo , contact: [email protected] 
# Date: February 26 2016 
# Purpose: Brightness control that polls for
#          ac adapter presence. Uses
# Dependencies: on_ac_power script, dbus, Unity/Gnome 
# Written for: http://askubuntu.com/q/739617/295286
# Tested on: Ubuntu 14.04 LTS
###########################################################
# Copyright: Serg Kolo , 2016
#    
#     Permission to use, copy, modify, and distribute this software is hereby granted
#     without fee, provided that  the copyright notice above and this permission statement
#     appear in all copies.
#
#     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.

# uncomment the line bellow for debugging
#set -x

ARGV0="$0"
ARGC=$#


main()
{

  # defaults
  local DISPLAY=:0
  local DECREASE=30
  local INCREASE=75
  local RCFILE="$HOME/.auto-backlightrc"
  #---

  # Check the settings
  if [ -f $RCFILE ]
  then 
       source $RCFILE 
  else
       create_rcfile $DECREASE $INCREASE
  fi
  #---

  # now actually test if we're using ac adapter
  if ! on_ac_power 
  then 
        change_brightness $DECREASE
  # The two lines bellow are optional for 
  # setting brightness if on AC. remove # 
  # if you want to use these two

  # else 
       # change_brightness $INCREASE
  fi

}

change_brightness()
{
  dbus-send --session --print-reply\
    --dest=org.gnome.SettingsDaemon.Power\
    /org/gnome/SettingsDaemon/Power \
    org.gnome.SettingsDaemon.Power.Screen.SetPercentage uint32:"$1"
}

create_rcfile()
{
  echo "DECREASE="$1 >  "$RCFILE"
  echo "INCREASE="$2 >> "$RCFILE"
}


while true
do
   main
   sleep 0.25
done

No entanto, esse script só funciona quando a energia é trocada de CA para bateria e não restaura o nível de brilho quando a CA é ligada novamente. Além disso, uma vez na bateria, esse script tenta consistentemente definir o brilho no nível predefinido e, mesmo se eu tentar alterá-lo manualmente, ele redefine isso. Eu gostaria de poder alterar o nível de brilho manualmente se eu desejar mesmo em modo de bateria.

    
por thethakuri 18.06.2016 / 04:48

4 respostas

1

O roteiro de Serg parecia funcionar no começo. No entanto, depois de algum tempo, a porcentagem estava sendo avaliada incorretamente, especialmente depois de voltar da hibernação. Pode ter havido alguns problemas com qdbus , mas o nível de brilho não mudará apenas. Então, decidi codificar o nível de brilho usando o valor do arquivo max_brightness . Aqui está o meu /usr/local/bin/auto-backlight.sh :

#!/usr/bin/env bash

read MAX_BRIGHTNESS < /sys/class/backlight/intel_backlight/max_brightness

declare -i -r BATT_PERCENTAGE=45 
declare -i -r AC_PERCENTAGE=90 
declare -i -r ON_BATT=$(($MAX_BRIGHTNESS*$BATT_PERCENTAGE/100)) 
declare -i -r ON_AC=$(($MAX_BRIGHTNESS*$AC_PERCENTAGE/100))

wait_ac_connect() {   while ! on_ac_power ; do : ; sleep 0.25 ; done   echo "Adapter plugged in. Brightness level at $ON_AC" }

wait_ac_disconnect() {   while on_ac_power ; do : ; sleep 1.25 ; done  echo "Running on battery. Brightness level at $ON_BATT" }

main() {  
    while true
    do

      if on_ac_power ; then
        wait_ac_disconnect
         echo $ON_BATT > /sys/class/backlight/intel_backlight/brightness
      else
        wait_ac_connect
         echo $ON_AC > /sys/class/backlight/intel_backlight/brightness
      fi

      sleep 0.25

    done

}

main "$@"

Ao contrário do script de Serg, este requer um privilégio de root para escrever no arquivo brightness . Então eu criei um systemd service at /etc/systemd/system/auto-backlight.service :

[Unit]
Description=Change backlight on power source
ConditionFileIsExecutable=/usr/local/bin/auto-backlight.sh

[Service]
Type=simple
ExecStart=/usr/local/bin/auto-backlight.sh

[Install]
WantedBy=multi-user.target

Finalmente, faça o carregamento do serviço na inicialização com privilégios de root:

sudo systemctl enable auto-backlight.service
    
por thethakuri 21.06.2016 / 15:47
3

Introdução

O script abaixo permite lembrar os níveis de brilho dependendo da fonte de energia usada por um laptop. O padrão é 50% na bateria, 90% na CA.

Visão geral de opções e uso

source_monitor.sh [-a INT] [-b INT] [-v] [-h]

-a set initial brightness on AC adapter
-b set initial brightness on batter
-v enable verbose output
-h prints this help text

Instalação

Instalação usando git através do terminal:

  1. Executar sudo apt-get install git para instalar git
  2. Executar mkdir $HOME/bin . Ignore esta etapa se $HOME/bin já existir
  3. cd $HOME/bin
  4. Executar git clone https://github.com/SergKolo/sergrep.git
  5. O script estará em $HOME/bin/sergrep/source_monitor.sh . Certifique-se de que o script seja executável com chmod +x $HOME/bin/sergrep/source_monitor.sh
  6. Adicione o script como um aplicativo de inicialização. Procure o menu Startup Applications na pesquisa do Unity Dash ou Gnome. Como alternativa, execute o comando gnome-session-properties no terminal para ativar o menu. Adicione o caminho completo ao script como aplicativo de inicialização para que ele seja iniciado toda vez que você efetuar login na GUI.

Como alternativa, você pode copiar e salvar a fonte do script por si mesmo, chmod +x file , e passar pela etapa 6 descrita acima.

Para fazer o script iniciar automaticamente toda vez que você se conectar ao Gnome ou ao Unity, use o utilitário Startup Applications .

Origem do script

#!/usr/bin/env bash
#
###########################################################
# Author: Serg Kolo , contact: [email protected] 
# Date: June 18th 2016
# Purpose: Script that remembers and sets brightness
#      depending on power sources
# 
# Written for: https://askubuntu.com/q/788383/295286
# Tested on: Ubuntu 16.04 LTS , Ubuntu Kylin 16.04 LTS
###########################################################
# Copyright: Serg Kolo , 2016
#    
#     Permission to use, copy, modify, and distribute this software is hereby granted
#     without fee, provided that  the copyright notice above and this permission statement
#     appear in all copies.
#
#     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.

ARGV0="$0"
ARGC=$#
wait_ac_connect()
{
  while ! on_ac_power ; do : ; sleep 0.25 ; done
  $VERBOSE && echo "<<< adapter plugged in"
}

wait_ac_disconnect()
{
  while on_ac_power ; do : ; sleep 1.25 ; done 
  $VERBOSE && echo "<<< adapter unplugged"
}

change_brightness()
{
  qdbus org.gnome.SettingsDaemon \
       /org/gnome/SettingsDaemon/Power \
      org.gnome.SettingsDaemon.Power.Screen.SetPercentage "$1"
}

get_brightness()
{
  qdbus org.gnome.SettingsDaemon \
        /org/gnome/SettingsDaemon/Power \
        org.gnome.SettingsDaemon.Power.Screen.GetPercentage
}

print_usage()
{
cat <<EOF

source_monitor.sh [-a INT] [-b INT] [-v] [-h]

-a set initial brightness on AC adapter
-b set initial brightness on batter
-v enable verbose output
-h prints this help text

Copyright Serg Kolo , 2016
EOF
}

parse_args()
{
 # boiler-pate code for reusing, options may change
 local OPTIND opt  # OPTIND must be there, 
                   # opt can be renamed to anything
 # no leading : means errors reported(which is what i want)
 # : after letter means options takes args, no :  - no args
 while getopts "a:b:vh" opt
 do
   case ${opt} in
      a)  AC_PERCENTAGE="${OPTARG}"
        ;;
      b) BAT_PERCENTAGE="${OPTARG}"
        ;;
      v) VERBOSE=true
        ;;
      h) print_usage && exit 0
        ;;
     \?)
      echo "Invalid option: -$OPTARG" >&2
      ;;
    esac
  done
  shift $((OPTIND-1))
}

main()
{

    # default values, if -a,-b, or -v options given
    # they will be changed
    local BAT_PERCENTAGE=50
    local AC_PERCENTAGE=90
    local VERBOSE=false # for debugging

    parse_args "$@"

    while true
    do

      if on_ac_power ; then
         wait_ac_disconnect
          AC_PERCENTAGE=$(($(get_brightness)+1)) # too long to explain why +1
                         # just try it for yourself
          sleep 0.25
          change_brightness "$BAT_PERCENTAGE" > /dev/null
      else
          wait_ac_connect
          BAT_PERCENTAGE=$(($(get_brightness)+1))
          sleep 0.25
          change_brightness "$AC_PERCENTAGE" > /dev/null
      fi

      sleep 0.25

    done

}

main "$@"
    
por Sergiy Kolodyazhnyy 18.06.2016 / 20:47
1

Outra maneira seria criar regras para o udev e chamar um script simples para alterar o valor de brighness: Primeiro, crie um arquivo chamado auto-backlight.sh em seu diretório pessoal (ou qualquer outro de sua preferência) com seu editor favorito, como o gedit, e copie e cole o próximo código:

#!/bin/sh
# Adjust brightness of backlights based on power source
case $1 in
    # On battery
    true)
        # Dim screen backlight
        expr 'cat /sys/class/backlight/intel_backlight/max_brightness' / 10 > \
            /sys/class/backlight/intel_backlight/brightness
    ;;

    # On AC
    false)
        # Dim screen backlight
        cat /sys/class/backlight/intel_backlight/max_brightness > \
            /sys/class/backlight/intel_backlight/brightness
    ;;
esac

return 0

Por favor, note que /sys/class/backlight/intel_backlight/ pode ser algo diferente no seu sistema, como /sys/class/backlight/acpi_video0/ . Observe também que, possivelmente, você precisa alterar o valor de / 10 dependendo do valor de max_brightness , poderia ser 100, 50, 5, etc., pois é um fator de divisão.

Conceda permissões de execução ao novo script criado: chmod 771 auto-backlight.sh

Em seguida, crie um arquivo chamado 99auto-backlight.rules com seu editor favorito e coloque-o na pasta /etc/udev/rules.d/ : sudo gedit /etc/udev/rules.d/99auto-backlight.rules (ou vincule-o com o comando "ln"), contendo as duas linhas a seguir:

SUBSYSTEM=="power_supply", ATTR{online}=="0", RUN+="/path/to/your/script/auto-backlight.sh true"
SUBSYSTEM=="power_supply", ATTR{online}=="1", RUN+="/path/to/your/script/auto-backlight.sh false"

Substitua /path/to/your/script/ pelo caminho real em que o script auto-backlight.sh está localizado.

Agradecemos a Alex Layton por sua idéia aqui: link e ao Pilot6 por sua idéia aqui: link

    
por Ectatomma 07.02.2017 / 04:28
0

O Cuttlefish é uma ferramenta que ajuda a automatizar as alterações de configurações com base em eventos como a conexão e desconexão da fonte de alimentação

    
por Amias 18.06.2016 / 09:55