30

I have cobbled together a command to return the process ID of a running daemon:

ps aux | grep daemon_name | awk "{ print \$2 }"

It works perfectly and returns the PID, but it also returns a second PID which is presumably the process I'm running now. Is there a way I can exclude my command from the list of returned PIDs?

I've tested it a few times and it appears my command is always the second PID in the list, but I don't want to grab just the first PID in case it's inaccurate.

tak
  • 303

7 Answers7

30

grep's -v switch reverses the result, excluding it from the queue. So make it like:

ps aux | grep daemon_name | grep -v "grep daemon_name" | awk "{ print \$2 }"

Upd. You can also use -C switch to specify command name like so:

ps -C daemon_name -o pid=

The latter -o determines which columns of the information you want in the listing. pid lists only the process id column. And the equal sign = after pid means there will be no column title for that one, so you get only the clear numbers - PID's.

Hope this helps.

Serg ikS
  • 416
27

You can use a character class trick. "[d]" does not match "[d]" only "d".

 ps aux | grep [d]aemon_name | awk "{ print \$2 }"

I prefer this to using | grep -v grep.

17

Avoid parsing ps's output if there are more reliable alternatives.

pgrep daemon_name
pidof daemon_name
grawity
  • 501,077
3

The ps -C option is not universal on all Unix based systems but if it works on your systems. Instead I would avoid grep altogether:

ps aux | awk '/daemon_name/ && !/awk/ { print $2 }'

No need to escape anything in single quotation marks. ps aux will give you the full list of processes on most Unix based systems and awk is typically installed by default.

MOG73
  • 46
3

Use pgrep to look for the pid of a process by name:

pgrep proc_name

With extra process name in the result (-l):

pgrep -l proc_name

Look for and display the process name (-l) and arguments (-f):

pgrep -lf proc_name_or_argument

The good thing about pgrep is that it will never report itself as a match. But you don't need to get the pid by pgrep and then kill the corresponding process by kill. Use pkill instead:

pkill proc_name

Specify the SIGKILL signal (-9 or -KILL) instead of SIGTERM (by default):

pkill -9 proc_name

Look for the process name (-l) and arguments (-f), ask for confirmation (-I) before killing it by SIGKILL signal (-9 or -KILL):

pkill -KILL -Ilf proc_name_or_argument

Notice that the -I option is only available on some versions of pkill, e.g. the one on the OS X Mavericks.

0

If you are using bash, you can also do this in the following manner by making use of ps -eaf

PIDS=$(ps -eaf)
PID=$(echo "$PIDS" | grep "process_name" | awk '{print $2}')
echo $PID
0

this line gives you back the pid (process id) excluding "grep"

PID=$(ps aux | grep '/usr/bin/python2.7 manage.py SES__boto3_sqs_read' | grep -v grep)