Cookbook
The recipes show how to build a source with a particular feature. You
can try short snippets by wrapping the code in an
output(..) operator and passing it directly to
liquidsoap:
liquidsoap -v 'output(recipe)'For longer recipes, you might want to create a short script:
#!/usr/bin/liquidsoap -v
recipe = # <fill this>
output(recipe)See the quickstart guide for more
information on how to run Liquidsoap, on what
is this output(..) operator, etc.
See also the ffmpeg cookbook for examples specific to the ffmpeg support.
Contents
Sources
Single file
A source which infinitely repeats the same URI:
single("/my/default.ogg")Playlists
A source which plays a playlist of requests – a playlist is a file with a URI per line.
# Shuffle, play every URI, start over.
s1 = playlist("/my/playlist.txt")
# Do not randomize
s2 = playlist(mode="normal", "/my/pl.m3u")
# The playlist can come from any URI, can be reloaded every 10 minutes.
s3 = playlist(reload=600, "http://my/playlist.txt")
When building your stream, you’ll often need to make it infallible.
Usually, you achieve that using a fallback switch (see Scheduling) with a branch made of a safe
single. Roughly, a single is safe when it is given a valid
local audio file.
Generating playlists from a media library
In order to store all the metadata of the files in a given directory
and use those to generate playlists, you can use the
medialib operator which takes as argument the directory to
index. On first run, it will index all the files of the given folder,
which can take some time (you are advised to use the
persistency parameter in order to specify a file where
metadata will be stored to avoid reindexing at each run). The resulting
object can then be queried with the find method in order to
return all files matching the given conditions and thus generate a
playlist:
m = medialib(persistency="/tmp/medialib.json", "~/music/")
l = m.find(artist_contains="Brassens")
l = list.shuffle(l)
output(playlist.list(l))The parameters of the find method follow this
convention:
artist="XXX"looks for files where the artist tag is exactly the given oneartist_contains="XXX"looks for files where the artist tag contains the given string as substringartist_matches="XXX"looks for files where the artist tag matches the given regular expression (for instanceartist_matches="(a)+.*(b)+"looks for files where the artist contains anafollowed by ab).
The tags for which such parameters are provided are:
artist, title, album and
filename.
Some numeric tags are also supported:
year=1999looks for files where the year is exactly the given oneyear_ge=1999looks for files where the year is at least the given oneyear_lt=1999looks for files where the year is at most the given one
The following numeric tags are supported: bpm,
year.
If multiple arguments are passed, the function finds files with tags matching the conjunction of the corresponding conditions.
Finally, if you need more exotic search functions, the argument
predicate can be used. It takes as argument a
predicate which is a function taking the metadata of a file and
returning whether the file should be selected. For instance, the
following looks for files where the name of the artist is of length
5:
def p(m) =
string.length(m["artist"]) == 5
end
l = m.find(predicate=p)
The default implementation of medialib uses standard
Liquidsoap functions and can be pretty expensive in terms of memory. A
more efficient implementation is available if you compiled with support
for sqlite3 databases. In this case, you can use the
medialib.sqlite operator as follows:
m = medialib.sqlite(database="/tmp/medialib.sql", "~/music/")
l = m.find(artist_contains="Brassens")
l = list.shuffle(l)
output(playlist.list(l))(we also support more advanced uses of databases).
Dynamic requests
Liquidsoap can create a source that uses files provided by the result of the execution of any arbitrary function of your own. This is explained in the documentation for request-based sources.
For instance, the following snippet defines a source which repeatedly plays the first valid URI in the playlist:
files =
process.read.lines(
"cat " ^
process.quote("playlist.pls")
)
pos = ref(0)
def get_next() =
if
files == []
then
null
else
file = list.nth(files, pos())
pos := pos() + 1 mod list.length(files)
request.create(file)
end
end
s = request.dynamic(get_next)
Of course a more interesting behaviour is obtained with a more
interesting program than cat, see Beets for example.
Another way of using an external program is to define a new protocol
which uses it to resolve URIs. protocol.add takes a
protocol name, a function to be used for resolving URIs using that
protocol. The function will be given the URI parameter part and the time
left for resolving – though nothing really bad happens if you don’t
respect it. It usually passes the parameter to an external program; it
is another way to integrate Beets, for
example:
protocol.add(
"beets",
fun (~rlog:_, ~maxtime:_, arg) ->
list.hd(
process.read.lines(
"/home/me/path/to/beet random -f '$path' #{arg}"
)
)
)When resolving the URI beets:David Bowie, liquidsoap
will call the function, which will call
beet random -f '$path' David Bowie which will output the
path to a David Bowie song.
Dynamic input with harbor
The operator input.harbor allows you to receive a source
stream directly inside a running liquidsoap.
It starts a listening server where any Icecast2-compatible source client can connect. When a source connects, its input is fed to the corresponding source in the script, which becomes available.
This can be very useful to relay a live stream without polling the Icecast server for it.
# Serveur settings
settings.harbor.bind_addrs := ["0.0.0.0"]
# An emergency file
emergency = single("/path/to/emergency/single.ogg")
# A playlist
playlist = playlist("/path/to/playlist")
# A live source
live = input.harbor("live", port=8080, password="hackme")
# fallback
radio = fallback(track_sensitive=false, [live, playlist, emergency])
# output it
output.icecast(%vorbis, mount="test", host="host", radio)This script, when launched, will start a local server bound to
"0.0.0.0", meaning it will listen on all available network
interfaces. The server will wait for a source stream to connect on mount
point /live. If you start a source client streaming to your
server on port 8080 with password "hackme", the live source
will become available and the radio will stream it immediately.
If the live connection is unstable — for instance when streaming through a roaming phone device — it can be useful to add a short silence when transitioning out of the live input to give it a chance to reconnect:
# The live source. We use a short buffer to switch more quickly to the source
# when reconnecting.
live_source = input.harbor("mount-point-name", buffer=3.)
# A playlist source.
playlist_source = playlist("/path/to/playlist")
# Set to `true` when we should be adding silence.
should_append = ref(false)
# Append 5. of silence when needed.
fallback_source =
append(
playlist_source,
fun (_) ->
if
should_append()
then
should_append := false
blank(duration=5.)
else
source.fail()
end
)
# Transition to live
def to_live(playlist, live) =
sequence([playlist, live])
end
# Transition back to playlist
def to_playlist(live, playlist) =
# Ask to insert a silent track.
should_append := true
# Cancel current track. This will also set the playlist to play a new
# track. If needed, `cancel_pending` can be used to for a new silent track
# without skipping the playlist current track.
fallback_source.skip()
sequence([live, playlist])
end
radio =
fallback(
track_sensitive=false,
transitions=[to_live, to_playlist],
[live_source, fallback_source]
)
Scheduling
Fallback and scheduling
# A fallback switch
s = fallback([playlist("http://my/playlist"), single("/my/jingle.ogg")])
# A scheduler, assuming you have defined the night and day sources
s = switch([({0h-7h}, night), ({7h-24h}, day)])
Periodic playlists
It can be useful to have a special playlist that is played at least every 20 minutes (3 times per hour), such as a promotional playlist:
# (1200 sec = 20 min)
timed_promotions = delay(1200., promotions)
main_source = fallback([timed_promotions, other_source])
where promotions is a source selecting the file to be
promoted.
Play a jingle at a fixed time
Suppose that we have a playlist jingles of jingles and
we want to play one within the 5 first minutes of every hour, without
interrupting the current song. We can think of doing something like
radio = switch([({0m-5m}, jingles), ({true}, playlist)])
but the problem is that it is likely to play many jingles. In order
to play exactly one jingle, we can use the function
predicate.activates which detects when a predicate (here
{ 0m-5m }) becomes true:
radio = switch([(predicate.activates({0m-5m}), jingles), ({true}, playlist)])
Mixing and switching
Add a jingle to your normal source at the beginning of every hour:
s = add([normal, switch([({0m}, jingle)])])Switch to a live show as soon as one is available. Make the show unavailable when it is silent, and skip tracks from the normal source if they contain too much silence.
stripped_stream = blank.strip(input.http("http://myicecast:8080/live.ogg"))
s = fallback(track_sensitive=false, [stripped_stream, blank.strip(normal)])Without track_sensitive=false the fallback would wait
for the end of a track before switching to the live. When using the
blank detection operators, make sure to fine-tune their
threshold and length (float) parameters.
Transitions
Crossfade-based transitions buffer source data in advance to compute
a transition where the ending and starting tracks potentially overlap.
This does not work with all sources — for instance,
input.http may only receive data at real-time rate and
cannot be accelerated to buffer data without risking running out.
The cross.simple operator provides a ready-to-use
crossfade transition suitable for most cases. You can also create your
own custom crossfade transitions — for example, if you want crossfades
between tracks of your music source but not between a
music track and jingles. Here’s how:
# A function to add a source_tag metadata to a source:
def source_tag(s, tag) =
def f(_) =
[("source_tag", (tag : string))]
end
metadata.map(id=tag, insert_missing=true, f, s)
end
# Tag our sources
music = source_tag(music, "music")
jingles = source_tag(jingles, "jingles")
# Combine them with one jingle every 3 music tracks
radio = rotate(weights=[1, 3], [jingles, music])
# Now a custom crossfade transition:
def transition(a, b) =
# If old or new source is not music, no fade
if
a.metadata["source_tag"] != "music" or a.metadata["source_tag"] != "music"
then
sequence([a.source, b.source])
else
# Else, apply the standard transition
cross.simple(a.source, b.source)
end
end
# Apply it!
radio = cross(duration=5., transition, radio)
Encoding and streaming
Transcoding
Liquidsoap can achieve basic streaming tasks
like transcoding with ease. You input any number of “source” streams
using input.http, and then transcode them to any number of
formats / bitrates / etc. The only limitation is your hardware: encoding
and decoding are both heavy on CPU. If you want to get the best use of
CPUs (multicore, memory footprint etc.) when encoding media with
Liquidsoap, we recommend using the %ffmpeg encoders.
# Input the stream from an Icecast server or any other source
url = "https://icecast.radiofrance.fr/fip-hifi.aac"
input = mksafe(input.http(url))
# First transcoder: mp3 32 kbps. We also degrade the samplerate, and encode in
# mono Accordingly, a mono conversion is performed on the input stream
output.icecast(
%mp3(bitrate = 32, samplerate = 22050, stereo = false),
mount="/your-stream-32.mp3",
host="streaming.example.com",
port=8000,
password="xxx",
mean(input)
)
# Second transcoder: mp3 128 kbps using %ffmpeg
output.icecast(
%ffmpeg(format = "mp3", %audio(codec = "libmp3lame", b = "128k")),
mount="/your-stream-128.mp3",
host="streaming.example.com",
port=8000,
password="xxx",
input
)Re-encoding a file
As a simple example using a fallible output, we shall consider
re-encoding a file. We start by building a source that plays our file
only once. That source is obviously fallible. We pass it to a file
output, which has to be in fallible mode. We also disable the
sync parameter on the source’s clock, to encode the file as
quickly as possible. Finally, we use the on_stop handler to
shutdown liquidsoap when streaming is finished.
# The input file, any format supported by liquidsoap
input = "/tmp/input.mp3"
# The output file
target = "/tmp/output.ogg"
# A source that plays the file once
source = once(single(input))
# We use a clock with disabled synchronization
clock.assign_new(sync="none", [source])
# Finally, we output the source to an ogg/vorbis file
o = output.file(%vorbis, target, fallible=true, source)
o.on_stop(synchronous=true, shutdown)RTMP server
With our FFmpeg support, it is possible to create a simple RTMP server with no re-encoding:
s = playlist("my_playlist")
enc = %ffmpeg(format = "flv", listen = 1, %audio.copy, %video.copy)
output.url(url="rtmp://host/app/instance", enc, s)Transmitting signal
It is possible to send raw PCM signals between two instances using the FFmpeg encoder. Here’s an example using the SRT transport protocol:
Sender:
enc = %ffmpeg(format = "s16le", %audio(codec = "pcm_s16le", ac = 2, ar = 48000))
output.srt(enc, s)Receiver:
s =
input.srt(
content_type="application/ffmpeg;format=s16le,ch_layout=stereo,sample_rate=48000"
)
Recording
Generating CUE files
When making backups of streams in audio files, it can be useful to
generate CUE files, which store the times where the various tracks occur
along with their metadata (those could then be used later on to split
the file for instance). This can be achieved using the
source.cue operator:
radio =
source.cue(
title="My stream",
file="backup.mp3",
"/tmp/backup.cue",
radio
)
output.file(%mp3, "/tmp/backup.mp3", radio)
which will generate a CUE file of the following form
TITLE "My stream"
PERFORMER "The performer"
FILE "backup.mp3" MP3
TRACK 01 AUDIO
TITLE "Title 1"
PERFORMER "Artist 1"
INDEX 01 00:00:00
TRACK 02 AUDIO
TITLE "Title 2"
PERFORMER "Artist 2"
INDEX 01 01:12:67
Dumping a stream into segmented files
It is sometimes useful (or even legally necessary) to keep a backup of an audio stream. Storing all the stream in one file can be very impractical. In order to save a file per hour in wav format, the following script can be used:
# A source to dump
# s = ...
# Dump the stream
output.file(
%wav,
{time.string("/archive/%Y-%m-%d/%Y-%m-%d-%H_%M_%S.mp3")},
s,
reopen_when={0m}
)Here, the function time.string generates the file name
by replacing %H by the hour, etc. The fact that it is
between curly brackets, i.e. {time.string(...)}, ensures
that it is re-evaluated each time a new file is created, changing the
file name each time according to the current time.
In the following variant we write a new mp3 file each time new
metadata is coming from s:
filename =
{
time.string(
'/archive/$(if $(title),"$(title)","Unknown \
archive")-%Y-%m-%d/%Y-%m-%d-%H_%M_%S.mp3'
)
}
output.file(%mp3, filename, s, reopen_on_metadata=fun (_) -> true)In the two examples we use string interpolation and time literals to generate the output file name.
In order to limit the disk space used by this archive, on unix
systems we can regularly call find to clean up the folder;
if we want to keep 31 days of recordings:
thread.run(
every=3600.,
{
list.iter(
fun (msg) -> log(msg, label="archive_cleaner"),
list.append(
process.read.lines(
"find /archive/* -type f -mtime +31 -delete"
),
process.read.lines(
"find /archive/* -type d -empty -delete"
)
)
)
}
)Hardware
ALSA output delay
You can use Liquidsoap to capture and play through ALSA with minimal delay. This is particularly useful when running a live show from your computer, allowing you to capture and play audio through external speakers without audible delay.
This configuration is not trivial since it depends on your hardware. Some hardware allows both recording and playing at the same time, some only one at once, and some none at all. These notes describe what works for us — your mileage may vary.
First launch liquidsoap as a one line program
liquidsoap -v --debug 'input.alsa()'
Unless you’re lucky, the logs are full of lines like the following:
Could not set buffer size to 'frame.size' (1920 samples), got 2048.
The solution is then to set liquidsoap’s internal frame size to this value, which is most likely specific to your hardware. Let’s try this script:
%ifndef input.alsa
let input.alsa = blank
%endif
%ifndef output.alsa
let output.alsa = output.dummy
%endif
# BEGIN
# Set correct frame size:
# This makes it possible to set any audio frame size.
# Make sure that you do NOT use video in this case!
video.frame.rate := 0
# Now set the audio frame size exactly as required:
settings.frame.audio.size := 2048
input = input.alsa()
output.alsa(input)
# END
ignore(true)The setting will be acknowledged in the log as follows:
Targeting 'frame.audio.size': 2048 audio samples = 2048 ticks.
If everything goes right, you may hear on your output the captured sound without any delay!
If you experience problems it might be a good idea to double the value of the frame size. This increases stability, but also latency.