Можно ли быстро включить / отключить монитор в настройке с двумя мониторами (на рабочем столе)?

У меня очень простая установка с двумя экранами и 3 очень стандартными вариантами использования:

Моя установка

+------------------------+----------------+----------+
|         Set-up         | Screen (144Hz) |    TV    |
+------------------------+----------------+----------+
| A – joined or mirrored | Enabled        | Enabled  |
| B – Computer           | Enabled        | Disabled |
| C – Home Theater       | Disabled       | Enabled  |
+------------------------+----------------+----------+

Что означает, что при переключении между настройками у меня есть эти 4 сценария:

+------- --------------------+-------------+-----------+
|       Scenarios            | From set-up | To set-up |
+----------------------------+-------------+-----------+
| 1 – Turn on TV             | B           | C         |
| 2 – Turn off TV            | C           | B         |
| 3 – Extend displays        | B/C         | A         |
| 4 – Back to single display | A           | B/C       |
+----------------------------+-------------+-----------+

Я знаю, что в Ubuntu я могу использовать стандартное сочетание клавиш super + p для переключения дисплеев, однако оно не работает в любой из этих сценариев.

Во всех них мне нужно вручную войти в settings> devices> display и выбрать то, что я хочу, И каждый раз увеличивать частоту обновления экрана компьютера с 60 Гц до 144 Гц. .

Есть ли способ автоматизировать это? На W10 вы устанавливаете его один раз, и он запоминает настройку. Затем вы можете переключаться между настройками (двойной, одиночный, проектор, зеркальный).

Здесь сценарий 3 означает изменение положения относительных положений дисплеев каждый раз, и сценарий 4 не может быть реализован с помощью ярлыка, поскольку мой рабочий стол не имеет «встроенного дисплея».

В качестве альтернативы возможно ли установить внешний дисплей как встроенный?

Проблемы:

  1. Если экран повторно включен, его настройки полностью сбрасываются ( разрешение, частота обновления и относительное положение)
  2. Без встроенного дисплея невозможно включить или отключить экран с помощью ярлыка super + p
0
задан 25 June 2019 в 16:30

2 ответа

Кредит к MestreLion для того, чтобы сделать это решение возможным.

Интенсивное исследование позже я нашел связанный вопрос на ТАК с этим большим сценарием:

#!/bin/bash
#
# monitor-switch - switch outputs using xrand
#
#    Copyright (C) 2012 Rodrigo Silva (MestreLion) <linux@rodrigosilva.com>
#
#    This program is free software: you can redistribute it and/or modify
#    it under the terms of the GNU General Public License as published by
#    the Free Software Foundation, either version 3 of the License, or
#    (at your option) any later version.
#
#    This program is distributed in the hope that it will be useful,
#    but WITHOUT ANY WARRANTY; without even the implied warranty of
#    MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
#    GNU General Public License for more details.
#
#    You should have received a copy of the GNU General Public License
#    along with this program. See <http://www.gnu.org/licenses/gpl.html>

declare -A monitor_opts
declare -a monitors

myname="${0##*/}"
verbose=0

# Read settings from config file
config=${XDG_CONFIG_HOME:-"$HOME"/.config}/"$myname".conf
if [[ -f "$config" ]]; then
    source "$config"
fi

print_monitors() {
    while read -r output conn hex; do
        echo "# $output $conn   $(xxd -r -p <<<"$hex")"
    done < <(xrandr --prop | awk '
    !/^[ \t]/ {
        if (output && hex) print output, conn, hex
        output=$1
        hex=""
    }
    /ConnectorType:/ {conn=$2}
    /[:.]/ && h {
        sub(/.*000000fc00/, "", hex)
        hex = substr(hex, 0, 26) "0a"
        sub(/0a.*/, "", hex)
        h=0
    }
    h {sub(/[ \t]+/, ""); hex = hex $0}
    /EDID.*:/ {h=1}')
}

# if there's no pre-defined monitors list, read from xrandr
# and save them to config file
if [[ -z "$monitors" ]]; then
    while read -r output ; do
        monitors+=("$output")
    done < <(xrandr | awk '$2 ~/^c/{print $1}' | sort)
    cat > "$config" <<-EOF
        # $myname config file
        # List of monitors, from left to right. Edit to your actual layout
        monitors=(${monitors[@]})
        # Extra xrandr options for each monitor.
        # Useful when EDID data does not reflect actual preferred mode
        # Options for non-existing outputs (such as the examples below) are ignored
        # Examples:
        monitor_opts[DFPx]="--mode 1920x1080 --rate 60"
        monitor_opts[DFPy]="--mode 1280x720"
        # As a reference, these were the connected monitors when this config file was created
        # use it as a guide when editing the above monitors list and extra options
        $(print_monitors)
        # For an updated list, run $myname --list
    EOF
fi

message() { printf "%s\n" "$1" >&2 ; }
fatal()   { [[ "$1" ]] && message "$myname: error: $1" ; exit ${2:-1} ; }
argerr()  { printf "%s: %s\n" "$myname" "${1:-error}" >&2 ; usage 1 ; }
invalid() { argerr "invalid argument: $1" ; }
missing() { argerr "missing ${2:+$2 }operand${1:+ from $1}." ; }

usage() {
    cat <<-USAGE
    Usage: $myname [options]
    USAGE
    if [[ "$1" ]] ; then
        cat >&2 <<- USAGE
        Try '$myname --help' for more information.
        USAGE
        exit 1
    fi
    cat <<-USAGE
    Switch monitors using xrandr.
    Options:
      -h|--help          - show this page.
      -v|--verbose       - print in terminal the full xrandr command executed.
      -l|--list          - list connector and monitor names of connected outputs
      -a|--all           - enable all monitors.
      -s|--select OUTPUT - enable monitor OUTPUT, disable all others.
      -l|--left          - enable leftmost monitor.  Alias for --select ${monitors[0]}
      -r|--right         - enable rightmost monitor. Alias for --select ${monitors[${#monitors[@]}-1]}
    Copyright (C) 2012 Rodrigo Silva (MestreLion) <linux@rodrigosilva.com>
    License: GPLv3 or later. See <http://www.gnu.org/licenses/gpl.html>
    USAGE
    exit 0
}

# Option handling
for arg in "$@"; do [[ "$arg" == "-h" || "$arg" == "--help" ]] && usage ; done
while (( $# )); do
    case "$1" in
    -v|--verbose) verbose=1 ;;
    -q|--no-notify) notify=0 ;;
    -l|--list) list=1 ;;
    -a|--all) all=1 ;;
    -s|--select) shift ; monitor="$1" ;;
    -l|--left ) monitor="${monitors[0]}" ;;
    -r|--right) monitor="${monitors[${#monitors[@]}-1]}" ;;
    *) invalid "$1" ;;
    esac
    shift
done

if ((list)); then
    echo "Connected monitors:"
    print_monitors
    exit
fi

if [[ -z "$monitor" && -z "$all" ]]; then
    usage
fi

# Loop outputs (monitors)
for output in "${monitors[@]}"; do
    if ((all)) || [[ "$output" = "$monitor" ]]; then
        xrandropts+=(--output "$output" --auto ${monitor_opts["$output"]})
        if ((all)); then
            if [[ "$output" = "${monitors[0]}" ]]; then
                xrandropts+=(--pos 0x0 --primary)
            else
                xrandropts+=(--right-of "$previous")
            fi
            previous="$output"
        else
            xrandropts+=(--primary)
        fi
    else
        xrandropts+=(--output "$output" --off)
    fi
done

((verbose)) && message "$myname: executing xrandr ${xrandropts[*]}"
xrandr "${xrandropts[@]}"

Код также совместно используется на GitHub.

С этим сценарием, отображенным на сочетании клавиш, я могу легко переключить мониторы:

monitor-switch --left
monitor-switch --right

Сценарий также создает конфигурационный файл в /home/.config/monitor-switch.conf. Эти 3 файла конфигурации строк позволяют, чтобы были зарегистрированы две вещи:

  1. Физическое расположение экранов: какой идет слева/справа другого. Который является большим, когда Ваш основной дисплей справа от Вашего вторичного дисплея (мой случай).
  2. Режим для использования, когда монитор включен (значение по умолчанию быть xrandr --auto). В моем, например, я могу сохранить monitor_opts[DP-2]="--mode 1920x1080 --rate 144"
0
ответ дан 24 October 2019 в 02:38

Иногда мои мониторы будут идти неровно (оставленный, становится правильным, вершина становится нижней частью, и т.д.), и иногда мой второй монитор будет размыт цвета. Для этого я просто ввожу xreset и все возвращается к нормальному. Я создал функцию в ~/.bashrc с этой целью:

$ type -a xreset

xreset is a function

xreset () 
{ 
    # Reset xrandr to normal, first use: xrandr | grep " connected "
    # HDMI-0 connected 1920x1080+0+0 (normal left inverted right x axis y axis) 1107mm x 623mm
    # eDP-1-1 connected primary 1920x1080+3840+2160 (normal left inverted right x axis y axis) 382mm x 215mm
    # DP-1-1 connected 3840x2160+1920+0 (normal left inverted right x axis y axis) 1600mm x 900mm
    xrandr --output HDMI-0  --mode 1920x1080 --pos 0x0       --rotate normal \
           --output eDP-1-1 --mode 1920x1080 --pos 3840x2160 --rotate normal \
           --output DP-1-1  --mode 3840x2160 --pos 1920x0    --rotate normal

}

Вы могли сделать что-то похожее с xconfig1, xconfig2, и т.д. и затем свяжите их с сочетаниями клавиш.

0
ответ дан 24 October 2019 в 02:38

Другие вопросы по тегам:

Похожие вопросы: