summaryrefslogtreecommitdiffstats
path: root/Doc/lib/libsignal.tex
diff options
context:
space:
mode:
authorAndrew M. Kuchling <amk@amk.ca>1998-08-18 19:38:54 (GMT)
committerAndrew M. Kuchling <amk@amk.ca>1998-08-18 19:38:54 (GMT)
commit42db27fedc6d1e1600eeb6fa68e7925890350255 (patch)
treee353722c6db8464ac3f93f7ca6cad552baa5b777 /Doc/lib/libsignal.tex
parentce4ba897be5e4fc116f7cf805f38dec48cd5cfea (diff)
downloadcpython-42db27fedc6d1e1600eeb6fa68e7925890350255.zip
cpython-42db27fedc6d1e1600eeb6fa68e7925890350255.tar.gz
cpython-42db27fedc6d1e1600eeb6fa68e7925890350255.tar.bz2
Added an example that uses signal.alarm() to time out an os.open() that
takes too long. This example relies on the fact that raising an exception in a signal handler causes the exception to be re-raised when the main line of the program resumes execution. Is this guaranteed in CPython, or is this something that just happens to work by accident? Also fixed a typo.
Diffstat (limited to 'Doc/lib/libsignal.tex')
-rw-r--r--Doc/lib/libsignal.tex30
1 files changed, 29 insertions, 1 deletions
diff --git a/Doc/lib/libsignal.tex b/Doc/lib/libsignal.tex
index 78f38ed..94ad536 100644
--- a/Doc/lib/libsignal.tex
+++ b/Doc/lib/libsignal.tex
@@ -6,7 +6,7 @@
\modulesynopsis{Set handlers for asynchronous events.}
This module provides mechanisms to use signal handlers in Python.
-Some general rules for working with signals handlers:
+Some general rules for working with signals and their handlers:
\begin{itemize}
@@ -144,3 +144,31 @@ The \module{signal} module defines the following functions:
reference manual for a description of frame objects).
\obindex{frame}
\end{funcdesc}
+
+\subsection{Example}
+\nodename{Signal Example}
+
+Here is a minimal example program. It uses the \function{alarm()}
+function to limit the time spent waiting to open a file; this is
+useful if the file is for a serial device that may not be turned on,
+which would normally cause the \function{os.open()} to hang
+indefinitely. The solution is to set a 5-second alarm before opening
+the file; if the operation takes too long, the alarm signal will be
+sent, and the handler raises an exception.
+
+\begin{verbatim}
+import signal, os, FCNTL
+
+def handler(signum, frame):
+ print 'Signal handler called with signal', signum
+ raise IOError, "Couldn't open device!"
+
+# Set the signal handler and a 5-second alarm
+signal.signal(signal.SIGALRM, handler)
+signal.alarm(5)
+
+# This open() may hang indefinitely
+fd = os.open('/dev/ttyS0', FCNTL.O_RDWR)
+
+signal.alarm(0) # Disable the alarm
+\end{verbatim}