c-urchin
c-urchin

Reputation: 4504

specifying file descriptor number?

My understanding was that one could not control the file descriptor (integer) assigned by the OS when opening a new file using open(). How then is it possible in a bash shell to assign a specific file descriptor using a command like

exec 5>&1

(I suppose I could find out by reading the bash sources...)

Upvotes: 8

Views: 4637

Answers (3)

tmoschou
tmoschou

Reputation: 1117

I believe you are right that sometimes file descriptors may already be in use. I got this from http://tldp.org/LDP/abs/html/io-redirection.html#FTN.AEN17716

"Using file descriptor 5 might cause problems. When Bash creates a child process, as with exec, the child inherits fd 5 (see Chet Ramey's archived e-mail, SUBJECT: RE: File descriptor 5 is held open). Best leave this particular fd alone."

The solutiont to this is specified in section 3.6 paragraph 2 of the bash manual.

Each redirection that may be preceded by a file descriptor number may instead be preceded by a word of the form {varname}. In this case, for each redirection operator except >&- and <&-, the shell will allocate a file descriptor greater than 10 and assign it to {varname}. If >&- or <&- is preceded by {varname}, the value of varname defines the file descriptor to close.

For example

#!/bin/bash

exec {NEW_STDOUT}>&1
echo "Hello" >&$NEW_STDOUT
exec {NEW_STDOUT}>&-

Upvotes: 5

R.. GitHub STOP HELPING ICE
R.. GitHub STOP HELPING ICE

Reputation: 215259

Also, file descriptors are assigned sequentially, so if you know 0, 1, 2, ..., n are already opened and none of them have been closed, the next will be n+1.

Upvotes: 1

Alex Martelli
Alex Martelli

Reputation: 881635

See the dup2 Unix system call.

Upvotes: 3

Related Questions