"hash -r"을 사용하고 모든 쉘을 새로 고치는 방법은 무엇입니까?

"hash -r"을 사용하고 모든 쉘을 새로 고치는 방법은 무엇입니까?

이는 다음과 관련이 있습니다.해시 명령의 목적은 무엇입니까?프로그램을 설치한 후 열려 있는 모든 셸에 캐시를 업데이트하도록 지시하는 방법을 찾고 있습니다. 보통 6~8개 뜨는데 hash -r8~10개는 달리고 싶지 않거든요 . 어떤 일을 두 번 이상 하는 것은 시간과 에너지 낭비입니다.

하나의 셸에 프로그램을 설치한 후 (1) 모든 셸이 캐시된 프로그램의 보기를 다시 작성하도록 하거나 (2) 테이블을 다시 작성하고 다른 모든 셸에 해당 테이블을 사용할 수 있습니까? 그렇다면 어떻게 할 수 있습니까?


관련된 부분인데 man 1 hash, 어떻게 글로벌 규모로 성과를 낼 수 있을지에 대한 논의는 없습니다.

   hash [-lr] [-p filename] [-dt] [name]
          Each time hash is invoked, the full pathname of the command name
          is  determined  by searching the directories in $PATH and remem‐
          bered.  Any previously-remembered pathname is discarded.  If the
          -p option is supplied, no path search is performed, and filename
          is used as the full filename of  the  command.   The  -r  option
          causes  the  shell  to  forget all remembered locations.  The -d
          option causes the shell to forget  the  remembered  location  of
          each  name.   If the -t option is supplied, the full pathname to
          which each name corresponds is printed.  If multiple name  argu‐
          ments  are  supplied  with  -t,  the  name is printed before the
          hashed full pathname.  The -l option causes output  to  be  dis‐
          played in a format that may be reused as input.  If no arguments
          are given, or if only -l is supplied, information  about  remem‐
          bered  commands  is printed.  The return status is true unless a
          name is not found or an invalid option is supplied.

답변1

TLDR 솔루션은 다음과 같습니다. 기존 셸 세션에서 프로그래밍 방식으로 명령을 실행하려는 경우 이 ttyecho프로그램을 사용할 수 있습니다.

경고하다: 이는 일반적으로 안전한 작업이 아니며 각 세션의 상태에 민감합니다. StephenKitt 사용자가 지적했듯이 이 접근 방식에서는 각 터미널 세션에서 입력 수신을 기다리는 프롬프트가 필요합니다.

PROMPT_COMMAND='hash -r'또 다른 해결책은 파일에 명령문을 추가하여 경로 해싱을 효과적으로 비활성화하는 것입니다 ~/.bashrc. 이는 현재 실행 중인 세션에는 영향을 미치지 않지만 앞으로 이 문제가 발생하는 것을 방지합니다.

마지막으로 터미널 멀티플렉서 사용을 고려할 수 있습니다.멀티플렉서, 동시에 여러 터미널에서 명령 실행을 지원합니다.

자세한 답변은 다음과 같습니다.


당신이 찾고 있는 기본 기능은 다른 활성 셸 세션 내에서 프로그래밍 방식으로 명령을 실행하는 기능인 것 같습니다. 이 질문(다른 쉘 세션에서 명령을 실행하는 방법)은 이 사이트의 다른 곳에서 해결되었습니다. 예를 들면 다음과 같습니다.

다른 활성 쉘 세션에서 명령을 실행하는 가장 쉬운 방법은 이 유틸리티를 사용하는 것 같습니다 ttyecho. 이 ttyecho프로그램은 작고 독립적인 단일 파일 C 프로그램입니다. 다음은 ttyecho소스 코드 및 문서에 대한 몇 가지 참고 자료 입니다 .

완전성을 위해 소스 코드는 다음과 같습니다.

// ttyecho.c
// Original author: Pratik Sinha
// http://www.humbug.in/2010/utility-to-send-commands-or-data-to-other-terminals-ttypts/

#include <stdio.h>
#include <stdlib.h>
#include <fcntl.h>
#include <sys/stat.h>
#include <sys/ioctl.h>
#include <string.h>
#include <unistd.h>

void print_help(char *prog_name) {
    printf("Usage: %s [-n] DEVNAME COMMAND\n", prog_name);
    printf("Usage: '-n' is an optional argument if you want to push a new line at the end of the text\n");
    printf("Usage: Will require 'sudo' to run if the executable is not setuid root\n");
    exit(1);
}

int main (int argc, char *argv[]) {
    char *cmd, *nl = "\n";
    int i, fd;
    int devno, commandno, newline;
    int mem_len;
    devno = 1; commandno = 2; newline = 0;
    if (argc < 3) {
        print_help(argv[0]);
    }
    if (argc > 3 && argv[1][0] == '-' && argv[1][1] == 'n') {
        devno = 2; commandno = 3; newline=1;
    } else if (argc > 3 && argv[1][0] == '-' && argv[1][1] != 'n') {
        printf("Invalid Option\n");
        print_help(argv[0]);
    }
    fd = open(argv[devno],O_RDWR);
    if(fd == -1) {
        perror("open DEVICE");
        exit(1);
    }
    mem_len = 0;
    for ( i = commandno; i < argc; i++ ) {
        mem_len += strlen(argv[i]) + 2;
        if ( i > commandno ) {
            cmd = (char *)realloc((void *)cmd, mem_len);
        } else { //i == commandno
            cmd = (char *)malloc(mem_len);
        }

        strcat(cmd, argv[i]);
        // strcat(cmd, " ");
    }
  if (newline == 0)
        usleep(225000);
    for (i = 0; cmd[i]; i++)
        ioctl (fd, TIOCSTI, cmd+i);
    if (newline == 1)
        ioctl (fd, TIOCSTI, nl);
    close(fd);
    free((void *)cmd);
    exit (0);
}

소스 코드를 다운로드하거나 이라는 파일에 복사하여 붙여넣으면 ttyecho.c다음과 같이 프로그램을 컴파일할 수 있습니다.

gcc ttyecho.c -o ttyecho

프로그램이 컴파일되면 이를 사용하여 다른 쉘 세션에서 원하는 명령을 실행할 수 있습니다. 여기에는 hash -r각 활성 셸 세션 내에서 프로그래밍 방식으로 명령을 실행하는 기능이 포함됩니다 . Mac OS X의 모든 셸 세션에서 해시된 명령을 지우는 한 가지 방법은 다음과 같습니다.

for _tty in /dev/ttys*; do ./ttyecho -n 'hash -r' ${_tty}; done

Linux 시스템에서는 다음을 수행할 수 있습니다.

for _tty in /dev/pts/*; do ./ttyecho -n 'hash -r' ${_tty}; done

일부 댓글에서는 문제를 재현하는 방법을 요청했기 때문에 해싱이 실행된 프로그램에 어떤 영향을 미치는지 설명하기 위해 다음 스크립트를 추가했습니다.

# Create two bin directories
mkdir -p ~/local/bin1
mkdir -p ~/local/bin2

# Add the directories to the PATH, with bin2 preceding bin1
export PATH="${HOME}/local/bin2:${HOME}/local/bin1:${PATH}"

# Create a test script and put it in the bin1 directory
cat <<HEREDOC > ~/local/bin1/test.sh
#!/bin/bash
# test.sh

echo "This is test #1, it's in ~/local/bin1"
HEREDOC

# Make the script executable
chmod +x ~/local/bin1/test.sh

# Verify that the script is found by using the "which" command
which test.sh

# Output:
#
#   /home/username/local/bin1/test.sh

# Verify that the script is found by using the "type" command
type test.sh

# Output:
#
#   test.sh is /home/username/local/bin1/test.sh

# Test the script
test.sh

# Output:
#
#   This is test #1, it's in ~/local/bin1

# Now hash the test script
hash test.sh

# Verify that the script has been hashed by using the "type" command
type test.sh

# Output:
#
#   test.sh is hashed (/home/username/local/bin1/test.sh)

# Now create a second test script and put it in bin2 to shadow the first
cat <<HEREDOC > ~/local/bin2/test.sh
#!/bin/bash
# test.sh

echo "This is test #2, it's in ~/local/bin2"
HEREDOC

# Make the second test script executable
chmod +x ~/local/bin2/test.sh

# Verify that the bin2 test script take priority over the bin1 test script
which -a test.sh

# Output:
#
#   /home/username/local/bin2/test.sh
#   /home/username/local/bin1/test.sh

which test.sh

# Output:
#
#   /home/username/local/bin2/test.sh

# Try to run the test script
test.sh

# Ouput:
#
#   This is test #1, it's in ~/local/bin1

# NOTE: Even though bin2/test.sh comes before bin1/test.sh in the PATH,
#       it's bin1/test.sh that is executed. What's going on?

# Use the "type" command to see which script is being executed
type test.sh

# Output
#
#   test.sh is hashed (/home/username/local/bin1/test.sh)

# NOTE: That explains the seeming contradiction.

# Clear the hashed command
hash -d test.sh

# Check that the hashed command has been cleared
type test.sh

# Output:
#
#   test.sh is /home/username/local/bin2/test.sh

# Run the test.sh command
test.sh

# Output:
#
#   This is test #2, it's in ~/local/bin2

또한 이 사이트의 다른 곳에서 설명된 대체 방법을 찾았습니다.

해결책은 PROMPT_COMMAND변수를 사용하여 경로 캐시를 지속적으로 지우는 것입니다. 예를 들어 다음 줄을 에 추가하면 됩니다 ~/.bashrc.

PROMPT_COMMAND='hash -r'

해당 세션에서도 명령을 실행하지 않는 한 이는 기존 세션이 아닌 새 세션에만 영향을 미칩니다.

마지막으로 터미널 멀티플렉서 사용을 고려할 수도 있습니다.멀티플렉서. 사이트의 관련 게시물은 다음과 같습니다.

관련 정보