«  …10 11 12 13 14 15 16 »

USB Soundcards Mod

2013-08-06 17:50 electronics

To save a bit of power (and annoyance), I de-soldered the LEDs on two USB soundcards. I use these soundcards for battery-driven projects (Beaglebone Black) and every milliamp I can save counts.

The LogiLink soundcard had two easily removable LEDs. The red one indicated that the soundcard was connected and had power, and the green one started to blink when the card was in use (driver activated). Both functions I can easily live without.
The blue '3D-sound' card had a very tiny surface-mount led that I removed using two soldering irons.

Here some before and after photos...

usb soundcard photo 1 usb soundcard photo 2 usb soundcard photo 3 usb soundcard photo 4

Btw, I'd stay away from the LogiLink. It has a problem with audible noise coming from the PWM signal of the green blinking led. If you connect a mic like I'm doing, a beep beep beep kind of sound leaks into the mic. And removing the led doesn't help. Maybe there's something in the software driver to control it, but I doubt it.


Cheap 4-channel Videoplayer

2013-07-30 00:18 visuals

For the dance piece Ich(a) by Zufit Simon I constructed a system with four Raspberry Pi mini-computers and buttons to trigger playback of four video streams. As the videos didn't need to run in exact frame-by-frame sync, this was a very cheap way to get four channel high-quality video playback. Total cost was about (RPi 28 * 4) + (SD card 6 * 4) + (5V power 1 * 7) ≈ 141 Euro. I chose the model A of the Raspberry Pi to keep the cost and power consumption down. The four computers share a 5V power supply of 2 amps and are powered over the GPIO pins. Video cables run 50 meters down to the stage and into separate flat-screen monitors. The monitors are built into boxes that can be piled up or rolled around independently.

The videos are stored on the 4 GB SD cards that also holds the Linux operating system. I converted the videos from DVD to MP4 using ffmpeg with the following settings...

ffmpeg -i concat:"/Volumes/MONITOR01_may2012_DVD/VIDEO_TS/VTS_01_1.VOB|/Volumes/MONITOR01_may2012_DVD/VIDEO_TS/VTS_01_2.VOB" -an -vcodec libx264 -profile:v high -preset fast -crf 18 -b-pyramid none -f mp4 MONITOR01_may2012.mp4

That'll take two chapters and convert to a single MP4 and skip the audio track (-an flag).

The Python program running on each computer is here below. It plays a video to the end and waits for a button trigger. If a button is pressed before the video is finished, it'll stop and jump to the next video - all in a cyclic fashion.

#f0videoplayer.py
#for a Raspberry Pi running Raspbian
#this script will cycle through videos in sequence when a GPIO pin is grounded

#pinSwi (pulled up internally) - GND this pin to switch to the next video
#pinOff (pulled up internally) - GND this to shut down the system

#--settings
videos= ['/home/pi/ICHA1.mp4', '/home/pi/MONITOR01_may2012.mp4', '/home/pi/BLACK.mp4', '/home/pi/FLESH.mp4', '/home/pi/TESTBILDER.mp4']
delays= [0, 0, 0, 0, 0]  #extra start delay time in seconds - one value for each video
pinSwi= 23
pinOff= 24

#--
import pexpect
from time import sleep
import RPi.GPIO as GPIO
import os
GPIO.setmode(GPIO.BCM)
GPIO.setup(pinSwi, GPIO.IN, pull_up_down= GPIO.PUD_UP)
GPIO.setup(pinOff, GPIO.IN, pull_up_down= GPIO.PUD_UP)

def main():
  os.system("clear && tput civis")  #clear and hide cursor
  index= 0  #keeps track of which video to play
  while True:
    sleep(delays[index])
    omx= pexpect.spawn('/usr/bin/omxplayer -rp '+videos[index])
    omx.expect('Video')  #play
    while(GPIO.input(pinSwi)==True):
      sleep(0.1)
      if GPIO.input(pinOff)==False:
        omx.send('q')  #quit
        os.system("tput cnorm && sudo halt")
        exit()
    omx.send('q')  #quit
    sleep(0.5)  #safety
    while(GPIO.input(pinSwi)==False):
      sleep(0.01)
    index= (index+1)%len(videos)

if __name__ == "__main__":
  main()

Instructions for installing

(you'll need a model B to prepare an SD card, but then move it over to the model A Raspberry Pi)

prepare the RPi

copy files from macOS

back to model B

start model A

Useful commands

(connect a keyboard to RPi model A, type pi/raspberry to log in)

sudo pkill omxplayer.bin #might need to write this without the terminal being visible

if you get "WARNING: REMOTE HOST IDENTIFICATION HAS CHANGED!"

ssh-keygen -R raspberrypi.local     #useful for resetting ssh/scp after changing SD cards

It's not pretty but it's working. Some day I'll build it into a real rackmount box.

f0videoplayer photo

References

www.raspberrypi-spy.co.uk/2013/06/playing-videos-on-the-raspberry-pi-command-line

www.raspberrypi.org/phpBB3/viewtopic.php?f=38&t=47520


under the hood changes 2

2013-05-26 10:00 other

Updating this blog to Drupal 7. It is quite different from version 6 and things will be a bit chaotic for a while. Sorry that some content here will be unavailable for a few days.

Updates:


Arduino Live Coding

2013-05-17 17:54 livecoding

So here's some more in depth info on my performance at the live.code.festival / algorave in Karlsruhe.

Being fascinated since long by the sound of serial transmission, I got into trying to make music out of it in some way. By trial-and-error, I figured out that if I connect a small speaker to the TX line of an Arduino, I could upload programs that send serial data and listen to the sound of it.

It is all very basic: if I make the Arduino program send data with delays in between, it plays click rhythms. And programs with faster streams of data play tones. More elaborate combinations of delays and patterns of data produce chords, melodies and a variety of noises. So it works like some sort of one-bit music system that is nice and challenging to play with.

The programs I [live]code can look like this...

byte cnt= 0;
void setup() {
  Serial.begin(9600);
}
void loop() {
  Serial.write(cnt);
  delay(5);
  cnt++;
}

and the resulting sound is this... (raw and unfiltered)

and a more elaborate program...

byte cnt= 0;
void setup() {
  Serial.begin(9600);
}
void loop() {
  for(int i= 0; i<100; i++) {
    Serial.write(cnt++%5+10);
    delay(random(4));
  }
  for(int i= 0; i<200; i++) {
    Serial.write(cnt++%5+10);
    delay(2);
  }
  for(int i= 0; i<100; i++) {
    Serial.write(cnt++%5+10);
    delay(random(4));
  }
  for(int i= 0; i<100; i++) {
    Serial.write(cnt++%5+10);
    delay(3);
  }
  for(int i= 0; i<100; i++) {
    Serial.write(cnt++%5+10);
    delay(4);
  }
  if(random(2)==0) {
    Serial.begin(random(10000));
  }
}

sounds like this...

And of course, the sound of the uploading (verification really) is great in itself. It typically sounds like this... (raw and unfiltered)

I think the uploading sound changes subtly depending on program length and I also guess it will change with different Arduino bootloaders and whatever baud rate they are using.

And you also have a bit of control over the timbre of the sounds. Certain 8bit numbers are more square-wave like than others e.g. 170 (0b10101010), and 85 (0b01010101) sound more 'clean' and 15 (0b00001111) and 240 (0b11110000) also have a more distinct pitch.

Different baud rates have a huge effect on the sound - mainly working as frequency transposition.

But the real fun starts when one connects five Arduinos to a mixer and start playing with volumes, panning and filters. By having five Arduinos connected to a USB hub while running five copies of the Arduino IDE software, I can write little programs on the fly that will address the different boards and play different sounds on the TX lines. (Listening to the RX line also works but then the upload process fails. It'll require extra circuitry to tap into this data without disrupting the uploading).

The reason I used five Arduinos is that that's all I could connect to my laptop (2x USB) with my 4-port USB hub. That in combination with the limitation of computer screen space. It is hard to have more than five Arduino IDE programs open and visible at the same time.

Anyway, as the voltage of the standard Arduino is 5V and really a bit too much for audio equipment, I bring this down a bit with a simple voltage divider. I'm using a 10K and a 1K resistor.

arduinoLivecoding schematic

Here are some pictures of the setup. I'm using the Arduino clone Red board from SparkFun.

arduinoLivecoding board photo

The complete setup (without mixer and laptop)...

arduinoLivecoding boards photo

One issue with the setup is that one can't trust the Arduino IDE to remember which serial port it was connected to. So every time I start the program I need to double-check that the five Arduino IDE programs are set to the right Arduino board. And as I like to know which board is connected to which mixer channel, I also need to check that and possibly reconnect the sound cables.

Live at the live.code.festival in Karlsruhe (Algorave night 20 Apr 2013). Five Arduino boards all with their serial port (TX line) connected to a mixer (with simple protective circuitry in between). So all sounds are generated from what the Arduino boards are programmed to transmit serially. Note that the sound is heavily distorted. Sorry.


Ström

2013-01-28 16:45 visuals

Since the category 'visuals' is underrepresented in this blog and I don't like to embed video in my standard [HTML] pages, I thought I'd include this old piece here. This is the shorter abridged version of the full piece. The quality isn't the best - it's pixelated and jerky. One day I should re-render it in 60 FPS at a higher resolution. It looks a lot better when running in realtime from a computer.

Ström by Mattias Petersson (music) and Fredrik Olofsson (video) is, in its full version, a 45-minute minimalistic piece for five loudspeakers, live-electronics and live-video, based on an open-minded, artistic approach towards electricity. The piece is an attempt to transfer electric currents via sound to the audience. The five speakers in the surround system struggle to take over the sonic stream like electro-magnets. Sine waves and noise rotates with breakneck speeds around the listeners, tries to charge them with static electricity and, as an ultimate goal, even make them levitate. The video part is in direct connection with the sound and is generated out of five discrete lines – one for each channel in the surround system. The lines are treated in different ways, and as the high voltage builds up in the music they look more and more like electric wires, inflicting each other with violent discharges and eruptions. This version was made for a promotional DVD release on Swedish sound art.

Also, see /video/#strom


Traer Physics Library for SuperCollider

2012-11-27 23:59 supercollider

A while ago I started porting the Java/Processing library TRAER.PHYSICS 3.0 by Jeffrey Traer Bernstein to SuperCollider. It's a simple and elegant particle system and a physics engine all in one. There are already ports to ActionScript3, JavaScript and C++ (Cinder), but I haven't seen anyone working with it in SuperCollider yet. so I had a go - both to learn more and to have an alternative to my own physics library quark redUniverse.

It is now finished and released as a quark. This is the initial version and there might still be bugs. I _did see SuperCollider crash once in a strange way after spawning lots of particles, so watch out for memory leaks.

To install it run the following code and recompile SuperCollider...

Quarks.install("TraerPhysics");
//and then recompile and open the help file TraerPhysicsOverview

I also wrote a few simple examples to go along with the help files. Here's a screenshot of one...

traer screenshot

Hats

2012-08-21 16:10 electronics

A tiny circuit I designed and built-in five copies for dancer Raffaella Galdi. With the help of a small magnetic sensor, this circuit makes it possible to start and stop sound coming from an MP3 player. Because the five circuit boards, speakers and MP3 players are mounted inside pointy hats, the electronics had to be light and draw very little current from the battery.

For the sound volume control, I used a vactrol (LDR+led) and the timing and fade in/out logic are encoded in the firmware of a little microcontroller (ATtiny45). To save battery, the ATtiny45 is put to sleep and is only active when the magnetic reed sensor is triggered. I used the great JeeLib.h for controlling the sleep cycles of the microcontroller.

Schematics, firmware and parts list attached below.

hat circuit hat schematics
Attachments:
hats.zip

More SC Twitter

2012-05-14 16:25 supercollider

More audio recordings of my twitter sctweets. See twitter.com/redFrik and the previous post /f0blog/tweets/.

Normally you run these lines of code (140 characters) in SuperCollider and it will play you some kind of generative music or soundscape (also graphics in rare cases). Here I've recorded a few for those who are too lazy to install SuperCollider.

tweet0026

{CombL.ar(In.ar(8).tanh/8,1,1,8)!2}.play;Pbind(\amp,8,\dur,1/4,\degree,Pseq(List.fib(32)%(List.fib(64)%12),inf),\out,8).play//#SuperCollider

This one is using the built-in .fib (as in fibonacci) method to generate pitches (\degree) for the Pbind. The Pbind in it self is quite boring to listen to, so by playing it out on audio bus 8 and then making a small distortion+echo effect synth reading from bus 8, we get a much more interesting sound.

tweet0028

play{MoogFF.ar(LFTri.ar(CombN.ar(Duty.ar(1/8,0,Dseq(Dshuf(List.fib(16)%8*99,8),inf)),4,4,16))/4,LFTri.kr(1/16,0,2e3,3e3))!2}//#SuperCollider

Again using the built-in fibonacci method to generate patterns. Here every 8th bar the pattern is scrambled (Dshuf), and in every 8th bar period the first 2 bars are transposed by a strange trick running the melody pattern (i.e. the frequencies) through a CombN.

tweet0030

play{a=LFPar;GVerb.ar(VarSaw.ar(a.ar(1,0,5,a.ar([0.05,0.04],0,50,160).round(50)),0,a.ar(0.2,0,0.5,a.ar(3,0,0.2,0.5)))/8,80)}//#SuperCollider

Here is something that sounds a bit like a couple of trombones playing a riff in a reverberant room. The riff just goes on and on and is made from a pair of slowly changing LFPar oscillators, scaled, offset and rounded to the nearest 50 Hz.

tweet0033

play{f=LFPar.ar(1/14).round*20+80;Splay.ar(LFPar.ar({|i|[i+1*f,i*f+(i+1/3)]}!4)>BrownNoise.ar(Pulse.ar({|i|i+1}!4,0.35))/3)}//#SuperCollider

Sounds a bit like punk rock in 6/8 time signature. The crispness comes from the > BrownNoise combo and the rhythms from the Pulse. Overall melody is the slowly running LFPar oscillator stored in variable f. Note that this tweet only works in SuperCollider version 3.5 and above.

tweet0041

play{o=SinOsc.ar(1/RunningMax.ar(Sweep.ar(LocalIn.ar(6)),Impulse.ar([1,0.749,6,12,3,4])));LocalOut.ar(o);Splay.ar(o).tanh/2}//#SuperCollider

An ever rising tone cluster with some clicks. This is built using a LocalIn/LocalIut feedback chain. There are plateaus where one thinks the maximum frequency is reached, but those are only temporary and after a while the tone starts to rise again.

tweet0044

play{a=SinOsc;Limiter.ar(LeakDC.ar(a.ar(0.11,BRF.ar(a.ar(a.ar(0.12).exprange(1,1e4),2pi),1/a.ar(0.13).range(1,[99,100])))))}//#SuperCollider

Here the cutoff frequency of a BRF (band reject filter) is modulated with a SinOsc. The cutoff varies between 1 and 99 Hz in the left channel, and 1 and 100 Hz in the right channel. The BRF goes wild and outputs totally crazy sounds when modulated in this matter - just like the BPF used to behave in old SuperCollider versions (3.3 and earlier).

tweet0045

play{a=SinOsc;a.ar(a.ar(a.ar(0.11)),a.ar(a.ar(95*a.ar(0.01,0,1,1),0,a.ar(5e-3,0,50),100),a.ar([98,97]),pi+a.ar(5e-4))).tanh}//#SuperCollider

A deep fat bass. It sounds as lovely in a big speaker system as it sounds poor in laptop speakers. The patch is mainly doing phase modulation on a SinOsc with tanh distortion.

tweet0046

play{a=LFTri;GVerb.ar(Mix(Limiter.ar(BRF.ar(a.ar(50,1e-4),a.ar(a.ar([1.01,1.0111])*a.ar(8e3)*1e3+4e3,55),a.ar(0.01)*3))))/9}//#SuperCollider

This tweet sounds much like a field recording. The noise comes from an exploding BRF (band reject filter) that is wrapped in a Limiter so that it keeps in range. Last a GVerb is adding a metallic quality reverb to the overall sound.

tweet0047

play{CombN.ar(Limiter.ar(BRF.ar(LFSaw.ar(10,0,0.01),LFTri.ar([5,6]*0.1))),0.1,LFTri.kr(0.1,0,0.05,0.05).round(0.01))}//#SuperCollider#SC2012

This was coded, believe it or not, within a 5min time limit and under water pistol threat (part of sc2012 keynote talk in London). Again it's a BRF misbehaving run through a comb delay with short modulated delaytime (from 0 to 0.1).

tweet0048

play{a=Impulse;b=SinOsc;c=b.ar(0,BRF.ar(a.ar([7,8]),a.ar(9).lag2(1e-3),1.5,2pi));Ringz.ar(c,b.ar(0.02,0,99,150),1/9)+c*0.02}//#SuperCollider

A quite poor tweet. The rhythms are not so interesting and it also have the problem of running out and stopping after a few seconds. Anyway, the principle is that a BRF is generating strange sounds that phase modulate a SinOsc, that in turn goes through a ringing filter (Ringz). I only wanted to record it so that when someone fixes the BRF in some upcoming SuperCollider version, I can go back and listen to how it could sound.

tweet0053

Pbind(\freq,Pseq("SUPERCOLLIDER".ascii,inf)*Pstutter(64,Pseq([3,4,5],inf))*[1,2.045],\dur,0.03,\amp,Pseq([0,0.1],inf)).play// #SuperCollider

Super annoying little thing. It is using the values of the ASCII characters in the string "SUPERCOLLIDER" which is [83, 85, 80, 69, 82, 67, 79, 76, 76, 73, 68, 69, 82]. This is played in sequence and transposed and detuned. Maybe a candidate for the official SuperCollider theme song?

tweet0054

play{CombN.ar(SyncSaw.ar(Saw.ar([3,4],32,64),Saw.ar([4,3],99,Duty.kr(1,0,flop(Dseq(2!6++4++3,99)*(4**(0..4))))))/9,1,1/6,2)}//#SuperCollider

Very intense sounding tweet.

tweet0055

play{a=Pulse;CombN.ar(Slope.ar(a.ar(a.ar([1,2]/3,1/9,50,[50,150])),a.ar([3,4],1/3)+a.ar([2,3],1/4)/10+0.005).cos/5,1,1/6,2)}//#SuperCollider

An even more intense sounding tweet.

tweet0057

a=GVerb;fork{loop{z=play{#b,c,d,e,f,g,h,i=(1..50).scramble;a.ar(a.ar(a.ar(a.ar(Dust.ar(1),b,c),d,e),f,g),h,i)/20};6.wait;z.release(5)}}//#sc

This patch is heavy on the CPU. It consists of a synth with nested GVerbs all with random settings for roomsize and reverberation time. Synths play for 6 seconds and then fades out over 5 seconds as another synth, with different reverb settings start. The result is overlapping sounds and quite dense texture.

tweet0059

a=LFTri;play{CombN.ar(SinOsc.ar(Saw.ar(3,128,128),Saw.ar([3,4],a.ar(a.kr(0.1,0,8,12),0,32,128)).sin)/4,1,1/6,a.kr(1/32)+1)}// #SuperCollider

A rhythmic tweet. Gets a bit annoying after a while but there are some nice details in there.

tweet0061

a=Demand;b=SinOsc;play{b.ar(a.ar(t=Saw.ar([9,9.01]),0,Dseq(0!6++500,inf)),b.ar(a.ar(t,0,Dshuf((0..7)*99,inf)).lag(0.04)))/2}//#SuperCollider

Phasing melody in left and right channels. Every 7th note has a slightly different timbre (the 0!6++500 part) and every time one starts this tweet the melody changes (the Dshuf((0..7) part). The phasing is done with two Saw oscillators running at 9 and 9.01Hz. They are in turn used as triggers for the timbre and melody sequences (the two Demand UGens).


«  …10 11 12 13 14 15 16 »