대화 스크립트의 컴퓨터 아키텍처

대화 스크립트의 컴퓨터 아키텍처

내 컴퓨터 아키텍처를 표시하는 대화 상자가 있는 프로그램을 만들고 싶습니다. 하지만 잘못된 출력이 있습니다. 이것은 내 스크립트입니다.

#!/bin/bash 
# ComputerArchitecture_interactive_dialog: an interactive dialog to see the ComputerArchitecture in a simple way.

DIALOG_CANCEL=1
DIALOG_ESC=255
HEIGHT=0
WIDTH=0

display_result() {
  dialog --title "$1" \
    --no-collapse \
    --msgbox "$result" 0 0
}

while true; do
  exec 3>&1
  selection=$(dialog \
    --backtitle "Computer Architecture list" \
    --title "ComputerArchitectuur" \
    --clear \
    --cancel-label "Exit" \
    --menu "Use [ENTER] to select:" $HEIGHT $WIDTH 4 \
    "1" "Information about Processors and Cores" \
    "2" "Information about RAM-memory" \
    "3" "Information about connected drives and USB-devices" \
    "4" "Inforamtion about the current load" \ 
    2>&1 1>&3)
  exit_status=$?
  exec 3>&-
  case $exit_status in
    $DIALOG_CANCEL)
      clear
      echo "Program stopped."
      exit
      ;;
    $DIALOG_ESC)
      clear
      echo "Program closed." >&2
  exit 1
  ;;
  esac
  case $selection in
    0 )
      clear
      echo "Program stopped."
      ;;
    1 )
      result=$(echo "Processors and Cores"; lscpu)
      display_result "Processors and Cores"
      ;;
    2 )
      result=$(echo "RAM"; dmicode --type 17)
      display_result "RAM"
      ;;
    3 )
     result=$(echo "Connected drives and USB-devices";lsblk \lsusb)
     display_result "Connected drives and USB-devices"
     ;;
   4 )
     result=$(echo "Current load"; top)
     display_result "Current load"
     ;;
 esac
done

이것은 잘못된 출력입니다.

Error: Expected 2 arguments, found only 1. 
Use --help to list options. 

답변1

프로세스 대체를 큰따옴표로 묶어야 합니다. 그들 모두. 또한 변수(모든 변수 - $selection, $HEIGHT, $WIDTH, $DIALOG_CANCEL, $DIALOG_ESC 및 사용하는 기타 변수)를 사용할 때 큰따옴표를 사용해야 합니다.

예를 들어 다음과 같이 하지 마세요.

result=$(echo "Processors and Cores"; lscpu)

이 작업을 수행:

result="$(echo "Processors and Cores"; lscpu)"

그리고 이렇게 하지 마세요:

case $selection in

이 작업을 수행:

case "$selection" in

더 나은 방법은 display_result전역 변수( )에 의존하지 않도록 함수를 다시 작성하는 것입니다 $result.

예를 들어:

display_result() {
  # This version of display_result takes multiple args.
  # The first is the title.  The rest are displayed in the 
  # message box, with a newline between each arg.
  # To insert a blank line use an empty string '' between any two args.
  title="$1" ; shift

  dialog --title "$title" \
    --no-collapse \
    --msgbox "$(printf "%s\n" "$@")" 0 0
}

그런 다음 사례 설명에서 다음과 같이 사용합니다.

...
case "$selection" in
  1) display_result 'Processors and Cores' "$(lscpu)" ;;
  2) display_result 'RAM' "$(dmicode --type 17)" ;;
  ...
esac

관련 정보