Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

pkill returns 255 in combination with another command via remote ssh

Tags:

linux

ssh

pkill

When I try to execute pkill on a remote host in combination with another command, it always returns 255, even though both the commands were successful.

Examples

  1. ssh <remoteHost> 'pkill -f xyz' # returns 0 (rightly so when xyz is a process)
    
  2. ssh <remoteHost> 'source /etc/profile' # returns 0 (rightly so)
    

But when I run the combination command:

  1. ssh <remoteHost> 'source /etc/profile; pkill -f xyz' # returns 255 - why?
    

There's something about "pkill" in combination with another command because the following returns zero even though it's a combination:

  1. ssh <remoteHost> 'source /etc/profile; ls' # returns 0
    

Assume that xyz is running at all times when we try to kill it.

I do not understand this behavior. Why does it return 255 in case 3?

like image 496
Mohsin Khan Avatar asked Feb 06 '23 18:02

Mohsin Khan


1 Answers

The documentation for the pkill -f option says:

-f
The pattern is normally only matched against the process name. When -f is set, the full command line is used.

So pkill -f xyz will kill any process with "xyz" anywhere on its command line.

When you run ssh <remoteHost> 'source /etc/profile; pkill -f xyz', the remote ssh server will run the equivalent of this on your behalf:

$SHELL -c 'source /etc/profile; pkill -f xyz'

The resulting shell instance is a process with "xyz" in its command line. My guess is that pkill is killing it, and ssh is reporting the killed session as exit code 255, like this:

$ ssh localhost 'kill $$'
$ echo $?
255

It doesn't happen when you just run ssh <remoteHost> 'pkill -f xyz', because some shells like bash will optimize for this case. Instead of running pkill as a subprocess, the shell instance will replace itself with the pkill process. So by the time pkill runs, the shell process with "xyz" on its command line is gone.

You can probably work around this by running pkill like this:

ssh <remoteHost> 'source /etc/profile; exec pkill -f xyz'

If that doesn't work, you can specify the pkill pattern in such a way that it doesn't match the pattern itself. For example:

ssh <remoteHost> 'source /etc/profile; exec pkill -f "[x]yz"'

The pattern [x]yz matches the text "xyz", so pkill will kill processes where the text "xyz" appears. But the pattern doesn't match itself, so pkill won't kill processes where the pattern appears.

like image 128
Kenster Avatar answered Feb 08 '23 14:02

Kenster