2 * This file is part of DisOrder
3 * Copyright (C) 2005, 2006, 2007 Richard Kettlewell
5 * This program is free software; you can redistribute it and/or modify
6 * it under the terms of the GNU General Public License as published by
7 * the Free Software Foundation; either version 2 of the License, or
8 * (at your option) any later version.
10 * This program is distributed in the hope that it will be useful, but
11 * WITHOUT ANY WARRANTY; without even the implied warranty of
12 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
13 * General Public License for more details.
15 * You should have received a copy of the GNU General Public License
16 * along with this program; if not, write to the Free Software
17 * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307
20 /** @file server/speaker.c
21 * @brief Speaker processs
23 * This program is responsible for transmitting a single coherent audio stream
24 * to its destination (over the network, to some sound API, to some
25 * subprocess). It receives connections from decoders via file descriptor
26 * passing from the main server and plays them in the right order.
28 * For the <a href="http://www.alsa-project.org/">ALSA</a> API, 8- and 16- bit
29 * stereo and mono are supported, with any sample rate (within the limits that
30 * ALSA can deal with.)
32 * When communicating with a subprocess, <a
33 * href="http://sox.sourceforge.net/">sox</a> is invoked to convert the inbound
34 * data to a single consistent format. The same applies for network (RTP)
35 * play, though in that case currently only 44.1KHz 16-bit stereo is supported.
37 * The inbound data starts with a structure defining the data format. Note
38 * that this is NOT portable between different platforms or even necessarily
39 * between versions; the speaker is assumed to be built from the same source
40 * and run on the same host as the main server.
42 * This program deliberately does not use the garbage collector even though it
43 * might be convenient to do so. This is for two reasons. Firstly some sound
44 * APIs use thread threads and we do not want to have to deal with potential
45 * interactions between threading and garbage collection. Secondly this
46 * process needs to be able to respond quickly and this is not compatible with
47 * the collector hanging the program even relatively briefly.
63 #include <sys/select.h>
68 #include <sys/socket.h>
73 #include "configuration.h"
85 #include <alsa/asoundlib.h>
88 #ifdef WORDS_BIGENDIAN
89 # define MACHINE_AO_FMT AO_FMT_BIG
91 # define MACHINE_AO_FMT AO_FMT_LITTLE
94 /** @brief How many seconds of input to buffer
96 * While any given connection has this much audio buffered, no more reads will
97 * be issued for that connection. The decoder will have to wait.
99 #define BUFFER_SECONDS 5
101 #define FRAMES 4096 /* Frame batch size */
103 /** @brief Bytes to send per network packet
105 * Don't make this too big or arithmetic will start to overflow.
107 #define NETWORK_BYTES (1024+sizeof(struct rtp_header))
109 /** @brief Maximum RTP playahead (ms) */
110 #define RTP_AHEAD_MS 1000
112 /** @brief Maximum number of FDs to poll for */
115 /** @brief Track structure
117 * Known tracks are kept in a linked list. Usually there will be at most two
118 * of these but rearranging the queue can cause there to be more.
120 static struct track {
121 struct track *next; /* next track */
122 int fd; /* input FD */
123 char id[24]; /* ID */
124 size_t start, used; /* start + bytes used */
125 int eof; /* input is at EOF */
126 int got_format; /* got format yet? */
127 ao_sample_format format; /* sample format */
128 unsigned long long played; /* number of frames played */
129 char *buffer; /* sample buffer */
130 size_t size; /* sample buffer size */
131 int slot; /* poll array slot */
132 } *tracks, *playing; /* all tracks + playing track */
134 static time_t last_report; /* when we last reported */
135 static int paused; /* pause status */
136 static size_t bpf; /* bytes per frame */
137 static struct pollfd fds[NFDS]; /* if we need more than that */
138 static int fdno; /* fd number */
139 static size_t bufsize; /* buffer size */
141 /** @brief The current PCM handle */
142 static snd_pcm_t *pcm;
143 static snd_pcm_uframes_t last_pcm_bufsize; /* last seen buffer size */
144 static ao_sample_format pcm_format; /* current format if aodev != 0 */
147 /** @brief Ready to send audio
149 * This is set when the destination is ready to receive audio. Generally
150 * this implies that the sound device is open. In the ALSA backend it
151 * does @b not necessarily imply that is has the right sample format.
155 static int forceplay; /* frames to force play */
156 static int cmdfd = -1; /* child process input */
157 static int bfd = -1; /* broadcast FD */
159 /** @brief RTP timestamp
161 * This counts the number of samples played (NB not the number of frames
164 * The timestamp in the packet header is only 32 bits wide. With 44100Hz
165 * stereo, that only gives about half a day before wrapping, which is not
166 * particularly convenient for certain debugging purposes. Therefore the
167 * timestamp is maintained as a 64-bit integer, giving around six million years
168 * before wrapping, and truncated to 32 bits when transmitting.
170 static uint64_t rtp_time;
172 /** @brief RTP base timestamp
174 * This is the real time correspoding to an @ref rtp_time of 0. It is used
175 * to recalculate the timestamp after idle periods.
177 static struct timeval rtp_time_0;
179 static uint16_t rtp_seq; /* frame sequence number */
180 static uint32_t rtp_id; /* RTP SSRC */
181 static int idled; /* set when idled */
182 static int audio_errors; /* audio error counter */
184 /** @brief Structure of a backend */
185 struct speaker_backend {
186 /** @brief Which backend this is
188 * @c -1 terminates the list.
195 * - @ref FIXED_FORMAT
198 /** @brief Lock to configured sample format */
199 #define FIXED_FORMAT 0x0001
201 /** @brief Initialization
203 * Called once at startup. This is responsible for one-time setup
204 * operations, for instance opening a network socket to transmit to.
206 * When writing to a native sound API this might @b not imply opening the
207 * native sound device - that might be done by @c activate below.
211 /** @brief Activation
212 * @return 0 on success, non-0 on error
214 * Called to activate the output device.
216 * After this function succeeds, @ref ready should be non-0. As well as
217 * opening the audio device, this function is responsible for reconfiguring
218 * if it necessary to cope with different samples formats (for backends that
219 * don't demand a single fixed sample format for the lifetime of the server).
221 int (*activate)(void);
223 /** @brief Deactivation
225 * Called to deactivate the sound device. This is the inverse of
228 void (*deactivate)(void);
231 /** @brief Selected backend */
232 static const struct speaker_backend *backend;
234 static const struct option options[] = {
235 { "help", no_argument, 0, 'h' },
236 { "version", no_argument, 0, 'V' },
237 { "config", required_argument, 0, 'c' },
238 { "debug", no_argument, 0, 'd' },
239 { "no-debug", no_argument, 0, 'D' },
243 /* Display usage message and terminate. */
244 static void help(void) {
246 " disorder-speaker [OPTIONS]\n"
248 " --help, -h Display usage message\n"
249 " --version, -V Display version number\n"
250 " --config PATH, -c PATH Set configuration file\n"
251 " --debug, -d Turn on debugging\n"
253 "Speaker process for DisOrder. Not intended to be run\n"
259 /* Display version number and terminate. */
260 static void version(void) {
261 xprintf("disorder-speaker version %s\n", disorder_version_string);
266 /** @brief Return the number of bytes per frame in @p format */
267 static size_t bytes_per_frame(const ao_sample_format *format) {
268 return format->channels * format->bits / 8;
271 /** @brief Find track @p id, maybe creating it if not found */
272 static struct track *findtrack(const char *id, int create) {
275 D(("findtrack %s %d", id, create));
276 for(t = tracks; t && strcmp(id, t->id); t = t->next)
279 t = xmalloc(sizeof *t);
284 /* The initial input buffer will be the sample format. */
285 t->buffer = (void *)&t->format;
286 t->size = sizeof t->format;
291 /** @brief Remove track @p id (but do not destroy it) */
292 static struct track *removetrack(const char *id) {
293 struct track *t, **tt;
295 D(("removetrack %s", id));
296 for(tt = &tracks; (t = *tt) && strcmp(id, t->id); tt = &t->next)
303 /** @brief Destroy a track */
304 static void destroy(struct track *t) {
305 D(("destroy %s", t->id));
306 if(t->fd != -1) xclose(t->fd);
307 if(t->buffer != (void *)&t->format) free(t->buffer);
311 /** @brief Notice a new connection */
312 static void acquire(struct track *t, int fd) {
313 D(("acquire %s %d", t->id, fd));
320 /** @brief Return true if A and B denote identical libao formats, else false */
321 static int formats_equal(const ao_sample_format *a,
322 const ao_sample_format *b) {
323 return (a->bits == b->bits
324 && a->rate == b->rate
325 && a->channels == b->channels
326 && a->byte_format == b->byte_format);
329 /** @brief Compute arguments to sox */
330 static void soxargs(const char ***pp, char **qq, ao_sample_format *ao) {
335 *(*pp)++ = *qq; n = sprintf(*qq, "-r%d", ao->rate); *qq += n + 1;
336 *(*pp)++ = *qq; n = sprintf(*qq, "-c%d", ao->channels); *qq += n + 1;
337 /* sox 12.17.9 insists on -b etc; CVS sox insists on -<n> etc; both are
339 switch(config->sox_generation) {
342 && ao->byte_format != AO_FMT_NATIVE
343 && ao->byte_format != MACHINE_AO_FMT) {
347 case 8: *(*pp)++ = "-b"; break;
348 case 16: *(*pp)++ = "-w"; break;
349 case 32: *(*pp)++ = "-l"; break;
350 case 64: *(*pp)++ = "-d"; break;
351 default: fatal(0, "cannot handle sample size %d", (int)ao->bits);
355 switch(ao->byte_format) {
356 case AO_FMT_NATIVE: break;
357 case AO_FMT_BIG: *(*pp)++ = "-B"; break;
358 case AO_FMT_LITTLE: *(*pp)++ = "-L"; break;
360 *(*pp)++ = *qq; n = sprintf(*qq, "-%d", ao->bits/8); *qq += n + 1;
365 /** @brief Enable format translation
367 * If necessary, replaces a tracks inbound file descriptor with one connected
368 * to a sox invocation, which performs the required translation.
370 static void enable_translation(struct track *t) {
371 if((backend->flags & FIXED_FORMAT)
372 && !formats_equal(&t->format, &config->sample_format)) {
373 char argbuf[1024], *q = argbuf;
374 const char *av[18], **pp = av;
379 soxargs(&pp, &q, &t->format);
381 soxargs(&pp, &q, &config->sample_format);
385 for(pp = av; *pp; pp++)
386 D(("sox arg[%d] = %s", pp - av, *pp));
392 signal(SIGPIPE, SIG_DFL);
394 xdup2(soxpipe[1], 1);
395 fcntl(0, F_SETFL, fcntl(0, F_GETFL) & ~O_NONBLOCK);
399 execvp("sox", (char **)av);
402 D(("forking sox for format conversion (kid = %d)", soxkid));
406 t->format = config->sample_format;
410 /** @brief Read data into a sample buffer
411 * @param t Pointer to track
412 * @return 0 on success, -1 on EOF
414 * This is effectively the read callback on @c t->fd.
416 static int fill(struct track *t) {
420 D(("fill %s: eof=%d used=%zu size=%zu got_format=%d",
421 t->id, t->eof, t->used, t->size, t->got_format));
422 if(t->eof) return -1;
423 if(t->used < t->size) {
424 /* there is room left in the buffer */
425 where = (t->start + t->used) % t->size;
427 /* We are reading audio data, get as much as we can */
428 if(where >= t->start) left = t->size - where;
429 else left = t->start - where;
431 /* We are still waiting for the format, only get that */
432 left = sizeof (ao_sample_format) - t->used;
434 n = read(t->fd, t->buffer + where, left);
435 } while(n < 0 && errno == EINTR);
437 if(errno != EAGAIN) fatal(errno, "error reading sample stream");
441 D(("fill %s: eof detected", t->id));
446 if(!t->got_format && t->used >= sizeof (ao_sample_format)) {
447 assert(t->used == sizeof (ao_sample_format));
448 /* Check that our assumptions are met. */
449 if(t->format.bits & 7)
450 fatal(0, "bits per sample not a multiple of 8");
451 /* If the input format is unsuitable, arrange to translate it */
452 enable_translation(t);
453 /* Make a new buffer for audio data. */
454 t->size = bytes_per_frame(&t->format) * t->format.rate * BUFFER_SECONDS;
455 t->buffer = xmalloc(t->size);
458 D(("got format for %s", t->id));
464 /** @brief Close the sound device */
465 static void idle(void) {
467 if(backend->deactivate)
468 backend->deactivate();
473 /** @brief Abandon the current track */
474 static void abandon(void) {
475 struct speaker_message sm;
478 memset(&sm, 0, sizeof sm);
479 sm.type = SM_FINISHED;
480 strcpy(sm.id, playing->id);
481 speaker_send(1, &sm, 0);
482 removetrack(playing->id);
489 /** @brief Log ALSA parameters */
490 static void log_params(snd_pcm_hw_params_t *hwparams,
491 snd_pcm_sw_params_t *swparams) {
495 return; /* too verbose */
500 snd_pcm_sw_params_get_silence_size(swparams, &f);
501 info("sw silence_size=%lu", (unsigned long)f);
502 snd_pcm_sw_params_get_silence_threshold(swparams, &f);
503 info("sw silence_threshold=%lu", (unsigned long)f);
504 snd_pcm_sw_params_get_sleep_min(swparams, &u);
505 info("sw sleep_min=%lu", (unsigned long)u);
506 snd_pcm_sw_params_get_start_threshold(swparams, &f);
507 info("sw start_threshold=%lu", (unsigned long)f);
508 snd_pcm_sw_params_get_stop_threshold(swparams, &f);
509 info("sw stop_threshold=%lu", (unsigned long)f);
510 snd_pcm_sw_params_get_xfer_align(swparams, &f);
511 info("sw xfer_align=%lu", (unsigned long)f);
516 /** @brief Enable sound output
518 * Makes sure the sound device is open and has the right sample format. Return
519 * 0 on success and -1 on error.
521 static int activate(void) {
522 /* If we don't know the format yet we cannot start. */
523 if(!playing->got_format) {
524 D((" - not got format for %s", playing->id));
527 return backend->activate();
530 /* Check to see whether the current track has finished playing */
531 static void maybe_finished(void) {
534 && (!playing->got_format
535 || playing->used < bytes_per_frame(&playing->format)))
539 static void fork_cmd(void) {
542 if(cmdfd != -1) close(cmdfd);
546 signal(SIGPIPE, SIG_DFL);
550 execl("/bin/sh", "sh", "-c", config->speaker_command, (char *)0);
551 fatal(errno, "error execing /bin/sh");
555 D(("forked cmd %d, fd = %d", cmdpid, cmdfd));
558 static void play(size_t frames) {
559 size_t avail_bytes, write_bytes, written_frames;
560 ssize_t written_bytes;
561 struct rtp_header header;
568 forceplay = 0; /* Must have called abandon() */
571 D(("play: play %zu/%zu%s %dHz %db %dc", frames, playing->used / bpf,
572 playing->eof ? " EOF" : "",
573 playing->format.rate,
574 playing->format.bits,
575 playing->format.channels));
576 /* If we haven't got enough bytes yet wait until we have. Exception: when
578 if(playing->used < frames * bpf && !playing->eof) {
582 /* We have got enough data so don't force play again */
584 /* Figure out how many frames there are available to write */
585 if(playing->start + playing->used > playing->size)
586 avail_bytes = playing->size - playing->start;
588 avail_bytes = playing->used;
590 switch(config->speaker_backend) {
593 snd_pcm_sframes_t pcm_written_frames;
597 avail_frames = avail_bytes / bpf;
598 if(avail_frames > frames)
599 avail_frames = frames;
602 pcm_written_frames = snd_pcm_writei(pcm,
603 playing->buffer + playing->start,
605 D(("actually play %zu frames, wrote %d",
606 avail_frames, (int)pcm_written_frames));
607 if(pcm_written_frames < 0) {
608 switch(pcm_written_frames) {
609 case -EPIPE: /* underrun */
610 error(0, "snd_pcm_writei reports underrun");
611 if((err = snd_pcm_prepare(pcm)) < 0)
612 fatal(0, "error calling snd_pcm_prepare: %d", err);
617 fatal(0, "error calling snd_pcm_writei: %d",
618 (int)pcm_written_frames);
621 written_frames = pcm_written_frames;
622 written_bytes = written_frames * bpf;
626 case BACKEND_COMMAND:
627 if(avail_bytes > frames * bpf)
628 avail_bytes = frames * bpf;
629 written_bytes = write(cmdfd, playing->buffer + playing->start,
631 D(("actually play %zu bytes, wrote %d",
632 avail_bytes, (int)written_bytes));
633 if(written_bytes < 0) {
636 error(0, "hmm, command died; trying another");
643 written_frames = written_bytes / bpf; /* good enough */
645 case BACKEND_NETWORK:
646 /* We transmit using RTP (RFC3550) and attempt to conform to the internet
647 * AVT profile (RFC3551). */
650 /* There may have been a gap. Fix up the RTP time accordingly. */
653 uint64_t target_rtp_time;
655 /* Find the current time */
656 xgettimeofday(&now, 0);
657 /* Find the number of microseconds elapsed since rtp_time=0 */
658 delta = tvsub_us(now, rtp_time_0);
659 assert(delta <= UINT64_MAX / 88200);
660 target_rtp_time = (delta * playing->format.rate
661 * playing->format.channels) / 1000000;
662 /* Overflows at ~6 years uptime with 44100Hz stereo */
664 /* rtp_time is the number of samples we've played. NB that we play
665 * RTP_AHEAD_MS ahead of ourselves, so it may legitimately be ahead of
666 * the value we deduce from time comparison.
668 * Suppose we have 1s track started at t=0, and another track begins to
669 * play at t=2s. Suppose RTP_AHEAD_MS=1000 and 44100Hz stereo. In that
670 * case we'll send 1s of audio as fast as we can, giving rtp_time=88200.
671 * rtp_time stops at this point.
673 * At t=2s we'll have calculated target_rtp_time=176400. In this case we
674 * set rtp_time=176400 and the player can correctly conclude that it
675 * should leave 1s between the tracks.
677 * Suppose instead that the second track arrives at t=0.5s, and that
678 * we've managed to transmit the whole of the first track already. We'll
679 * have target_rtp_time=44100.
681 * The desired behaviour is to play the second track back to back with
682 * first. In this case therefore we do not modify rtp_time.
684 * Is it ever right to reduce rtp_time? No; for that would imply
685 * transmitting packets with overlapping timestamp ranges, which does not
688 if(target_rtp_time > rtp_time) {
689 /* More time has elapsed than we've transmitted samples. That implies
690 * we've been 'sending' silence. */
691 info("advancing rtp_time by %"PRIu64" samples",
692 target_rtp_time - rtp_time);
693 rtp_time = target_rtp_time;
694 } else if(target_rtp_time < rtp_time) {
695 const int64_t samples_ahead = ((uint64_t)RTP_AHEAD_MS
696 * config->sample_format.rate
697 * config->sample_format.channels
700 if(target_rtp_time + samples_ahead < rtp_time) {
701 info("reversing rtp_time by %"PRIu64" samples",
702 rtp_time - target_rtp_time);
706 header.vpxcc = 2 << 6; /* V=2, P=0, X=0, CC=0 */
707 header.seq = htons(rtp_seq++);
708 header.timestamp = htonl((uint32_t)rtp_time);
709 header.ssrc = rtp_id;
710 header.mpt = (idled ? 0x80 : 0x00) | 10;
711 /* 10 = L16 = 16-bit x 2 x 44100KHz. We ought to deduce this value from
712 * the sample rate (in a library somewhere so that configuration.c can rule
713 * out invalid rates).
716 if(avail_bytes > NETWORK_BYTES - sizeof header) {
717 avail_bytes = NETWORK_BYTES - sizeof header;
718 /* Always send a whole number of frames */
719 avail_bytes -= avail_bytes % bpf;
721 /* "The RTP clock rate used for generating the RTP timestamp is independent
722 * of the number of channels and the encoding; it equals the number of
723 * sampling periods per second. For N-channel encodings, each sampling
724 * period (say, 1/8000 of a second) generates N samples. (This terminology
725 * is standard, but somewhat confusing, as the total number of samples
726 * generated per second is then the sampling rate times the channel
729 write_bytes = avail_bytes;
731 vec[0].iov_base = (void *)&header;
732 vec[0].iov_len = sizeof header;
733 vec[1].iov_base = playing->buffer + playing->start;
734 vec[1].iov_len = avail_bytes;
736 written_bytes = writev(bfd,
739 } while(written_bytes < 0 && errno == EINTR);
740 if(written_bytes < 0) {
741 error(errno, "error transmitting audio data");
743 if(audio_errors == 10)
744 fatal(0, "too many audio errors");
749 written_bytes = avail_bytes;
750 written_frames = written_bytes / bpf;
751 /* Advance RTP's notion of the time */
752 rtp_time += written_frames * playing->format.channels;
757 /* written_bytes and written_frames had better both be set and correct by
759 playing->start += written_bytes;
760 playing->used -= written_bytes;
761 playing->played += written_frames;
762 /* If the pointer is at the end of the buffer (or the buffer is completely
763 * empty) wrap it back to the start. */
764 if(!playing->used || playing->start == playing->size)
766 frames -= written_frames;
769 /* Notify the server what we're up to. */
770 static void report(void) {
771 struct speaker_message sm;
773 if(playing && playing->buffer != (void *)&playing->format) {
774 memset(&sm, 0, sizeof sm);
775 sm.type = paused ? SM_PAUSED : SM_PLAYING;
776 strcpy(sm.id, playing->id);
777 sm.data = playing->played / playing->format.rate;
778 speaker_send(1, &sm, 0);
783 static void reap(int __attribute__((unused)) sig) {
788 cmdpid = waitpid(-1, &st, WNOHANG);
790 signal(SIGCHLD, reap);
793 static int addfd(int fd, int events) {
796 fds[fdno].events = events;
803 /** @brief ALSA backend initialization */
804 static void alsa_init(void) {
805 info("selected ALSA backend");
808 /** @brief ALSA backend activation */
809 static int alsa_activate(void) {
810 /* If we need to change format then close the current device. */
811 if(pcm && !formats_equal(&playing->format, &pcm_format))
814 snd_pcm_hw_params_t *hwparams;
815 snd_pcm_sw_params_t *swparams;
816 snd_pcm_uframes_t pcm_bufsize;
818 int sample_format = 0;
822 if((err = snd_pcm_open(&pcm,
824 SND_PCM_STREAM_PLAYBACK,
825 SND_PCM_NONBLOCK))) {
826 error(0, "error from snd_pcm_open: %d", err);
829 snd_pcm_hw_params_alloca(&hwparams);
830 D(("set up hw params"));
831 if((err = snd_pcm_hw_params_any(pcm, hwparams)) < 0)
832 fatal(0, "error from snd_pcm_hw_params_any: %d", err);
833 if((err = snd_pcm_hw_params_set_access(pcm, hwparams,
834 SND_PCM_ACCESS_RW_INTERLEAVED)) < 0)
835 fatal(0, "error from snd_pcm_hw_params_set_access: %d", err);
836 switch(playing->format.bits) {
838 sample_format = SND_PCM_FORMAT_S8;
841 switch(playing->format.byte_format) {
842 case AO_FMT_NATIVE: sample_format = SND_PCM_FORMAT_S16; break;
843 case AO_FMT_LITTLE: sample_format = SND_PCM_FORMAT_S16_LE; break;
844 case AO_FMT_BIG: sample_format = SND_PCM_FORMAT_S16_BE; break;
845 error(0, "unrecognized byte format %d", playing->format.byte_format);
850 error(0, "unsupported sample size %d", playing->format.bits);
853 if((err = snd_pcm_hw_params_set_format(pcm, hwparams,
854 sample_format)) < 0) {
855 error(0, "error from snd_pcm_hw_params_set_format (%d): %d",
859 rate = playing->format.rate;
860 if((err = snd_pcm_hw_params_set_rate_near(pcm, hwparams, &rate, 0)) < 0) {
861 error(0, "error from snd_pcm_hw_params_set_rate (%d): %d",
862 playing->format.rate, err);
865 if(rate != (unsigned)playing->format.rate)
866 info("want rate %d, got %u", playing->format.rate, rate);
867 if((err = snd_pcm_hw_params_set_channels(pcm, hwparams,
868 playing->format.channels)) < 0) {
869 error(0, "error from snd_pcm_hw_params_set_channels (%d): %d",
870 playing->format.channels, err);
873 bufsize = 3 * FRAMES;
874 pcm_bufsize = bufsize;
875 if((err = snd_pcm_hw_params_set_buffer_size_near(pcm, hwparams,
877 fatal(0, "error from snd_pcm_hw_params_set_buffer_size (%d): %d",
879 if(pcm_bufsize != 3 * FRAMES && pcm_bufsize != last_pcm_bufsize)
880 info("asked for PCM buffer of %d frames, got %d",
881 3 * FRAMES, (int)pcm_bufsize);
882 last_pcm_bufsize = pcm_bufsize;
883 if((err = snd_pcm_hw_params(pcm, hwparams)) < 0)
884 fatal(0, "error calling snd_pcm_hw_params: %d", err);
885 D(("set up sw params"));
886 snd_pcm_sw_params_alloca(&swparams);
887 if((err = snd_pcm_sw_params_current(pcm, swparams)) < 0)
888 fatal(0, "error calling snd_pcm_sw_params_current: %d", err);
889 if((err = snd_pcm_sw_params_set_avail_min(pcm, swparams, FRAMES)) < 0)
890 fatal(0, "error calling snd_pcm_sw_params_set_avail_min %d: %d",
892 if((err = snd_pcm_sw_params(pcm, swparams)) < 0)
893 fatal(0, "error calling snd_pcm_sw_params: %d", err);
894 pcm_format = playing->format;
895 bpf = bytes_per_frame(&pcm_format);
896 D(("acquired audio device"));
897 log_params(hwparams, swparams);
904 /* We assume the error is temporary and that we'll retry in a bit. */
912 /** @brief ALSA deactivation */
913 static void alsa_deactivate(void) {
917 if((err = snd_pcm_nonblock(pcm, 0)) < 0)
918 fatal(0, "error calling snd_pcm_nonblock: %d", err);
925 D(("released audio device"));
930 /** @brief Command backend initialization */
931 static void command_init(void) {
932 info("selected command backend");
936 /** @brief Command/network backend activation */
937 static int generic_activate(void) {
939 bufsize = 3 * FRAMES;
940 bpf = bytes_per_frame(&config->sample_format);
941 D(("acquired audio device"));
947 /** @brief Network backend initialization */
948 static void network_init(void) {
949 struct addrinfo *res, *sres;
950 static const struct addrinfo pref = {
960 static const struct addrinfo prefbind = {
970 static const int one = 1;
971 int sndbuf, target_sndbuf = 131072;
973 char *sockname, *ssockname;
975 res = get_address(&config->broadcast, &pref, &sockname);
977 if(config->broadcast_from.n) {
978 sres = get_address(&config->broadcast_from, &prefbind, &ssockname);
982 if((bfd = socket(res->ai_family,
984 res->ai_protocol)) < 0)
985 fatal(errno, "error creating broadcast socket");
986 if(setsockopt(bfd, SOL_SOCKET, SO_BROADCAST, &one, sizeof one) < 0)
987 fatal(errno, "error setting SO_BROADCAST on broadcast socket");
989 if(getsockopt(bfd, SOL_SOCKET, SO_SNDBUF,
991 fatal(errno, "error getting SO_SNDBUF");
992 if(target_sndbuf > sndbuf) {
993 if(setsockopt(bfd, SOL_SOCKET, SO_SNDBUF,
994 &target_sndbuf, sizeof target_sndbuf) < 0)
995 error(errno, "error setting SO_SNDBUF to %d", target_sndbuf);
997 info("changed socket send buffer size from %d to %d",
998 sndbuf, target_sndbuf);
1000 info("default socket send buffer is %d",
1002 /* We might well want to set additional broadcast- or multicast-related
1004 if(sres && bind(bfd, sres->ai_addr, sres->ai_addrlen) < 0)
1005 fatal(errno, "error binding broadcast socket to %s", ssockname);
1006 if(connect(bfd, res->ai_addr, res->ai_addrlen) < 0)
1007 fatal(errno, "error connecting broadcast socket to %s", sockname);
1008 /* Select an SSRC */
1009 gcry_randomize(&rtp_id, sizeof rtp_id, GCRY_STRONG_RANDOM);
1010 info("selected network backend, sending to %s", sockname);
1011 if(config->sample_format.byte_format != AO_FMT_BIG) {
1012 info("forcing big-endian sample format");
1013 config->sample_format.byte_format = AO_FMT_BIG;
1017 /** @brief Table of speaker backends */
1018 static const struct speaker_backend backends[] = {
1045 int main(int argc, char **argv) {
1046 int n, fd, stdin_slot, alsa_slots, cmdfd_slot, bfd_slot, poke, timeout;
1048 struct speaker_message sm;
1050 int alsa_nslots = -1, err;
1054 if(!setlocale(LC_CTYPE, "")) fatal(errno, "error calling setlocale");
1055 while((n = getopt_long(argc, argv, "hVc:dD", options, 0)) >= 0) {
1058 case 'V': version();
1059 case 'c': configfile = optarg; break;
1060 case 'd': debugging = 1; break;
1061 case 'D': debugging = 0; break;
1062 default: fatal(0, "invalid option");
1065 if(getenv("DISORDER_DEBUG_SPEAKER")) debugging = 1;
1066 /* If stderr is a TTY then log there, otherwise to syslog. */
1068 openlog(progname, LOG_PID, LOG_DAEMON);
1069 log_default = &log_syslog;
1071 if(config_read()) fatal(0, "cannot read configuration");
1072 /* ignore SIGPIPE */
1073 signal(SIGPIPE, SIG_IGN);
1075 signal(SIGCHLD, reap);
1076 /* set nice value */
1077 xnice(config->nice_speaker);
1080 /* make sure we're not root, whatever the config says */
1081 if(getuid() == 0 || geteuid() == 0) fatal(0, "do not run as root");
1082 /* identify the backend used to play */
1083 for(n = 0; backends[n].backend != -1; ++n)
1084 if(backends[n].backend == config->speaker_backend)
1086 if(backends[n].backend == -1)
1087 fatal(0, "unsupported backend %d", config->speaker_backend);
1088 backend = &backends[n];
1089 /* backend-specific initialization */
1091 while(getppid() != 1) {
1093 /* Always ready for commands from the main server. */
1094 stdin_slot = addfd(0, POLLIN);
1095 /* Try to read sample data for the currently playing track if there is
1097 if(playing && !playing->eof && playing->used < playing->size) {
1098 playing->slot = addfd(playing->fd, POLLIN);
1101 /* If forceplay is set then wait until it succeeds before waiting on the
1106 /* By default we will wait up to a second before thinking about current
1109 if(ready && !forceplay) {
1110 switch(config->speaker_backend) {
1111 case BACKEND_COMMAND:
1112 /* We send sample data to the subprocess as fast as it can accept it.
1113 * This isn't ideal as pause latency can be very high as a result. */
1115 cmdfd_slot = addfd(cmdfd, POLLOUT);
1117 case BACKEND_NETWORK: {
1120 uint64_t target_rtp_time;
1121 const int64_t samples_ahead = ((uint64_t)RTP_AHEAD_MS
1122 * config->sample_format.rate
1123 * config->sample_format.channels
1126 static unsigned logit;
1129 /* If we're starting then initialize the base time */
1131 xgettimeofday(&rtp_time_0, 0);
1132 /* We send audio data whenever we get RTP_AHEAD seconds or more
1134 xgettimeofday(&now, 0);
1135 target_us = tvsub_us(now, rtp_time_0);
1136 assert(target_us <= UINT64_MAX / 88200);
1137 target_rtp_time = (target_us * config->sample_format.rate
1138 * config->sample_format.channels)
1142 /* TODO remove logging guff */
1143 if(!(logit++ & 1023))
1144 info("rtp_time %llu target %llu difference %lld [%lld]",
1145 rtp_time, target_rtp_time,
1146 rtp_time - target_rtp_time,
1149 if((int64_t)(rtp_time - target_rtp_time) < samples_ahead)
1150 bfd_slot = addfd(bfd, POLLOUT);
1154 case BACKEND_ALSA: {
1155 /* We send sample data to ALSA as fast as it can accept it, relying on
1156 * the fact that it has a relatively small buffer to minimize pause
1163 alsa_nslots = snd_pcm_poll_descriptors(pcm, &fds[fdno], NFDS - fdno);
1164 if((alsa_nslots <= 0
1165 || !(fds[alsa_slots].events & POLLOUT))
1166 && snd_pcm_state(pcm) == SND_PCM_STATE_XRUN) {
1167 error(0, "underrun detected after call to snd_pcm_poll_descriptors()");
1168 if((err = snd_pcm_prepare(pcm)))
1169 fatal(0, "error calling snd_pcm_prepare: %d", err);
1172 } while(retry-- > 0);
1173 if(alsa_nslots >= 0)
1174 fdno += alsa_nslots;
1179 assert(!"unknown backend");
1182 /* If any other tracks don't have a full buffer, try to read sample data
1184 for(t = tracks; t; t = t->next)
1186 if(!t->eof && t->used < t->size) {
1187 t->slot = addfd(t->fd, POLLIN | POLLHUP);
1191 /* Wait for something interesting to happen */
1192 n = poll(fds, fdno, timeout);
1194 if(errno == EINTR) continue;
1195 fatal(errno, "error calling poll");
1197 /* Play some sound before doing anything else */
1199 switch(config->speaker_backend) {
1202 if(alsa_slots != -1) {
1203 unsigned short alsa_revents;
1205 if((err = snd_pcm_poll_descriptors_revents(pcm,
1208 &alsa_revents)) < 0)
1209 fatal(0, "error calling snd_pcm_poll_descriptors_revents: %d", err);
1210 if(alsa_revents & (POLLOUT | POLLERR))
1216 case BACKEND_COMMAND:
1217 if(cmdfd_slot != -1) {
1218 if(fds[cmdfd_slot].revents & (POLLOUT | POLLERR))
1223 case BACKEND_NETWORK:
1224 if(bfd_slot != -1) {
1225 if(fds[bfd_slot].revents & (POLLOUT | POLLERR))
1232 /* Some attempt to play must have failed */
1233 if(playing && !paused)
1236 forceplay = 0; /* just in case */
1238 /* Perhaps we have a command to process */
1239 if(fds[stdin_slot].revents & POLLIN) {
1240 n = speaker_recv(0, &sm, &fd);
1244 D(("SM_PREPARE %s %d", sm.id, fd));
1245 if(fd == -1) fatal(0, "got SM_PREPARE but no file descriptor");
1246 t = findtrack(sm.id, 1);
1250 D(("SM_PLAY %s %d", sm.id, fd));
1251 if(playing) fatal(0, "got SM_PLAY but already playing something");
1252 t = findtrack(sm.id, 1);
1253 if(fd != -1) acquire(t, fd);
1273 D(("SM_CANCEL %s", sm.id));
1274 t = removetrack(sm.id);
1277 sm.type = SM_FINISHED;
1278 strcpy(sm.id, playing->id);
1279 speaker_send(1, &sm, 0);
1284 error(0, "SM_CANCEL for unknown track %s", sm.id);
1289 if(config_read()) error(0, "cannot read configuration");
1290 info("reloaded configuration");
1293 error(0, "unknown message type %d", sm.type);
1296 /* Read in any buffered data */
1297 for(t = tracks; t; t = t->next)
1298 if(t->slot != -1 && (fds[t->slot].revents & (POLLIN | POLLHUP)))
1300 /* We might be able to play now */
1301 if(ready && forceplay && playing && !paused)
1303 /* Maybe we finished playing a track somewhere in the above */
1305 /* If we don't need the sound device for now then close it for the benefit
1306 * of anyone else who wants it. */
1307 if((!playing || paused) && ready)
1309 /* If we've not reported out state for a second do so now. */
1310 if(time(0) > last_report)
1313 info("stopped (parent terminated)");
1322 indent-tabs-mode:nil