overtone.sc.vbap
any? now calledsome-element?
and doesn't rely on Clojure 1.9
inst?
has been renamed toinstrument?
overtone.algo.euclidean-rhythm
Generates euclidean rhythms using bjorklund's algorithm.
overtone.examples.midi.keyboard
sustain-ding
Creates an midi instrument with a sustain parameter.
overtone
is now running on clojure-1.9-alphafreesound
gives better error message when file/sample is not found.overtone.sc.vbap
uses clojure 1.9'sclojure.core.any?
, removes replace symbol warnings.
- Prevent double trigger of freesound samples by setting #318
- Replace
use
with:use
for Clojure 1.9 compatability. - Fix error when Supercollider version is in development
- Fix warning for deprecated CMSIncrementalMode
connect-to-external-server
logs correctly configured port number
control-bus-set-range!
arguments have been updated (to match OSC API). start and len args have been removed and offest params have been added.- Freesound API has been updated to v2 and now requires a key :-(
mono-play-buffer-partial
stereo-play-buffer-partial
- Sample flute with vibrato
dyn-klang
dyn-klank
dfm1
distortion2
varlag
del-tap-wr
del-tap-rd
vbap
grain-fm
sputter
- probabilistic repetition of a list's elementsbuffer-mix-to-mono
- create a new mono buffer by mixing a stereo bufferserver-radians-per-sample
server-control-dur
server-control-rate
server-sample-dur
control-bus-get-channel
- get the value of an individual channel of a control bus.control-bus-fill!
- fill a sequence of control bus values with a specific value.env-adsr-ng
non-gated ADSR envelope
Add new internal server clock with control-rate resolution. Introduces the folloing functions:
server-clock-n-ticks
server-clock-uptime
server-clock-time
server-clock-drift
And also a new group: foundation-timing-group
which is at the head of
all groups. There's also a new two-channel global clock-bus:
server-clock-b
.
- Make metronome safe to use across multiple threads
*add-current-namespace-to-synth-name*
- new dynamic var for switching off auto namespacing of a synthdef namecontrol-bus-get
may now return a sequence of vals when passed a multi-channel control bus..aif
is now a synonym for.aiff
in list of supported audio files- Reduce chance of unexpected control bus clashes by auto-reserving bus 0 (and therefore ensuring that a default bus of 0 has no bad side effects.)
- Added new default value:
SC-MAX-FLOAT-VAL
- representing the maximum whole number represented with scsynth's floats due to precision constraints (2**24) - Only auto-allocate the required number of audio busses based on sound card properties.
- Add support for par-groups (for supernova)
- Graphviz - draw
:ir
rate control ugens with dashes node-tree-seq
now works correctly with no argsdefunk
now handlesnil
correctly in args
Version bump forced by Clojars missing a commit. Nothing new here.
- Mike Anderson
- Karsten Schmidt
- Joseph Wilk
- Rich Hickey
- Kevin Irrwitzer
- James Petry
apply-at
has been renamed to apply-by
which more
correctly represents its semantics as it applies the function before
the specified time. apply-at
still exists, except it now applies the
fn at the specified time. To update, simply grep for all occurences of
apply-at
and replace with apply-by
.
When triggering synths it was possible to specify a position for the synth node to be executed in the node tree. This is important for ensuring that synth chains are correctly ordered such that any post-fx synths are executed after the source synth they are modifying. Prior to 0.9.0 this was possibly by prefixing the synth args with 'special' values:
(def my-g (group))
(my-synth :tgt my-g :freq 440)
Overtone figured out that the :tgt my-g
key-val pair were special, and
used them to target the synth node, and not pass them as params to the
synth along with the :freq
param. This was slightly magical and also
potentially clashed with a synth designer's ability to use the special
keywords as valid synth param names.
This syntax has now been deprecated and replaced with a more explicit vector-based syntax. If you wish to target your synth, you need to pass a vector as the first parameter. The vector should be a pair of:
[:target-specifier target]
Valid target specifiers are:
:head
- places new synth node at the head of the target (group):tail
- places new synth node at the tail of the target (group):before
- places new synth node immediately before target (group/synth):after
- places new synth node immediatedly after target (group/synth):replace
- replaces target with new synth node
Therefore, to place a new instance of my-synth
at the head of my-g
you can issue the following:
(my-synth [:head my-g] :freq 440)
Currently, you'll get an exception if you use the old style syntax. This means that the old keywords are still unavailable to synth designs. This will be relaxed in a future version.
The MIDI API has been substantially revamped. This is in the Apple
tradition of actually reducing functionality with the aim of making the
surviving functionality easier to use. Essentially the underlying MIDI
library provided by the dependency overtone/midi-clj
is no longer
available in the global API which is pulled in automatically to the
overtone.live
and overtone.core
namespaces. Of course, you're still
free to pull in the overtone.midi
namespace, which is still on the
classpath should you need access to the old functions. However, if you
find yourself doing this - please let me know. The aim is for this not
to be necessary.
MIDI devices are now automatically detected on boot and auto-hooked up
to the event system. You have access to the list of detected devices
(and receivers) via the functions: midi-connected-devices
and
midi-connected-receivers
. Take a look at the example file
examples/midi/basic.clj
for more a quick tour of the MIDI API.
If you're working on a sophisticated synth design, or just simply want
to have another perspective of a given synth's design, it's often useful
to be able to look at a visual representation. This is now possible with
the new Graphviz support. You can generate dot notation for an arbitrary
synth design with the function graphviz
.
For example, given the synth:
(defsynth foo []
(out 0 (sin-osc 440)))
You can produce corresponding dot notation with:
(graphviz foo)
Which will return the following string:
digraph synthdef {
1 [label = "{{ <bus> bus 0.0|{{<signals___sin____osc___0>}|signals}} |<__UG_NAME__>out }" style="filled, bold, rounded" shape=record rankdir=LR];
0 [label = "{{ <freq> freq 440.0|<phase> phase 0.0} |<__UG_NAME__>sin-osc }" style="filled, bold, rounded" shape=record rankdir=LR];
0:__UG_NAME__ -> 1:signals___sin____osc___0 ;
}
You can then easily spit
this out to a file and feed it into graphviz
to render an image/pdf etc manually. However, we also provide the
function show-graphviz-synth
which will automatically call dot
to
generate a pdf and then display it for you:
(show-graphviz-synth foo) ;;=> PDF pops up!
This has been exhaustively tested on OS X, so any pull requests for
minor niggles on Linux/Windows are happily
considered. show-graphviz-synth
is currently pretty much guaranteed
not to work on Windows, but it would be awesome if it did.
One aspect of Overtone which is seeing active development is means with which to monitor the internal values within running synths. Overtone 0.9.0 now ships with a bus monitoring system which works with both audio and control busses.
Calling bus-monitor
with a bus will return an atom containing the
current value of the bus. Note that this isn't the peak amplitude,
rather the direct value of the control bus. For multi-channel buses, an
offset may be specified. Current amplitude is updated within the
returned atom every 50 ms.
Overtone now supports a simple persistent key value store which is
essentially a Clojure map serialised as EDN in file with the path
~/.overtone/user-store.clj
. Adding to the store is a matter of
store-set!
and getting values from it is simply store-get
. The store
is meant merely as a simple convenience mechanism for sharing data
between Overtone projects.
Overtone has long provided stop
which kills all synths in the default
group. However, it doesn't clear out all the subgroups which is
sometimes wanted. This is now available with clear
. Overtone also
provides an initial group structure with 'safe' groups both before and
after the default group. These are intended for longer-running synths
either feeding control signals to ephemeral synths or adding FX to
them. These 'safe' groups can now be stopped with stop-all
and also
all the subgroups can be cleared out with clear-all
. For more
information on the default group structure see the foundation-*
fns.
It's now possible to register oneshot handler function for when specific
nodes are created, destroyed, paused or started with the new on-node-*
family of functions. For example to have a function execute every time a
node is started:
(defsynth foo [] (out 0 (sin-osc)))
(def f (foo))
(on-node-started f (fn [m] (println "Node" (-> m :node :id) "started!")))
(node-pause f)
(node-start f) ;;=> "Node 31 started!"
(node-pause f)
(node-start f) ;;=> "Node 31 started!"
It is possible to send information out of a specific synth and into
Overtone as an event via the send-trig
ugen. This is now a little bit
easier with the new trigger handler functions. Firstly, there's
trig-id
which will return you a unique id for use as a trigger id. You
can then feed that to your synth and also use it to register handler
functions to execute when data from that specific synth is received:
;; create new id
(def uid (trig-id))
;; define a synth which uses send-trig
(defsynth foo [t-id 0] (send-trig (impulse 10) t-id (sin-osc)))
;; register a handler fn
(on-trigger uid
(fn [val] (println "trig val:" val))
::debug)
;; create a new instance of synth foo with trigger id as a param
(foo uid)
Using envelopes effectively has long been a dark Overtone art. They have
a huge potential for powerful manipulation of synth internals to finely
control both pitch and timbre though time. The simplest approach to
using envelopes is using the env-gen
helper fns such as perc
and
adsr
. These functions have supported keyword argument semantics
similar to the ugen functions given that they're used in the same
context. However, until this release, they haven't reported their param
list in the function argument list metadata. This is now fixed in this
release. In addition, to help ease discovery of these helper fns, they
are also now prefixed with env-
so those using editors with
autocomplete can find them more easily. The helper functions provided in
0.9.0 are: env-triangle
, env-sine
, env-perc
, env-lin
,
env-cutoff
, env-dadsr
, env-adsr
and env-asr
.
The envelope
function (which all the helper functions are written in
terms of) has also been improved. It is now possible to pass a
heterogeneous list of keywords and floats for the curves
parameter. This means that it's now possible to request different
keywords for different envelope segments. Take a look at the envelope
docstring for extensive information.
Karsten 'Toxi' Schmidt has kindly donated his resonate workshop
files to the examples folder. These can be found within
examples/workshops/resonate2013
. Karsten is renowned for giving
awesome workshops, so it's wonderful to be able to ship with this
material for everyone to play.
Although it can be fairly argued that Overtone is still missing end-user documentation (something we're currently working hard at fixing) we have always had excellent internal documentation and this release continues with this tradition. All of our end-user functions have full docstrings and many of them have been improved and tweaked to make them more readable and understandable.
midi-find-connected-devices
- list all auto-connected MIDI devicesmidi-find-connected-device
- list all auto-connected MIDI devicesmidi-find-connected-receivers
- list all auto-connected MIDI receiversmidi-find-connected-receiver
- list all auto-connected MIDI receiversmidi-device-num
- get the unique device num (for a specific MIDI make/model)midi-full-device-key
- get the full device key used for the event systemcycle-fn
- create a composite fn which cycles through a list of fns on applicationrotate
- treat a list as a circular buffer and offset into itfill
- fill a list with the values of another (cycling if necessary)trig-id
- return a unique id for use with trigger ugenon-trigger
- add handler for when a specific synth trigger event is receivedon-latest-trigger
- similar to on-latest-event but for triggerson-sync-trigger
- similar to on-sync-event but for triggersclear
- stop all running synths in default group and remove all subgroupsstop-all
- stop all running synths including within safe groups. Does not remove subgroups.clear-all
- stop all rurnning synths including within safe groups and remove all subgroups.node-destroyed-event-key
- returns the key used for node destroyed eventsnode-created-event-key
- returns the key used for node created eventsnode-paused-event-key
- returns the key used for node paused eventsnode-started-event-key
- returns the key used for node-started eventson-node-destroyed
- create a oneshot handler triggered when node is destroyedon-node-created
- create a oneshot handler trigered when node is createdon-node-paused
- create a oneshot handler triggered when node is pausedon-node-started
- create a oneshot handler triggered when node is startedgraphviz
- create a valid dot file representation of a synth designshow-graphviz-synth
- show a PDF of the visual representation of a synth designfreesound
- create a playable sample from a freesound idaudio-bus-monitor
- returns an atom which is auto updated with the current bus valuecontrol-bus-monitor
- returns an atom which is auto updated with the current bus valuebus-monitor
- returns an atom which is auto updated with the current bus valuesynth-args
- returns a seq of the synth's args as keywordssynth-arg-index
- returns an integer index of synth's argstore-get
- get value with key from persistent user storestore-set!
- set value with key within user's persistent storestore
- get full persistent store mapenv-triangle
- duplicate oftriangle
env-sine
- duplicate ofsine
env-perc
- duplicate ofperc
env-lin
- duplicate oflin
env-cutoff
- duplicate ofcutoff
env-dadsr
- duplicate ofdadsr
env-adsr
- duplicate ofadsr
env-asr
- duplicate ofasr
node-get-control
->node-get-controls
bus-set!
->control-bus-set!
bus-get
->control-bus-get
bus-set-range
->control-bus-set-range
bus-get-range
->control-bus-get-range
remove-handler
->remove-event-handler
remove-all-handlers
->remove-all-event-handlers
lin-env
->lin
connected-midi-devices
->midi-connected-devices
connected-midi-receivers
->midi-connected-receivers
apply-at
->apply-by
midi-devices
midi-device?
midi-ports
midi-sources
midi-sinks
midi-find-device
midi-in
midi-out
midi-route
midi-shortmessage-status
midi-sysexmessage-status
midi-shortmessage-command
midi-shortmessage-keys
midi-msg
midi-handle-events
midi-send-msg
hex-char-values
midi-mk-byte-array
midi-play
overtone.synth.sts/prophet
overtone.synth.retro/tb-303
bitcrusher
->fx-bitcrusher
- Report
:num-control-busses
inserver-info
- Rename
apply-at
toapply-by
and implementapply-at
to apply the fn at the specified time, not before it. - Remove limit and ordering restrictions on
scale-range
- Teach
fm
synth aboutout-bus
param - Teach
sampled-piano
aboutamp
andrate
params - Modify
AudioBus
andControlBus
print formatter to print a default name and to label the attributes more clearly. RecurringJob
andScheduledJobs
are now killable- Add
pan
param to the sample players - Breaking change -
node-get-control
now only accepts one arg and returns a value. Use newnode-get-controls
for old behaviour. - Teach
sync-event
to take a single map as an argument - similar to event - Add new store-fns
store-get
andstore-set!
for storing user values separate from the config within~/.overtone/user-store.clj
- Warn users when JVM argument
tieredStopAtLevel
is set to 1 - Remove support for using mmj MIDI library on OS X
- Make more things killable - Integers, Floats, Synths, regexs
- idify synth args
- automatically create
MidiOutReceiver
objects for all detected midi out receivers to enable comms. - Reduce
MAX-OSC-SAMPLES
to work within the constraints of UDP packets - handle exceptions generated in
on-latest-event
hander-fns - Add
reset-returning-prev!
- Don't ensure-connected in kill fn
- Extend
Group
to supportISynthNode
(given that groups are actually nodes). - Emit events when nodes are destroyed, created, paused and started.
- Unify ugen name in debug namespace to Overtone style name - and also replace Binary/UnaryOpUGens with appropriate names:
*
,+
,/
etc. - Add some explicit type checks for synthdef manipulation fns.
- Remove reliance on presence of
:spec
key in sdefs for unification process. This allows sdefs read from binary scsynthdef files to also be correctly unified. - Update
at-at
dependency to 1.2.0 - Teach
fs
to take multiple txt strings (which will subsequently be separated with a space) - Teach
find-note-name
to handle nil arg - let nil flow through - Add Coyote onset detector ugen to exceptions which can take ar ugens
- Catch
UnsatisfiedLinkError
when attempting to load native libs and print out error.
- Calling either
stop-player
orkill-player
on the return obj from one of the scheduling fns such asperiodic
orafter-delay
now has correct behaviour. - Fix
group-free
to actually delete a group - Fix
pitch-shift
arg name from window-cize to window-size - Fix control-bus asynchronous message multiplexing issue.
- Fix
indented-str-block
to correctly count length of lines - Switch to much simpler (also non-explosive) implementation of
topological-sort-ugens
- Reset
*print-length*
dynamic var to ensure all data is printed out - Ensure
bur-rd
andbuf-wr
phase arg is at audio rate when ugen is also at audio rate. - Add ugen checks for
balance2
- Fixed
vintage-bass
inst to be audible
- Fix bug in free-bus which was still assuming audio and control busses were differentiated by keywords rather than records. Added new protocol IBus to handle the polymorphism for this fn.
(Some of these committers may have made contributions to previous versions, but this is the first time they're mentioned in this change log).
- Nada Amin
- George Jahad
- Colleen Twitty
- Mikko Harju
- Paul Sanwald
- Roger Allen
- Mikkel Gravgaard
- J. Graeme Lingard
- Chris Ford
- Mat Schaffer
- Joel Jorgensen
- New, all Clojure, in-memory scsynth interface using clj-native
- New (optionally disabled) machinery to stop the control and modification of non-live nodes (controlling loading nodes blocks the current thread and controlling destroyed nodes throws an exception).
- New event handler
on-latest-event
which serially handles incoming events with the lowest latency by dropping events it hasn't had time to handle, yet always handling the last event seen. - Complete overhaul of the default group structure. See
foundation-*
fns below. - Many new synths
- Many, many new ugens: major progress has been made porting the metadata for the extra ugens not included by default in SuperCollider. See
overtone/sc/machinery/ugen/metadata/extras/README.md
for progress. - Clojure 1.5 compatibility
on-latest-event
- Handles events with minimum latency - drops events it can't handle in timeevent-monitor-on
- prints out all events to stdout (can be very noisy!)event-monitor-off
- turns off event monitoringevent-monitor-timer
- records incoming events for a specified period of timeevent-monitor
- returns map of most recently recorded eventsevent-monitor-keys
- returns seq of all keys of recently seen eventsmidi-capture-next-controller-key
Returns the event key for the next modified controllerbuffer-write-relay
- similar to buffer-write! but doesn't require native synth. Can be very slow for large amounts of data.chord-degree
- Returns the notes constructed by picking thirds in the given note of a given scalefoundation-overtone-group
- returns the group for the whole of the Overtone foundational infrastructurefoundation-output-group
- returns the group for output synthsfoundation-monitor-group
- returns the group for the monitor synths (executed last)foundation-input-group
- returns the group for the input synths (executed first)foundation-root-group
- returns the main group for synth activityfoundation-user-group
- returns the container group for user activityfoundation-default-group
- returns the default user group - use this group for your synthsfoundation-safe-group
- returns the safe group - synths in here will not stop when #'stop is calledfoundation-safe-post-default-group
- returns the safe group positioned before the default group - synths in here will not stop when #'stop is calledfoundation-safe-pre-default-group
- returns the safe group positioned after the default group - synths in here will not stop when #'stop is callednode?
- returns true if obj is a synth node or groupnode-live?
- returns true if node is livenode-loading?
- returns true if node is loading (i.e. the server hasn't responded to say that it's loaded)node-active?
- returns true if node is either loading or liveinactive-node-modification-error
- Returns a keyword representing the current node-modification errors trategyinactive-buffer-modification-error
- Returns a keyword representing the current buffer-modification error strategyblock-node-until-ready?
- Returns true if the current message strategy is to block the current thread until the node you're attempting to communicate with is ready (i.e. live).pp-node-tree
- pretty-print the node-tree to outinterspaced
- calls a fn repeatedly with an interspacing of ms-period. i.e. the next call of the fn will happen ms-period ms after the completion of the previous call.
with-no-ugen-checks
- Disables ugen checks in containing form instead printing warning messages instead of raising exceptions. This is useful for the cases when the ugen checks are over zealous.with-ugen-debugging
- Prints debugging information for the ugens within the containing form.without-node-blocking
- Disables the blocking behaviour when attempting to communicate with a node that's not yet live.with-inactive-node-modification-error
- Sets the error strategy for inactive node modification. Options are :exception, :warning and :silentwith-inactive-buffer-modification-error
- Sets the error strategy for inactive buffer modification. Options are :exception, :warning and :silentwith-inactive-modification-error
- Sets the error strategy for both inactive node and buffer modification. Options are :exception, :warning and :silent
on-trigger
- prefer event systemremove-trigger
- prefer event systemremove-all-handlers
- calling this removed Overtone's default handlers rendering the system useless.
stop-midi-player
->midi-player-stop
- It can now handle keys
supersaw
dance-kick
quick-kick
haziti-clap
daf-bass
cs80lead
simple-flute
New timing synths
trigger
counter
divider
Started work porting synths from Ixi Lang (overtone/synth/ixi
):
-
impulser
-
kick
-
kick2
-
kick3
-
snare
-
sampled-piano
- now we also have a synth version of the sampled piano with support for:out-bus
arg.
sum
- Adds all inputs togethermix
- Now divides the inputs signals by the number of number of inputsadd-cents
- Returns a frequency which is the result of adding n-cents to the src frequency.mul-add
now auto-determins the correct rate.range-lin
- maps ugens with default range of -1 to 1 to specified rangepoll
- now implemented viasend-reply
to print out via Overtone stdout and remove flushing latency.
- Further work on SuperCollider book translation (
/docs/sc-book
) out-bus
argument now added to a number of synths. This should be considered standard practice.- Overtone icon displayed on OS X systems
tb303
inst now accepts:amp
param- Synth control proxies (args) can now accept a [default rate] vector i.e. [0 :kr]
- Allow following ugens to be foldable (following Clojure's semantics):
#{"+" "-" "*" "/" "<" ">" "<=" ">=" "min" "max" "and" "or"}
- Teach certain binary ugens to behave appropriately if passed just one argument (unity).
- Default scsynth memory size is now 256 (up from 8mb!)
env-gen
now defaults to control rate.- Event stream now also gets a generic MIDI event with the value as a payload rather than as part of the key
- Metronome now stores current bar
- Add chord
:m7+9
- Buffer modifying fns now typically return the modified buffer
- MIDI data map now includes keys
:data2-f
and:velocity2-f
storing floats between 0 and 1 - Add more scales
- Ugen arity and keys are now checked with sensible error messages.
- Allow samples to be forcefully reloaded - avoiding cache with via supplying the
:force
arg toload-sample
- Midi poly player now sends both velocity (0-127) and amp (0-1)
- Midi poly player can now be associated with specific MIDI devices
- Midi poly player can now be created with a specific key allowing it to be removed independently
- Teach group fn to ensure that the target node is active.
- teach Overtone OSC peer to throw exceptions when nested OSC bundles are attempted to be sent to SuperCollider (despite being an explicit part of the OSC spec, SuperCollider doesn't support nested OSC bundles).
- Rename buffer record slot allocated-on-server to status containing either :live or :destroyed similar to node records.
- Add print-method writers for buffers and samples
- Update scope to support control-rate buses and to free resources created on closing the scope
- Teach buffers to store descriptive names
- Ensure buffer is active before allowing modifications - may be disabled
- Add deref! description messages to improve the error reporting by providing some context when a deref! takes too long.
- Improved MIDI sysex support: can now receive sysex messages, which are placed onto the event stream
- Ability to handle multiple identical connected MIDI devices
- Support for the mmj lib (on OS X) via the config key
:use-mmj
- Add ability to handle bus, buffer (and other) arguments in synth creation and control messages without requiring explicit :id extraction
- New
~/.overtone/config.clj
example documenting all config options. Found indocs/config.clj
- SCUGen now stores the ugen spec
- SynthNodes now store the original synth design and arguments
- SynthNodes and SynthGroups now print themselves succintly
- Mixers are now part of studio
- Many additional ugen checks
group-node-tree
now knows how to handle a group as a paramextract-target-pos-args
extraced for:tgt
and:pos
munging.- Allow for different JVM args per OS
- Extend Integers to handle
ISynthNode
andIControllableNode
protocols - Fixed race condition in node creation where
/s_new
could occasionally trigger the handler fn before the ide id is added toactive-synth-nodes*
- Synth names are now namespaced - allowing multiple synths to be defined with the same name but in different namespaces. Abbreviate safely to a 31 character limit.
- Teach
synthdef-write
to resolve tilde paths - Internal event
:osc-msg-received
is now[:overtone :osc-msg-received]
- Freeing node ids is delayed by 1 second to reduce the chance of a race condition occurring in the case where the id has been recycled and used before the node status has been set to :destroyed.
- Add dynamic var
overtone.sc.node/*inactive-node-modification-error*
which may be bound to:silent
,:warning
or:exception
to control the behaviour of the error created when an inactive node is either controlled or killed. (Default is:exception
). - Teach insts how about node-status and node-block-until-ready. For insts, this is really composite behaviour depending on internal groups and synths.
- Move to using non-id-recycling keywords for node and buffer ids. (Thanks to Kevin Neaton for discovering that this was possible). IDs will run out, but only after a solid 24 hours of hardcore jamming.
- add new
os-name
andos-description
helper fns - update
osc-clj
dependency (which now supports nested OSC bundles in the macroin-osc-bundle
) and move to using the new non-nested osc bundle macroin-unested-osc-bundle
to explicitly not create OSC bundles for SC comms. However, the nested bundle functionality may be useful for communicating with other OSC servers which support this behaviour (which is in the OSC spec).
- Examples are now located in
overtone/examples
- Get on the bus - introduction to busses
- Internal sequencer
- Getting started video transcript
- Jazz experiment
- Internal metro
- Clapping Music
- Bass and drum funk
- Add fun new schroeder-reverb-mic example
- Many, many many! See git history for full list.
- Improve booting of external server on Windows.
- Working dir is now set on Windows machines for
scsynth
scsynth
path is now discovered on Windows rather than hardcoded- Users may set :sc-path in their config to point to their scsynth executable if it's not to be found in the default locations.
- Damion Junk
- Jacob Lee
- Fabian Steeg
- Michael Bernstein
- Ian Davies
overtone.sc.buffer/buffer-alloc-read
- read a audio file from path into a bufferovertone.sc.mixer/recording?
- returns true if Overtone is currently recording audioovertone.sc.buffer/buffer-info?
- determins whether the arg is buffer informationovertone.sc.sample/free-sample
- free buffer associated with a loaded sampleovertone.sc.sample/free-all-loaded-samples
- frees buffers associated with all loaded samplesovertone.sc.buffer/file-buffer?
- returns true if arg is a file bufferovertone.music.pitch/find-scale-name
- discover the name of a scaleovertone.music.pitch/find-note-name
- discover the name of a noteovertone.music.pitch/find-chord
- discover the name of a chordovertone.music.pitch/note-info
- return an info map representing a noteovertone.music.pitch/mk-midi-string
- returns a validated midi note stringovertone.lib.at-at/show-schedule
- displays a list of currently scheduled jobsovertone.sc.node/node-get-control
- get a set of named synth control valuesovertone.sc.node/node-get-control-range
- getn synth control values starting at a given control name or indexovertone.libs.freesound/freesound-search
search freesound.orgovertone.libs.freesound/freesound-searchm
search freesound.org and expand results at macro expansion timeovertone.libs.freesound/freesound-search-paths
search and download from freesound.orgovertone.sc.node/node-tree-zipper
- return a zipper over the node-treeovertone.sc.node/node-tree-seq
- return a seq of node-tree nodesovertone.sc.node/node-tree-matching-synth-ids
- return a seq of node-tree nodes matching a string or regexpovertone.studio.inst/inst-volume
- control the volume of a specific instovertone.studio.inst/inst-pan
- control the pan of a specific inst
buffer-cue-close
->buffer-stream-close
find-note-name
->find-pitch-class-name
tap
- Listen in to values flowing through scsynth and have them periodically update atoms associated with a synth instance for easy reading from Clojure.scaled-play-buf
- similar toplay-buf
but auto-scales ratescaled-v-disk
- similar tov-disk-in
but auto-scales ratehold
- hold input source for set period of time, then stop safelylocal-buf
- now supports SCLang's argument ordering
- defsynths now no longer need only one root - therefore they now support side-effecting ugen trees.
- Varied welcome messages
- definsts and friends now accept a single arg map
- Instruments are now stereo and panned with controls for each
- You can supply a map of options for the scsynth binary as a
:sc-args
key in the config - Store and read default log level from config as
:log-level
config-get
now supports a default valuectl
can now handle a sequence of nodes to control as its first argument.- Log event debug messages on a separate thread to ensure logging doesn't interfere with event handling latency
- Using
overtone.live
now consults the config to determine whether t* boot an internal or external synth - All midi events are now broadcasted on the event stream
- Connected midi devices are automatically detected on boot
- Add support for local buffers in synths through local-buf
- Log output is now Clojure data
- Update logging to log to
~/.overtone.log
with two separate rolling files of max 5mb each. - Immigrate fns as vars, not vals - allows modifications to core fns to propogate immediately. Helpful for hacking on Overtone :-)
- Add received OSC messages to debug output
- Soften release of
demo
- no more clicks or pops! - Allow cgens to perform multichannel-expansion - similar to ugens
- Increase amount of info stored in buffer-info and sample-info records
- Improve interaction with external servers
buffer-cue
now auto-allocates a buffer- Callable-maps now preserve metadata on
assoc
andcons
defsynth
now supports cgen-like argument maps- New helper ns for internal helper fns
- Safety system now uses a standard limiter
- Groups may now be created with no params - defaulting to the tail of the root-group
- Store names with groups and make them visible in node-tree
- Add buffer size checking fns with sensible error messages.
- Improve ugen error checking
- Add additional SuperCollider paths for 3.5.1 version of SC
IMetronome
ISynthNode
ISynthGroup
ISynthBuffer
ISaveable
IControllableNode
IKillable
examples/piano_phase.clj
examples/row_row_row_your_boat.clj
- Sampled-piano link now points to a hopefully more persistent freesound version of samples
- Allow creation of a buffer within the body of an at macro
- Fix race condition by updating active-synth-nodes* before sending OSC message.
- Fix divide-by-zero error in
buffer-info
- Only allow a-zA-Z0-9 chars in asset filenames. Fixes issue with bad filenames on Windows.
- Fix startup race condition by thread-syncing retreival of in and out bus counts
- Fix arg positioning in
buffer-cue
- Simplify safety system and fx using replace-out ugen correctly
- Allocator now allows for the correct allocation of multi-channel busses.
buffer-write
now handles start-idx argument correctly- Fix
weighted-choose
- Remove metronome glitches when changing bpm
- Fix blues example
- Fix issue caused by node not returning the synthdef
- Fix OutputProxy printing errors by adding name field to record
- Matthew Gilliard
- Dave Ray
- Harold Hausman
- Jennifer Smith
- Improve scsynth executable lookup strategy for linux
- Warn users if the number of samples they're attempting to write exceeds the capacity of UDP packets
- Add #'write-wav for writing data (either a buffer or a seq) to an external file.
- Add SC compatable wavetable format converter #'data->wavetable
- Add more file helper fns #'mkdir #'file-exists? #'mv! #'file? #'mk-tmp-dir! #'rm-rf! #'mkdir-p! #'absolute-path? #'dir-exists? #'subdir? #'cannonical-path #'ensure-trailing-file-separator #'remote-file-size #'dir-empty?
- Add retry functionality to #'download-fie
- Add string helper fns #'split-on-char
- Add system helper fns #'window-os? #'linux-os? #'mac-os?
- Add zip helper fns #'zip-file #'zip-entry #'zip-ls #'zip-cat #'unzip
- Make #'defcgen globally accessible
- Improve file-store fns. Add #'config-get #'config-set!
- Change ~/.overtone structure - put logs in separate dir and also create assets dir.
- Print user name on boot
- Add #'create-buffer-data for generating buffer data
- Add master mixer volume and input gain controls #'volume #input-gain
- Set default port for external server to 57110
- Add basic support for chord inversion #'inc-first #'dec-last #'invert-chord
- Add beginnings of an asset management system for dealing with direct asset urls and zipped bundles.
- Allow #'load-samples to take a list of strings of path partials as a param which it can stitch together using the correct path
- Add #'server-sample-rate cached server info val.
- Expand docstrign for definst
- Add simple 2 channel recorder functionality available through #'start-recording and #'stop-recording
- Add support for mapping control busses to a synth params
- Automatically determine if a sample is stereo or mono and create the appropriate player
- Add #'buffer-cue for streaming audio from disk. Also add supporting fn #'buffer-cue-pos
- Add ability to query a metronome for its current bpm value by passing it a single arg :bpm
- Make find-ugen more flexible - allow searches for SC name, lowecase and overtone names. Also rename *-ug ugen helper fns to *-ugen
- Allow samples returned by #'sample to be used as buffers
- Remember versions seen by the config by storing them in a set.
- Illustrate that the mixer is receiving too high volumes by outputting pink noise in addition to printing warning messages (this bevaviour is likely to change in a future version).
- Add sampled-piano (piano samples are linked to as an asset)
- Add an example of mapping a control bus onto synth params
- Add Schroeder-reverb example
- Add feedback example
- Festive Troika melody complete with fully synthesised bells
- Fix cgens to deal with the case where arg names were overriden by the explicit bindings created with #'with-overloaded-ugens
- Fix #'bus-set!
- Fix #'nth-interval for the case where no scale is specified (defaults to diatonic)
- Only run #'shutdown-server in JVM shutdown hook when the server is already connected.
- Evaluate default vals passed to synths - allows the use of fars and fns to set default parms.
- Fix #'buffer-save - choose defaults that actually work.
- Refer to correct namespaced keyword for instrument
- Fix sample re-loading on server boot
- Add #'status alias for #'server-status
- Fix :shutdown on-sync-event callback fn ::reset-cached-server-info
- Fix hardcoded wav path with freesound asset.
- Nick Orton
- Kevin Neaton
- Jowl Gluth
- Chris Ford
- Philip Potter
- Add new anti-ear-bleeding (TM) safety harness
- Add noise TOO LOUD!!! warnings when output is above a safe threshold
- Add repl.shell fns to core and live
- Rename await-promise! to deref!
- Pull all Overtone synthdefs into a defonce statement so they don't get reloaded multiple times
- Add glob capability to file manip fns
- Teach file manip fns to resolve ~
- Add #'load-samples to allow the loading of multiple samples via a globbing string
- Allow uppercase B to be usable as a flat notation for notes.
- Add volumes to mono and stereo sample players
- Add canonical-pitch-class-name to return the canonical version of the specified pitch class
- Free allocated id and throw exception if a sample isn't loaded correctly
- Add docstrings for ugen done-action constants and default vars
- sc-ugens can now take any map (such as buffer and bus) args and automagically map them to their :id vals.
- ctl can now take buffer and bus args
- Rename :n-frames to :size for buffer-info map to make the keys consistent with buffer maps
- Massage Doubles to Floats in outgoing OSC messages
- Ensure multiple shutdowns/boots can't happen simultaneously.
- Teach scopes to only work with an internal server
- Only allow #'buffer-data to work with an internal server
- Clean up REPL output when starting/stopping servers
- Add handy file downloading fns (for downloading samples)
- Create gens namespace containing all ugens and cgens
- Move more internals into overtone.sc.machinery
- Rename #'server-info to connection-info
- Add #'server-info which polls information directly from the server
- Add individually cached server info fns (server-num-output-buses, server-num-audio-buses etc.)
- Add #'deps-satisfied? and #'satisfied-deps query fns to examine the state of satisfied deps
- Add wait-until-deps-satisfied fn which blocks the current thread till all specified deps have been satisfied
- Allow longs as buffer ids
- Make sc-osc-debug-on public (some users were reporting issues with /dumpOSC)
- Add #'ensure-connected!
- Make samples play at normal rate even when sample-rates differ
- Add #'run - like #'demo but for testing non-audio synths
- Ensure sc-ugens and numbers are allowed as ugen args
- Ensure inst and synth player fns have similar calling semantics
- Rename #'status -> #'server-status
- Rename #'connected? and #'disconnected? -> #'server-connected? and #'server-disconnected? respectively
- Add Pepijn's vocoder example
- Remove await-promise as deref in Clojure 1.3 now accepts a timeout val.
- out cgen doesn't support auto-rating so need to explicitly specify when we're outputting to a control bus
- Fix minor niggling bugs in shell fns
- Ensure osc lib fns are in scope withing server (fixes #'at macro)
- (use :reload-all 'overtone.live) now works again
- Ensure ugen arg docstrings don't lose their order
- Fix THX example and make it sound more beefy
- Fix drum loading
- Fix ks1, ks1-demo, tb303 and whoahaha synths
- Ensure #apply-at uses the playeor thread pool (fixes use of #'stop with temporal recursion)
- Make sure a synth's param list consists of symbols not strings
- Preserve an instrument's metadata - instrument docstrings are now honoured
- Fix closing buffer scopes
- Make scope draw with the correct orientation
- Don't consistently redraw scope buffers (short-term fix for the scsynth-jna memory leak)
- Various example fixes
- Fix ls-file-names to only return the file names, not the full path
- Only satisfy :synthdefs-loaded dep when all synthdefs have been loaded
- Fix FAILURE /n_free Node not found warning after stopping a currently running demo
- Fix ugen arg checking fns
- Support for Clojure 1.3
- Provide more separation between 'public' and 'private' APIs by moving non-public aspects of overtone.sc into overtone.sc.machinery
- Similarly pull out 'private' machinery from overtone.sc.server into overtone.sc.machinery.server - overtone.sc.server now contains only public fns.
- Create new helpers namespace for useful 'public' fns. overtone.util is now meant for internal/private util fns.
- Define and use default Overtone at-at pool
- Remove server dependence on studio.rig. Use #'boot-rig to boot and wait for rig to complete its initialisation
- Improve doc for sin-osc-fb ugen
- Improve doc for node-free
- Clean up implementation of cgen macro
- Rename boot to boot-server
- Rename quit to kill-server
- Make osc-validator check for actual types not the 'fuzzy' types Clojure uses
- Add information about resolving collider ugen fns to collider docstrings
- Teach resolve-degree about sharps and flats
- Stop users from attempting to receive osc messages from the server when it's not connected
- Various ugen metadata fixes
- Various docstring improvements
- Add piano piece - Gnossienne No. 1 by Erik Satie
- Add some useful string manipulation fns
- Add some file helper fns
- Move splay-pan into helpers ns
- Move sc-lang converter here
- Add odoc - Overtone version of doc which gives information about ugen colliders
- Add super rudimentary (but still pretty fun) shell fns ls and grep
- Make find-ug and find-ug-doc macros so you can pass unquoted symbols as args
- Allow ugen searches to also match the ugen name in addition to its full doc string
- Teach find-ug to print the full docstring of the match if only one is returned
- Support for vijual representation of node tree
- Fix clear-ids in allocator
- Don't explicitly free node id when freeing node as this is already handled by a callback
- Fix resolve-gen-name
- Fix cgen bug in arglist generation
- Fix snare drum inst
- Print ascii art on boot (for both internal and external servers)
- Add :params key to ugen map
- Make ugens store their Overtone name
- Add Examples mechanism - defexamples - to store executable example documentation for ugens
- Make all trig fns :kr by default
- Update osc-clj to 0.6.2
- Teach callable maps to identify themselves when printing
- Make ugens print themselves nicely
- Rename ugen type to sc-ugen to help differentiate between the low-level maps representing supercollider ugens and the ugen fns which generate those maps
- Automatically capitilise ugen arg docstrings
- Make pulse and impulse :kr by default
- Create overtone.sc.defaults to store default vals such as the synth limits
- Let both alloc-id and free-id take an optional action-fn which will be executed within the allocation/deallocation transaction. This allows fns with side-effects to have their execution tightly bound to the allocation mechanism such that they cannot be incorrectly interleaved within a concurrent context.
- Add additional server sync fns - server-sync and with-server-self-sync and also allow a matcher-fn in recv
- Update buffer fns with explicit consideration of concurrent contexts
- Fix send-reply - it's now possible to send arbitrary information from the server via osc messages
- Move handler keys to end of event param list to match osc-clj
- Update and format event docstrings
- Add summaries to ugens, cgens and examples
- Re-organise namespaces
- rename clear-handlers to remove-all-handlers to match osc-clj
- Pull out spec generation code from ugen.clj to specs.clj
- Add checking functionality to ugens. Now the :check fns in the metadata are honoured
- Allow :check fns to be vecs of fns (will evaluate them all and aggregate any errors)
- Throw friendly exception when user doesn't specify both the val and rate in synth params when using a vec
- Add checks for nil args in control-proxy, sc-ugen and output-proxy
- Add check fns for a few ugens (such as compander)
- Add nil-arg-checker for ugen fns - throws an exception when a ugen fn is called with nil args
- Print out :none in docstring if a ugen's arg has no default
- Unify binary/unary-ugen and standard ugens. Now they are both callable maps and have the same calling semantics
- Add docstrings to binary/unary-ugens
- Add Overtone version number
- Add at-at as an explicit dependency
- Implement scope updating usign at-at
- Implement music.time with at-at
- Add lovely algorithmic piano example translated from Extempore example
- Add other drives (D and E) to windows scsynth paths
- choose-n
- cosr
- sinr
- tanr
- rand-chord
- find-ug
- find-ug-doc
- ug-doc
- sound-in
- mix
- splay
- dbrown
- diwhite
- dwhite
- impulse
- send-reply
- compander
- Fix piano inst - deal with 20 arg restriction by using apply
- Fix missed references to :free (keywords are no longer allowed as param vals)
- Fix ugen rate checker
- Fix blues example
- Pause thread booting Overtone until the boot has fully completed
- Fix missing parens in drum and synth
- Added example implementation of MAD (Music as Data) notation
- Add ugen arg rate checking - ensures ugen rates are <= parent rates for most cases
- Add docstrings to pretty much all ugens now
- Add :auto-rate option for ugen metadata to allow the default ugen automatically determine its rate
- Make all :ir rated ugens :auto rated
- Add list of arg names to synth map with the key :args
- Add hybrid args/keyword-args calling strategy for ugens. Matches SCLang's behaviour
- Unify synth and ugen hybrid args/keyword-args calling strategies
- Separate option :target and :position keys to separate map when calling node. This is to stop them clashing with similarly named args
- Add mda-piano ugen metadata and corresponding synth
- Add stk ugen metadata
- New instruments: tb303 mooger and others
- New fx: rlpf, rhpf and others
- Further work on pitch.clj functions
- Make demo behave similarly to synth
- Added translations for the majority of Chapter 1 of the new SuperCollider book
- Clean up docstring generator. Two \n\n in a row are treated as a carriage return, single \n are treated as spaces
- Add docstrings to defunks
- Add information from scserver to buffer and sample maps in the key :info
- Autoconvert any bus arguments to their :id val when passed as ugen args
- Use namespaced keywords to represent bus types
- Autoconvert any bus arguments to the :id val when passed as synths args
- Add map-ctl to map a node's control param to the values in a given control bus
- Replace java bitset allocator with Clojure ref-based one which can handle the allocation of sequential ids
- Use new allocator to allocate sequential busses
- Add limit for the number of audio busses
- Create new helpers namespace for end-user helper fns. Create two sub-namespaces chance and scaling containing many useful fns
- Allow synths to take :pos and :tgt in any order
- Trimming of docstrings to be within 80 chars
- Add new buffer fns for reading and writing to scsynth buffers
- Add basic synthdef decompilation
- Ensure :dr rate ugens only have :dr rate inputs
- Add dubstep bass examples
- Allow synth params to be passed as maps
- Add support for bespoke envelope curve lists
- Special case FFT ugen to allow :ar ugens to be passed as args
- Add :param key to synths and insts storing the list of param maps
- Add support for control ugens with rates other than :kr
- Don't require console viz stuff as default
- Print out nice Overtone ascii art and welcome message on boot
- Add comparison binary ugens
- Add OSC message validator system - checks all outgoing messages against a type signature
- Add :append-string mode for ugen arg metadata - allows the use of string args for certain ugens
- Fix dpoll and poll ugens
- Don't send any unknown messages to the server
- Add support for multiple paths to scsynth
- Replace crude /done syncronisation mechanism with a more robust one based on /sync
- Add cgens - composite ugens
- Re-implement pseudo-ugens with cgens
- Re-implement a number of demand ugens with cgens allowing to match the arg ordering of SCLang
- Fix print-classpath to refer to the project's classpath
- Freeing control bus previously freed an audio bus of the same name
- Masses of ugen metadata fixes
- Allow :kr ugens to be plugged into :dr ugens
- Fix ugen :init behaviour
- Fix klang and klank init fns to munge specs correctly
- Increase APPLY-AHEAD time to 300ms to reduce perceived jitter when using the metronome
- Synchronise creation of first studio group