![]() |
|
Clear questions and runnable code get the best and fastest answer |
|
PerlMonks |
What's wrong with using backticks in a void context?by faq_monk (Initiate) |
on Oct 08, 1999 at 00:29 UTC ( [id://732]=perlfaq nodetype: print w/replies, xml ) | Need Help?? |
Current Perl documentation can be found at perldoc.perl.org. Here is our local, out-dated (pre-5.6) version: Strictly speaking, nothing. Stylistically speaking, it's not a good way to write maintainable code because backticks have a (potentially humungous) return value, and you're ignoring it. It's may also not be very efficient, because you have to read in all the lines of output, allocate memory for them, and then throw it away. Too often people are lulled to writing:
`cp file file.bak`;
And now they think ``Hey, I'll just always use backticks to run programs.'' Bad idea: backticks are for capturing a program's output; the
Consider this line:
`cat /etc/termcap`;
You haven't assigned the output anywhere, so it just wastes memory (for a
little while). Plus you forgot to check
print `cat /etc/termcap`; In most cases, this could and probably should be written as
system("cat /etc/termcap") == 0 or die "cat program failed!"; Which will get the output quickly (as its generated, instead of only at the end) and also check the return value.
|
|