Signal (IPC)

Signals are standardized messages sent to a running program to trigger specific behavior, such as quitting or error handling. They are a limited form of inter-process communication (IPC), typically used in Unix, Unix-like, and other POSIX-compliant operating systems.

A signal is an asynchronous notification sent to a process or to a specific thread within the same process to notify it of an event. Common uses of signals are to interrupt, suspend, terminate or kill a process. Signals originated in 1970s Bell Labs Unix and were later specified in the POSIX standard.

When a signal is sent, the operating system interrupts the target process' normal flow of execution to deliver the signal. Execution can be interrupted during any non-atomic instruction. If the process has previously registered a signal handler, that routine is executed. Otherwise, the default signal handler is executed.

Embedded programs may find signals useful for inter-process communications, as signals are notable for their Algorithmic efficiency.

Signals are similar to interrupts, the difference being that interrupts are mediated by the CPU and handled by the kernel while signals are mediated by the kernel (possibly via system calls) and handled by individual processes.[citation needed] The kernel may pass an interrupt as a signal to the process that caused it (typical examples are SIGSEGV, SIGBUS, SIGILL and SIGFPE).

History

  • Version 1 Unix (1971) had separate system calls to catch interrupts, quits, and machine traps.
  • kill appeared in Version 2 (1972).
  • Version 4 (1973) combined all traps into one call, signal.
  • Version 5 (1974) could send arbitrary signals.[1]
  • In Version 7 (1979) each numbered trap received a symbolic name.
  • Plan 9 from Bell Labs (late 80s) replaced signals with notes, which permit sending short, arbitrary strings.[2]

Sending signals

The kill(2) system call sends a specified signal to a specified process, if permissions allow. Similarly, the kill(1) command allows a user to send signals to processes. The raise(3) library function sends the specified signal to the current process.

Exceptions such as division by zero, segmentation violation (SIGSEGV), and floating point exception (SIGFPE) will cause a core dump and terminate the program.

The kernel can generate signals to notify processes of events. For example, SIGPIPE will be generated when a process writes to a pipe which has been closed by the reader; by default, this causes the process to terminate, which is convenient when constructing shell pipelines.

Typing certain key combinations at the controlling terminal of a running process causes the system to send it certain signals:[3]

  • Ctrl-C (in older Unixes, DEL) sends an INT signal ("interrupt", SIGINT); by default, this causes the process to terminate.
  • Ctrl-Z sends a TSTP signal ("terminal stop", SIGTSTP); by default, this causes the process to suspend execution.[4]
  • Ctrl-\ sends a QUIT signal (SIGQUIT); by default, this causes the process to terminate and dump core.
  • Ctrl-T (not supported on all UNIXes) sends an INFO signal (SIGINFO); by default, and if supported by the command, this causes the operating system to show information about the running command.[5]

These default key combinations with modern operating systems can be changed with the stty command.

Handling signals

Signal handlers can be installed with the signal(2) or sigaction(2) system call. If a signal handler is not installed for a particular signal, the default handler is used. Otherwise the signal is intercepted and the signal handler is invoked. The process can also specify two default behaviors, without creating a handler: ignore the signal (SIG_IGN) and use the default signal handler (SIG_DFL). There are two signals which cannot be intercepted and handled: SIGKILL and SIGSTOP.

Risks

Signal handling is vulnerable to race conditions. As signals are asynchronous, another signal (even of the same type) can be delivered to the process during execution of the signal handling routine.

The sigprocmask(2) call can be used to block and unblock delivery of signals. Blocked signals are not delivered to the process until unblocked. Signals that cannot be ignored (SIGKILL and SIGSTOP) cannot be blocked.

Signals can cause the interruption of a system call in progress, leaving it to the application to manage a non-transparent restart.

Signal handlers should be written in a way that does not result in any unwanted side-effects, e.g. errno alteration, signal mask alteration, signal disposition change, and other global process attribute changes. Use of non-reentrant functions, e.g., malloc or printf, inside signal handlers is also unsafe. In particular, the POSIX specification and the Linux man page signal (7) require that all system functions directly or indirectly called from a signal function are async-signal safe.[6][7] The signal-safety(7) man page gives a list of such async-signal safe system functions (practically the system calls), otherwise it is an undefined behavior.[8] It is suggested to simply set some volatile sig_atomic_t variable in a signal handler, and to test it elsewhere.[9]

Signal handlers can instead put the signal into a queue and immediately return. The main thread will then continue "uninterrupted" until signals are taken from the queue, such as in an event loop. "Uninterrupted" here means that operations that block may return prematurely and must be resumed, as mentioned above. Signals should be processed from the queue on the main thread and not by worker pools, as that reintroduces the problem of asynchronicity. However, managing a queue is not possible in an async-signal safe way with only sig_atomic_t, as only single reads and writes to such variables are guaranteed to be atomic, not increments or (fetch-and)-decrements, as would be required for a queue. Thus, effectively, only one signal per handler can be queued safely with sig_atomic_t until it has been processed.

Relationship with hardware exceptions

A process's execution may result in the generation of a hardware exception, for instance, if the process attempts to divide by zero or incurs a page fault.

In Unix-like operating systems, this event automatically changes the processor context to start executing a kernel exception handler. In case of some exceptions, such as a page fault, the kernel has sufficient information to fully handle the event itself and resume the process's execution.

Other exceptions, however, the kernel cannot process intelligently and it must instead defer the exception handling operation to the faulting process. This deferral is achieved via the signal mechanism, wherein the kernel sends to the process a signal corresponding to the current exception. For example, if a process attempted integer divide by zero on an x86 CPU, a divide error exception would be generated and cause the kernel to send the SIGFPE signal to the process.

Similarly, if the process attempted to access a memory address outside of its virtual address space, the kernel would notify the process of this violation via a SIGSEGV (segmentation violation signal). The exact mapping between signal names and exceptions is obviously dependent upon the CPU, since exception types differ between architectures.

POSIX signals

The list below documents the signals specified in the Single Unix Specification. All signals are defined as macro constants in the <signal.h> header file. The name of the macro constant consists of a "SIG" prefix followed by a mnemonic name for the signal.

SIGABRT and SIGIOT
"Signal abort", "signal input/output trap"
The SIGABRT signal is sent to a process to tell it to abort, i.e. to terminate. The signal is usually initiated by the process itself when it calls abort() function of the C Standard Library, but it can be sent to the process from outside like any other signal.
SIGIOT indicates that the CPU has executed an explicit "trap" instruction (without a defined function), or an unimplemented instruction (when emulation is unavailable).
Note: "input/output trap" is a misnomer for any CPU "trap" instruction. The term reflects early usage of such instructions, predominantly to implement I/O functions, but they are not inherently tied to device I/O and may be used for other purposes such as communication between virtual & real hosts.
SIGIOT and SIGABRT are typically the same signal, and receipt of that signal may indicate any of the conditions above.
SIGALRM, SIGVTALRM and SIGPROF
"Signal alarm", "signal virtual timer alarm", "signal profiling timer alarm"
The SIGALRM, SIGVTALRM and SIGPROF signals are sent to a process when the corresponding time limit is reached. The process sets these time limits by calling alarm or setitimer. The time limit for SIGALRM is based on real or clock time; SIGVTALRM is based on CPU time used by the process; and SIGPROF is based on CPU time used by the process and by the system on its behalf (known as a profiling timer). On some systems SIGALRM may be used internally by the implementation of the sleep function.
SIGBUS
"Signal bus"
The SIGBUS signal is sent to a process when it causes a bus error. The conditions that lead to the signal being sent are, for example, incorrect memory access alignment or non-existent physical address.
SIGCHLD
"Signal child"
The SIGCHLD signal is sent to a process when a child process terminates, is stopped, or resumes after being stopped. One common usage of the signal is to instruct the operating system to clean up the resources used by a child process after its termination without an explicit call to the wait system call.
SIGCONT
"Signal continue"
The SIGCONT signal instructs the operating system to continue (restart) a process previously paused by the SIGSTOP or SIGTSTP signal. One important use of this signal is in job control in the Unix shell.
SIGFPE
"Signal floating-point error"
The SIGFPE signal is sent to a process when an exceptional (but not necessarily erroneous) condition has been detected in the floating point or integer arithmetic hardware. This may include division by zero, floating point underflow or overflow, integer overflow, an invalid operation or an inexact computation. Behaviour may differ depending on hardware.
SIGHUP
"Signal hangup"
The SIGHUP signal is sent to a process when its controlling terminal is closed. It was originally designed to notify the process of a serial line drop (a hangup). In modern systems, this signal usually means that the controlling pseudo or virtual terminal has been closed.[10] Many daemons (who have no controlling terminal) interpret receipt of this signal as a request to reload their configuration files and flush/reopen their logfiles instead of exiting.[11] nohup is a command to make a command ignore the signal.
SIGILL
"Signal illegal"
The SIGILL signal is sent to a process when it attempts to execute an illegal, malformed, unknown, or privileged instruction.
SIGINT
"Signal interrupt"
The SIGINT signal is sent to a process by its controlling terminal when a user wishes to interrupt the process. This is typically initiated by pressing Ctrl+C, but on some systems, the "delete" character or "break" key can be used.[12]
SIGKILL
"Signal kill"
The SIGKILL signal is sent to a process to cause it to terminate immediately (kill). In contrast to SIGTERM and SIGINT, this signal cannot be caught or ignored, and the receiving process cannot perform any clean-up upon receiving this signal. The following exceptions apply:
  • Zombie processes cannot be killed since they are already dead and waiting for their parent processes to reap them.
  • Processes that are in the blocked state will not die until they wake up again.
  • The init process is special: It does not get signals that it does not want to handle, and thus it can ignore SIGKILL.[13] An exception from this rule is while init is ptraced on Linux.[14][15]
  • An uninterruptibly sleeping process may not terminate (and free its resources) even when sent SIGKILL. This is one of the few cases in which a UNIX system may have to be rebooted to solve a temporary software problem.
SIGKILL is used as a last resort when terminating processes in most system shutdown procedures if it does not voluntarily exit in response to SIGTERM. To speed the computer shutdown procedure, Mac OS X 10.6, aka Snow Leopard, will send SIGKILL to applications that have marked themselves "clean" resulting in faster shutdown times with, presumably, no ill effects.[16] The command killall -9 has a similar, while dangerous effect, when executed e.g. in Linux; it does not let programs save unsaved data. It has other options, and with none, uses the safer SIGTERM signal.
SIGPIPE
"Signal pipe"
The SIGPIPE signal is sent to a process when it attempts to write to a pipe without a process connected to the other end.
SIGPOLL
"Signal poll"
The SIGPOLL signal is sent when an event occurred on an explicitly watched file descriptor.[17] Using it effectively leads to making asynchronous I/O requests since the kernel will poll the descriptor in place of the caller. It provides an alternative to active polling.
SIGRTMIN to SIGRTMAX
"Signal real-time minimum", "signal real-time maximum"
The SIGRTMIN to SIGRTMAX signals are intended to be used for user-defined purposes. They are real-time signals.
SIGQUIT
"Signal quit"
The SIGQUIT signal is sent to a process by its controlling terminal when the user requests that the process quit and perform a core dump.
SIGSEGV
"Signal segmentation violation"
The SIGSEGV signal is sent to a process when it makes an invalid virtual memory reference, or segmentation fault, i.e. when it performs a segmentation violation.[18]
SIGSTOP
"Signal stop"
The SIGSTOP signal instructs the operating system to stop a process for later resumption.
SIGSYS
"Signal system call"
The SIGSYS signal is sent to a process when it passes a bad argument to a system call. In practice, this kind of signal is rarely encountered since applications rely on libraries (e.g. libc) to make the call for them. SIGSYS can be received by applications violating the Linux Seccomp security rules configured to restrict them. SIGSYS can also be used to emulate foreign system calls, e.g. emulate Windows system calls on Linux.[19]
SIGTERM
"Signal terminate"
The SIGTERM signal is sent to a process to request its termination. Unlike the SIGKILL signal, it can be caught and interpreted or ignored by the process. This allows the process to perform nice termination releasing resources and saving state if appropriate. SIGINT is nearly identical to SIGTERM.
SIGTSTP
"Signal terminal stop"
The SIGTSTP signal is sent to a process by its controlling terminal to request it to stop (terminal stop). It is commonly initiated by the user pressing Ctrl+Z. Unlike SIGSTOP, the process can register a signal handler for, or ignore, the signal.
SIGTTIN and SIGTTOU
The SIGTTIN and SIGTTOU signals are sent to a process when it attempts to read in or write out respectively from the tty while in the background. Typically, these signals are received only by processes under job control; daemons do not have controlling terminals and, therefore, should never receive these signals.
SIGTRAP
"Signal trap"
The SIGTRAP signal is sent to a process when an exception (or trap) occurs: a condition that a debugger has requested to be informed of – for example, when a particular function is executed, or when a particular variable changes value.
SIGURG
"Signal urgent"
The SIGURG signal is sent to a process when a socket has urgent or out-of-band data available to read.
SIGUSR1 and SIGUSR2
"Signal user 1", "signal user 2""
The SIGUSR1 and SIGUSR2 signals are sent to a process to indicate user-defined conditions.
SIGXCPU
"Signal exceeded CPU"
The SIGXCPU signal is sent to a process when it has used up the CPU for a duration that exceeds a certain predetermined user-settable value.[20] The arrival of a SIGXCPU signal provides the receiving process a chance to quickly save any intermediate results and to exit gracefully, before it is terminated by the operating system using the SIGKILL signal.
SIGXFSZ
"Signal excess file size"
The SIGXFSZ signal is sent to a process when it grows a file that exceeds the maximum allowed size.
SIGWINCH
"Signal window change"
The SIGWINCH signal is sent to a process when its controlling terminal changes its size (a window change).[21]

Default action

A process can define how to handle incoming POSIX signals. If a process does not define a behaviour for a signal, then the default handler for that signal is being used. The table below lists some default actions for POSIX-compliant UNIX systems, such as FreeBSD, OpenBSD and Linux.

Signal Portable
number
Default action Description
SIGABRT 6 Terminate (core dump) Process abort signal
SIGALRM 14 Terminate Alarm clock
SIGBUS Terminate (core dump) Access to an undefined portion of a memory object
SIGCHLD Ignore Child process terminated, stopped, or continued
SIGCONT Continue Continue executing, if stopped
SIGFPE 8 Terminate (core dump) Erroneous arithmetic operation
SIGHUP 1 Terminate Hangup
SIGILL 4 Terminate (core dump) Illegal instruction
SIGINT 2 Terminate Terminal interrupt signal
SIGKILL 9 Terminate Kill (cannot be caught or ignored)
SIGPIPE 13 Terminate Write on a pipe with no one to read it
SIGPOLL Terminate Pollable event
SIGPROF Terminate Profiling timer expired
SIGQUIT 3 Terminate (core dump) Terminal quit signal
SIGSEGV 11 Terminate (core dump) Invalid memory reference
SIGSTOP Stop Stop executing (cannot be caught or ignored)
SIGSYS Terminate (core dump) Bad system call
SIGTERM 15 Terminate Termination signal
SIGTRAP 5 Terminate (core dump) Trace/breakpoint trap
SIGTSTP Stop Terminal stop signal
SIGTTIN Stop Background process attempting read
SIGTTOU Stop Background process attempting write
SIGUSR1 Terminate User-defined signal 1
SIGUSR2 Terminate User-defined signal 2
SIGURG Ignore Out-of-band data is available at a socket
SIGVTALRM Terminate Virtual timer expired
SIGXCPU Terminate (core dump) CPU time limit exceeded
SIGXFSZ Terminate (core dump) File size limit exceeded
SIGWINCH Ignore Terminal window size changed
Portable number:
For most signals the corresponding signal number is implementation-defined. This column lists the numbers specified in the POSIX standard.[22]
Actions explained:
Terminate – Abnormal termination of the process. The process is terminated with all the consequences of _exit() except that the status made available to wait() and waitpid() indicates abnormal termination by the specified signal.
Terminate (core dump) – Abnormal termination of the process. Additionally, implementation-defined abnormal termination actions, such as creation of a core file, may occur.
Ignore – Ignore the signal.
Stop – Stop (or suspend) the process.
Continue – Continue the process, if it is stopped; otherwise, ignore the signal.

Miscellaneous signals

The following signals are not specified in the POSIX specification. They are, however, sometimes used on various systems.

SIGEMT
The SIGEMT signal is sent to a process when an emulator trap occurs.
SIGINFO
The SIGINFO signal is sent to a process when a status (info) request is received from the controlling terminal.
SIGPWR
The SIGPWR signal is sent to a process when the system experiences a power failure.
SIGLOST
The SIGLOST signal is sent to a process when a file lock is lost.
SIGSTKFLT
The SIGSTKFLT signal is sent to a process when the coprocessor experiences a stack fault (i.e. popping when the stack is empty or pushing when it is full).[23] It is defined by, but not used on Linux, where a x87 coprocessor stack fault will generate SIGFPE instead.[24]
SIGUNUSED
The SIGUNUSED signal is sent to a process when a system call with an unused system call number is made. It is synonymous with SIGSYS on most architectures.[23]
SIGCLD
The SIGCLD signal is synonymous with SIGCHLD.[23]

See also

References

  1. ^ McIlroy, M. D. (1987). A Research Unix reader: annotated excerpts from the Programmer's Manual, 1971–1986 (PDF) (Technical report). CSTR. Bell Labs. 139.
  2. ^ Gagliardi, Pietro. "C Programming in Plan 9 from Bell Labs". doc.cat-v.org. Retrieved 22 January 2022.
  3. ^ "Termination Signals". The GNU C Library).
  4. ^ "Job Control Signals". The GNU C Library.
  5. ^ "Miscellaneous Signals". The GNU C Library.
  6. ^ "The Open Group Base Specifications Issue 6, IEEE Std 1003.1, 2004 Edition: System Interfaces Chapter 2". pubs.opengroup.org. Retrieved 20 December 2020.
  7. ^ "signal(7) - Linux manual page". man7.org. Retrieved 20 December 2020.
  8. ^ "signal-safety(7) - Linux manual page". man7.org. Retrieved 20 December 2020.
  9. ^ "The Open Group Base Specifications Issue 6, IEEE Std 1003.1, 2004 Edition: <signal.h>". pubs.opengroup.org. Retrieved 20 December 2020.
  10. ^ Michael Kerrisk (25 July 2009). "signal(7)". Linux Programmer's Manual (version 3.22). The Linux Kernel Archives. Retrieved 23 September 2009.
  11. ^ "perlipc(1)". Perl Programmers Reference Guide, version 5.18. perldoc.perl.org - Official documentation for the Perl programming language. Retrieved 21 September 2013.
  12. ^ "Proper handling of SIGINT and SIGQUIT". Retrieved 6 October 2012.
  13. ^ https://manpages.ubuntu.com/manpages/zesty/man2/kill.2.html Archived 28 January 2018 at the Wayback Machine section NOTES
  14. ^ "SIGKILL init process (PID 1)". Stack Overflow.
  15. ^ "Can root kill init process?". Unix & Linux Stack Exchange.
  16. ^ "Mac Dev Center: What's New in Mac OS X: Mac OS X v10.6". 28 August 2009. Retrieved 18 November 2017.
  17. ^ "ioctl - controls a STREAM device". POSIX system call specification. The Open Group. Retrieved 19 June 2015.
  18. ^ "What is a "segmentation violation"?". support.microfocus.com. Retrieved 22 November 2018.
  19. ^ "Syscall User Dispatch – The Linux Kernel documentation". kernel.org. Retrieved 11 February 2021.
  20. ^ "getrlimit, setrlimit - control maximum resource consumption". POSIX system call specification. The Open Group. Retrieved 10 September 2009.
  21. ^ Clausecker, Robert (19 June 2017). "0001151: Introduce new signal SIGWINCH and functions tcsetsize(), tcgetsize() to get/set terminal window size". Austin Group Defect Tracker. Austin Group. Retrieved 12 October 2017. Accepted As Marked
  22. ^ "IEEE Std 1003.1-2017 - kill". IEEE, Open Group. The correspondence between integer values and the sig value used is shown in the following list. The effects of specifying any signal_number other than those listed below are undefined.
  23. ^ a b c "signal(7) — Linux manual pages". manpages.courier-mta.org. Retrieved 22 November 2018.
  24. ^ "Linux 3.0 x86_64: When is SIGSTKFLT raised?". Stack Overflow.

Read other articles:

Sculpture by Auguste Rodin Not to be confused with Saint John the Baptist Preaching, a painting by Paolo Veronese. Saint John the Baptist (preaching)at the Musée d'OrsayArtistAuguste RodinYear1877 (1877)TypeSculptureMediumBronzeDimensions204 cm × 63 cm × 113 cm (80 in × 25 in × 44 in) Saint John the Baptist (preaching) is a bronze sculpture, by Auguste Rodin. After the controversy of his Age of Bronze, Rodin began mo…

Vietnamese military unit Quân khu 9(9th Military Region)Active10 December 1945 – present[1]Country VietnamAllegiance People's Army of VietnamBranchActive dutyRoleRegular forceSizeEquivalent to CorpsPart ofPeople's Army of VietnamGarrison/HQCần ThơEngagementsFirst Indochina WarVietnam WarCambodian–Vietnamese WarDecorations Gold Star OrderCommandersCurrent commanderLieutenant General Nguyễn Xuân DắtDeputy Commander and Chief of Staff CommanderMajor General Chiêm Th…

Chinese Securities Brokerage Guosen SecuritiesCompany typepublicTraded asSZSE: 002736IndustryInvestment companyFounded1989HeadquartersShenzhen, People's Republic of ChinaArea servedPeople's Republic of ChinaKey peopleHe Ru (Chairman)ProductsBrokerage, Asset Management, Investment Banking, Private Equity, investment managementRevenueRMB 7.8 billion (2010)[1]Net incomeRMB 3.1 billion (2010)OwnersCentral People's GovernmentNumber of employees11,500SubsidiariesPenghua Fund ManagementWebsitew…

Vincenzo CamucciniAutoportraitNaissance 22 février 1771Rome (États pontificaux)Décès 2 septembre 1844 (à 73 ans)Rome (États pontificaux)Nom de naissance Vincenzo CamucciniNationalité États pontificauxActivités Peintre, collectionneur d'œuvres d'artFormation Académie des beaux-arts de BreraÉlève Matteo PicassoVincenzo ChialliLieux de travail Rome (1789-1844), Florence (1798)Œuvres principales La Mort de Jules Césarmodifier - modifier le code - modifier Wikidata Vincenzo Camucc…

Sekretariat Kementerian/Sekretariat Utama Kementerian Perencanaan Pembangunan Nasional/Badan Perencanaan Pembangunan NasionalRepublik IndonesiaSusunan organisasiSekretarisDr. Ir. Himawan Hariyoga Djojokusumo, MSc [1]Kepala Biro Humas dan Tata Usaha PimpinanParulian George Andreas Silalahi, SE, M.Si [1]Kepala Biro Sumber Daya ManusiaEmmy Soeparmijatun, SH, MPM [1]Kepala Biro HukumRaden Rara Rita Erawati, SH, LLM [1]Kepala Biro Perencanaan, Organisasi, dan Tata Laks…

Dutch tennis player Matwé MiddelkoopMiddelkoop at the 2019 Wimbledon ChampionshipsCountry (sports) NetherlandsResidenceBreda, The NetherlandsBorn (1983-09-03) 3 September 1983 (age 40)Leerdam, The NetherlandsHeight1.91 m (6 ft 3 in)Turned pro2002PlaysRight-handed (two-handed backhand)Prize money$ 2,067,142SinglesCareer record2–2Career titles0Highest rankingNo. 197 (3 November 2008)Grand Slam singles resultsAustralian OpenQ3 (2008)French&#…

Women's national association football team representing Germany This article is about the women's team. For the men's team, see Germany national football team. GermanyNickname(s)DFB-Frauenteam (DFB Women's Team) DFB-Frauen (DFB Women)AssociationDeutscher Fußball-Bund (DFB)ConfederationUEFAHead coachHorst Hrubesch (interim)CaptainAlexandra PoppMost capsBirgit Prinz (214)Top scorerBirgit Prinz (128)Home stadiumVariousFIFA codeGER First colours Second colours FIFA rankingCurrent 5 1 (15 March 2024…

此條目可参照英語維基百科相應條目来扩充。 (2021年5月6日)若您熟悉来源语言和主题,请协助参考外语维基百科扩充条目。请勿直接提交机械翻译,也不要翻译不可靠、低品质内容。依版权协议,译文需在编辑摘要注明来源,或于讨论页顶部标记{{Translated page}}标签。 约翰斯顿环礁Kalama Atoll 美國本土外小島嶼 Johnston Atoll 旗幟颂歌:《星條旗》The Star-Spangled Banner約翰斯頓環礁地…

Gregorius XIVAwal masa jabatan5 Desember 1590Masa jabatan berakhir16 Oktober 1591PendahuluUrbanus VIIPenerusInosensius IXInformasi pribadiNama lahirNiccolò SfondratiLahir11 Februari 1535Somma Lombardo, ItaliaWafat16 Oktober 1591Roma, Italia Gregorius XIV (11 Februari 1535 – 16 Oktober 1591) adalah Paus yang menjabat sejak 5 Desember 1590 sampai 16 Oktober 1591. lbs Paus Gereja Katolik Daftar paus grafik masa jabatan orang kudus Nama Paus Abdikasi Paus Paus emeritus Antipaus Paus…

Anglican bishop and railway photographer (1907–1978) The Right ReverendEric TreacyMBEBishop of WakefieldAt Christ Church Halifax in 1971, after a weddingChurchChurch of EnglandDioceseDiocese of WakefieldIn office1968 to 1976PredecessorJohn RamsbothamSuccessorColin JamesOther post(s)Bishop of Pontefract (1961–1968) Archdeacon of Halifax (1949–1961)OrdersOrdination1932 (deacon) c. 1933 (priest)Consecration1961Personal detailsBorn(1907-05-02)2 May 1907London, EnglandDied13 May 1978(1978-05-13…

Holy Roman Empress from 1637 to 1646 Maria Anna of SpainPortrait of Maria Anna by Diego Velázquez, 1630Holy Roman Empress (more) Tenure15 February 1637 – 13 May 1646Born(1606-08-18)18 August 1606El Escorial, Crown of CastileDied13 May 1646(1646-05-13) (aged 39)Linz, Archduchy of Austria, Holy Roman EmpireBurialImperial CryptSpouseFerdinand III, Holy Roman EmperorIssue Ferdinand IV, King of the Romans Mariana, Queen of Spain Leopold I, Holy Roman Emperor NamesSpanish: María Ana de Austri…

Accel WorldSampul novel ringan volume pertama, menampilkan Kuroyukihimeアクセル・ワールド(Akuseru Wārudo)GenreAksi, cyberpunk, Roman Novel ringanPengarangReki KawaharaIlustratorHiMAPenerbitASCII Media WorksPenerbit bahasa InggrisNA Yen PressImprintDengeki BunkoMajalahDengeki Bunko MagazineTerbit10 Februari 2009 – sekarangVolume27 MangaPengarangReki KawaharaIlustratorHiroyuki AigamoPenerbitASCII Media WorksPenerbit bahasa InggrisNA Yen PressMajalahDengeki Bunko MagazineDemografiSeinen…

Brendan IribeIribe memegang sebuah Oculus Rift pada 2015Lahir12 Agustus 1979 (umur 44)Maryland, Amerika SerikatAlmamaterUniversity of Maryland, College Park (keluar)PekerjaanVP pada divisi Oculus dari Facebook (dulu)Dikenal atasSalah satu pendiri dan CEO Oculus VR, Inc.Situs webbrendaniribe.com Brendan Trexler Iribe (/ˈiːriːb/; lahir 12 Agustus 1979) adalah seorang programmer permainan, wirausahawan dan CEO awal dan salah satu pendiri Oculus VR, Inc. dan Scaleform. Ia menjadi mitra manaj…

2010 IAAF WorldIndoor ChampionshipsTrack events60 mmenwomen400 mmenwomen800 mmenwomen1500 mmenwomen3000 mmenwomen60 m hurdlesmenwomen4 × 400 m relaymenwomenField eventsHigh jumpmenwomenPole vaultmenwomenLong jumpmenwomenTriple jumpmenwomenShot putmenwomenCombined eventsPentathlonwomenHeptathlonmenvte The women's shot put at the 2010 IAAF World Indoor Championships was held at the ASPIRE Dome on 13 and 14 March. Medalists Gold Silver Bronze Valerie Vili New Zealand Anna Avdeyeva Ru…

1990 single by New Kids on the BlockGamesSingle by New Kids on the Blockfrom the album No More Games/The Remix Album B-sideGamesRemix of another songReleasedOctober 17, 1990Recorded1989GenreNew jack swing[1]Length3:51LabelColumbiaSongwriter(s)Maurice Starr, Donnie WahlbergProducer(s)Maurice Starr, David Cole, Robert ClivillésNew Kids on the Block singles chronology Let's Try It Again (1990) Games (1990) Call It What You Want (1991) Games is a song by American boyband New Kids on the Blo…

Pour les articles homonymes, voir Charcot et SLA. Ne pas confondre avec la maladie de Charcot-Marie-Tooth. Sclérose latérale amyotrophique IRM céphalique lors d'une sclérose latérale amyotrophique(coupe sagittale en pondération T2 FLAIR). Données clés Traitement Médicament Riluzole, Édaravone, riluzole et Édaravone Spécialité Neurologie Classification et ressources externes CISP-2 N99 CIM-10 G12.2 CIM-9 335.20 OMIM 105400 DiseasesDB 29148 MedlinePlus 000688 eMedicine 1170097emerg/24…

General-purposes experiment at the Large Hadron Collider 46°18′34″N 6°4′37″E / 46.30944°N 6.07694°E / 46.30944; 6.07694 Large Hadron Collider(LHC)Plan of the LHC experiments and the preaccelerators.LHC experimentsATLASA Toroidal LHC ApparatusCMSCompact Muon SolenoidLHCbLHC-beautyALICEA Large Ion Collider ExperimentTOTEMTotal Cross Section, Elastic Scattering and Diffraction DissociationLHCfLHC-forwardMoEDALMonopole and Exotics Detector At the LHCFASERForwArd S…

This is a list of law enforcement agencies in the state of Illinois. According to the US Bureau of Justice Statistics' 2008 Census of State and Local Law Enforcement Agencies, the state had 877 law enforcement agencies employing 41,277 sworn police officers, about 321 for each 100,000 residents.[1] State agencies Illinois Attorney General's Office Department of Investigations Illinois Attorney General Police Illinois Commerce Commission Police Illinois Department of Corrections Illinois …

1-я гвардейская кавалерийская дивизия Годы существования 1810 — 1918 Страна Россия Подчинение начальнику дивизии Входит в Русская императорская гвардия Тип гвардейская кавалерийская дивизия Включает в себя Кавалергардский полк Численность соединение Дислокация Санкт-Пет…

American college basketball season 2016–17 Western Kentucky Hilltoppers basketballConferenceConference USARecord15–17 (9–9 C-USA)Head coachRick Stansbury (1st season)Assistant coaches Chris Cheeks Shammond Williams Quannas White Home arenaE. A. Diddle ArenaSeasons← 2015–162017–18 → 2016–17 Conference USA men's basketball standings vte Conf Overall Team W   L   PCT W   L   PCT Middle Tennessee † 17 – 1   .944 31 – …