Biography, programs and music

A while ago, I had a conversation with a friend who contended that people go to concerts, read the biographies (and program notes) of a composer and judge the pieces based on this rather than on the sound. He furthermore stated that many biographies of students were inflated. They had played concerts in their home towns, their college towns and now here, perhaps in three different countries. But they’re not international stars, it’s just where they studied. Furthermore, who their teachers were might be important, but it’s not germane to listening to the piece. If these composers are so fantastic, why are they in school at all? (Maybe they just want to live in another country until Habeas Corpus is reinstated.)
I’ve been thinking about this in regards to my bio. I think having a bio that lists teachers, education, awards and whatnot is useful for a press kit. As in: anything that helps me get gigs is good. But what about a bio for programs? Apparently, according to my (non-Dutch) friend, the Dutch don’t react well to self aggrandizement. So I’ve thought about having a different short bio for use in printed programs at musical performances.
Nicole says it’s too weird. She may be right, as it might not fully encourage people to judge my music on it’s merits rather than a perception of me that they gleam from my printed statement. But it’s not self-aggrandizing and does get to the heart of certain issues. So I’m asking you, dear readers, too weird or just right?

Celeste Hutchins is a Californian abroad, testing Philip K Dick’s theory that once you become a Berkeley radical, you can never leave. She explores issues of regional identity, plays music, goes to school and has telepathic conversations with an alien satellite orbiting the earth.

Tag:

HID, Joysticks and SuperCollider

So, game controllers and joysticks and the like are called Human Interface Devices (HID). There is some HID stuff built into SuperCollider, but it seemed sort of half implemented. They let you specify things, but not do much with it. So I wrote an extension yesterday, which maybe I should submit as something official or a replacement, although I didn’t bother checking first if anybody else had already done anything. No internet access at home sucks.

To use it, download HID.sc and put it in ~/Library/Application Support/SuperCollider/Extensions. Plug in your joystick or controller. Start SuperCollider.
First, you want to know some specifications for your device, so execute:


HIDDeviceServiceExt.buildDeviceList;

  
(
HIDDeviceServiceExt.devices.do({arg dev;
  [dev.manufacturer, dev.product, dev.vendorID, dev.productID, dev.locID].postln;
  dev.elements.do({arg ele;
   [ele.type, ele.usage, ele.cookie, ele.min, ele.max].postln;
  });
});
)

I got back:

  [ , USB Joystick STD, 1539, 26742, 454033408 ]
  [ Collection, Joystick, 1, 0, 0 ]
  [ Collection, Pointer, 2, 0, 0 ]
  [ Button Input, Button #5, 3, 0, 1 ]
  [ Button Input, Button #6, 4, 0, 1 ]
  [ Button Input, Button #7, 5, 0, 1 ]
  [ Button Input, Button #8, 6, 0, 1 ]
  [ Button Input, Button #1, 7, 0, 1 ]
  [ Button Input, Button #2, 8, 0, 1 ]
  [ Button Input, Button #3, 9, 0, 1 ]
  [ Button Input, Button #4, 10, 0, 1 ]
  [ Miscellaneous Input, Hatswitch, 11, 0, 3 ]
  [ Miscellaneous Input, X-Axis, 12, 0, 127 ]
  [ Miscellaneous Input, Y-Axis, 13, 0, 127 ]
  [ Miscellaneous Input, Z-Rotation, 14, 0, 127 ]
  [ Miscellaneous Input, Slider, 15, 0, 127 ]
  [ a HIDDevice ]

Ok, so I know the name of the device and something about all the buttons and ranges it claims to have. (Some of them are lies!) So, I want to assign it to a variable. I use the name.

j = HIDDeviceServiceExt.deviceDict.at('USB Joystick STD');

Ok, I can set the action for the whole joystick to tell me what it’s doing, or I can use the cookie to set the action for each individual element. I want to print the results. In either case, the action would look like:

x.action = { arg value, cookie, vendorID, productID, locID, val;
 [ value, cookie, vendorID, productID, locID, val].postln;
};

You need to queue the device and start the polling loop before the action will execute.

HIDDeviceServiceExt.queueDeviceByName('USB Joystick STD');
HIDDeviceServiceExt.runEventLoop;

It will start printing a bunch of stuff as you move the controls. When you want it to stop, you can stop the loop.

 HIDDeviceServiceExt.stopEventLoop; 

Ok, so what is all that data. The first is the output of the device scaled to be between 0-1 according to the min and max range it reported by the specification. The next is very important. It’s the cookie. The cookie is the ID number for each element. You can use that to figure out which button and widget is which. Once you know this information, you can come up with an IdentityDictionary to refer to every element by a name that you want. Mine looks like:

  j.deviceSpec = IdentityDictionary[
   // buttons
   a->7, left->9, right->10, down->8, hat->11,
   // stick
   x->12, y->13,
   wheel->14,
   throttle->15
  ]; 

The last argument in our action function was the raw data actually produced by the device. You can use all your printed data to figure out actual ranges of highs and lows, or you can set the action to an empty function and then restart the loop. Push each control as far in every direction that it will go. Then stop the loop. Each element will recall the minimum and maximum numbers actually recorded.

(
j.elements.do({arg ele;
   [ele.type, ele.usage, ele.cookie, ele.min, ele.max, ele.minFound, ele.maxFound].postln;
  });
)

This gives us back a table like the one we saw earlier but with two more numbers, the actual min and the actual max. This should improve scaling quite a bit, if you set the elements min and max to those values.   ele.min = ele.minFound;   Speaking of scaling, there are times when you want non-linear or within a different range, so you can set a ControlSpec for every element. Using my identity dictionary:

j.get(throttle).spec = ControlSpec(-1, 1, step: 0, default: 0);

Every element can have an action, as can the device as a whole and the HIDService as a whole. You can also create HIDElementGroup ‘s which contain one or more elements and have an action. For example, you could have an action specific for buttons. (Note that if you have an action for an individual button, one for a button group and one for the device, three actions will be evaluated when push the button.) Currently, an element can only belong to one group, although that might change if somebody gives me a good reason.
This is a lot of stuff to configure, so luckily HIDDeviceExt has a config method that looks a lot like make in the conductor class. HIDDeviceExt.config takes a function as an argument. The function you write has as many arguments as you want. The first refers to the HIDDeviceExt that you are configuring. The subsequent ones refer to HIDElementGroup ‘s. The HIDDeviceExt will create the groups for you and you can manipulate them in your function. You can also set min and max ranges for an entire group and apply a ControlSpec to an entire group. My config is below.

 j.config ({arg thisHID, simpleButtons, buttons, stick;
  
  thisHID.deviceSpec = IdentityDictionary[
   // buttons
   a->7, left->9, right->10, down->8, hat->11,
   // stick
   x->12, y->13,
   wheel->14,
   throttle->15
  ]; 
  
  
  simpleButtons.add(thisHID.get(a));
  simpleButtons.add(thisHID.get(left));
  simpleButtons.add(thisHID.get(right));
  simpleButtons.add(thisHID.get(down));
  
  buttons.add(simpleButtons);
  buttons.add(thisHID.get(hat));
  
  stick.add(thisHID.get(x));
  stick.add(thisHID.get(y));
  
  // make sure each element is only lsted once in the nodes list, or else it
  // will run it's action once for each time a value arrives for it
  
  thisHID.nodes = [ buttons, stick, thisHID.get(wheel), thisHID.get(throttle)];
  
  // When I was testing my joystick, I noticed that it lied a bit about ranges
  
  thisHID.get(hat).min = -1;  // it gives back -12 for center, but -1 is close enough
  
  // none of the analog inputs ever went below 60
  
  
  thisHID.get(wheel).min = 60;
  thisHID.get(throttle).min = 60;
  // can set all stick elements at once
  stick.min = 60;
      
  // ok, now set some ControlSpecs
  
  thisHID.get(hat).spec = ControlSpec(0, 4, setp:1, default: 0);
  // set all binary buttons at once
  simpleButtons.spec = ControlSpec(0, 1, step: 1, default: 1);
  
  // all stick elements at once
  stick.spec = ControlSpec(-1, 1, step: 0, default: 0);
  thisHID.get(wheel).spec = ControlSpec(-1, 1, step: 0, default: 0);
  thisHID.get(throttle).spec = ControlSpec(-1, 1, step: 0, default: 0);
  
  thisHID.action = {arg value, cookie, vendorID, productID, locID, val;
  
   [value, cookie, vendorID, productID, locID, val].postln;
  };
   
 });

I wrote all of this yesterday, so this is very demo/pre-release. If something doesn’t work, let me know and I’ll fix it. If people have interest, I’ll post better versions in the future.
Tags: , ,

Concert Announcement

8 Oktober: Over tekst en muziek – Kader Abdolah

Kader Abdolah – lezing over de relatie tussen tekst en muziek
Han Buhrs – zang, live elektronica
Joseph Bowie – trombone, zang, live elektronica
Luc Houtkamp – computer, saxofoon
Guy Harries – computer, zang
Celeste Hutchins – compositie, computer
Kader Abdolah, Nederlands schrijver van Iraanse afkomst, zal een lezing houden over de synthese tussen poëzie en muziek in de Perzische cultuur. Abdolah heeft met het POW Ensemble een voorstelling gemaakt voor het Crossing Border festival 2005, waarin de gedichten van de Perzische dichter Jalaluddin Rumi een centrale rol innemen. Bij het werkproces aan dat project is het ons opgevallen hoe nauw muziek en poëzie in de Perzische cultuur samen vallen. Kader Abdolah heeft over dit gegeven veel te vertellen.
De relatie tussen tekst en muziek is een onderwerp dat het POW Ensemble ten zeerste bezighoudt. Het ensemble legt de verbinding tussen beiden op een eigentijdse manier door gebruik te maken van computers. Op dit concert zullen we laten horen wat de mogelijkheden van deze werkwijze zijn.
Daarnaast zal de Amerikaanse componiste Celeste Hutchins haar composities Meditations pour les Femmes en Faux-bourdon Bleu te gehore brengen.

Plaats: Galerie <TAG>, Stille Veerkade 19, tel. 070-3468500 Aanvang: 16:00 uur (deuren open om 15:30)
Toegang 5 euro (studenten 2,50 euro) Passe partout voor 4 concerten: 15 euro

Which is to say that I’ll be playing 2 pieces in a larger concert on October 8 at 4:00 PM at Galerie <TAG>, Stille Veerkade 19, The Hague. Tel. 070-3468500. Price is 5€ or 2.50€ for students. If you want to go to the whole series (you missed the first one (ack, I forgot the first one)), it’s 15€.
Tags: ,

Heh heh. She said “Joystick”

Is it me, or is everything about game devices loaded with innuendo? “Joy stick?” I mean, really. I went out yesterday and attempted to purchase one called the “thrust master.” Sublimation much?
No, I have not discovered the joys of gaming. (Well, I briefly became interested in a Soduku widget, but it got old fast. Closely related to minesweeper but without the smiley face or the implied violence. bah.) If I gamed, I would not do anything else. It’s difficult for me to compartmentalize.
Anyway, I found a bargain joystick with 2 degrees of A->D conversion for the stick and another degree for the throttle. I have plans to use it with my tuba (or, rather, my formerly bubblewrapped sousaphone). If the stick proves too awkward / stupid, then different variable resistors, such as ribbons can be put in place of where the stick went.
Right now, though, I am giggling like a middle schooler at game device terminology. If I remove the plastic of the handle and replace it with a cyberskin packer, would this be over-the-top for performance? What if it was crotch-mounted?
(For those of you wondering what a “cyberskin packer” is: It’s a limp, squishy prosthetic penis that one might use for stuffing their trousers. These are used by Drag Kings, FTMs, cisgender males with injuries, and people who know how to get a party started. And very serious gamers, of course.)
Tag:

Weekend Trips not to Take

Leave The Hague at 12:30 PM, Drive to Paris. Eat. Sleep. Carry all belongings down 3 flights of stairs. Drive back to The Hague. Leave girlfriend and all belongings at a gas station. Carry all belongings the few blocks from the gas station, through the pedestrian area, to apartment. Move all belongings up steepest flights of stairs ever. Wonder why knee hurts.

#2

Cut Friday classes. Go to train station. Take train to airport. Get on plane. Fly to San Francisco. Borrow Car. Drive to Santa Cruz. Eat. Get drunk. Go dancing. (awake for 26 hours!) Collapse. Awake. Eat. Get lost trying to find beach. Drive to Berkeley. Eat. Sleep. Drive to Santa Cruz. Watch brother get married. Eat. Drive to San Jose. Eat. Drive to Berkeley. Sleep. Try to buy tuba shipping case. Give up. Buy bubble wrap. Wrap sousaphone in bubble wrap. Get ride to airport. Fly to Amsterdam. Get on wrong train. Wander around train station of small town in Holland while carrying bubble wrapped sousaphone. Take train to The Hague. Carry bubble wrapped tuba to apartment. Fall asleep. Miss classes. Forget lab time.
This weekend, I’m thinking of going to Amsterdam to get my hair cut.
Um, anyway, my brother got married and I came back for it and went to the Bachelorette party (my first and last, I think). And I now have the worst tuba in Holland, I think. I didn’t worry about breaking it because who could tell. It sounds like a wounded cow. I want to use it to work out how to do some stuff which I will later do with a real tuba.
My stomach still hurts from the antibiotics that I took in July. This is ridiculous. I go offline to find a medical person to whine to.
Tags: ,

From Talk Like a Pirate Day

The Queen

Yesterday, there was some big queen-related festival. I speak not of the makes of Bohemian Rhapsody, but rather the head of state of The Netherlands. It’s a constitutional monarchy, so she actually wields power.
The capital of the country is Amsterdam. It says so in the constitution. But The Hague is the seat of government. That means that all the government buildings and meetings are in The Hague. It’s where the queen lives and where parliament meets. It’s as if the constitution of the United States listed New York City as the country’s capital, but all the government stuff was still in DC. Except for the museums. Anyway.
So yesterday was a sort of State of the Union kind of thing, where there is a procession from the queen’s residence (a palace?) to the parliament and then she addresses them and lays out her legislative agenda. She rides in a royal carriage. There were bands (and sousaphones) galore, people in uniforms on horseback. A gold-festooned carriage. A festival-like atmosphere filled the city center. I did not have a school holiday, but many elementary schools clearly did.
I thought it would be remis of me (thinking only of you, dear readers) if I didn’t at least try to get a glimpse of the queen. Alas, I was standing in the crowd on the wrong side of the palace-y thing. I saw her carriage, but only from a rather far distance. I was on my way to see her get into the parliament, but it was jammed with people. I did, however, see an image of her doing a very queenly wave on a TV screen. Which is almost like being right there.

Royal Spatialization

There was a lot of music associated with the festivities. Including the aforementioned marching bands (and sousaphones!) but also calliopes. These were quite involved, featuring female figures on the front who actually beat bells. Inside, were pipes and percussion. Several years ago, I saw a MIDI controlled calliope for sale on EBay. Next time I see one, I will not hesitate. Anyway.
I was walking home from school in the evening and heard more band music. I love a march, so I walked over to the source to see what was going on. In the square in the center of town, there were a bunch of bleachers set up. All full of people. The described a large square area where the marching bands were performing field shows.
A field show is that thing that marching bands do where they go out on a field of some kind and march in patterns. In the US, this is most often done at (American) football games during the halftime break. It is also sometimes sighted at competitions. The competitive aspect is strong. I’ve never heard of people just doing it for fun without competition somehow involved. And yet, here in The Hague, bands are marching around, playing marches and settings of pop songs and making formations. There were a couple of high school bands, but the others were all adults. Gray haired trumpet players.
Perhaps in honor of Talk Like a Pirate Day, one of the bands had pirate flags on it’s drums and did a show called legend of the seas. All in all, everybody looked like they were having more fun than I recall from my field show days. I got information about The Hague’s marching band Victory. They all had matching sousaphones, all in much better shape than mine. I’ve failed to locate a tuba shipping case and I could really do with a playable instrument.
A year or so ago, I did some marching with the Wesleyan Pep Band for a half time show put together by Neely Bruce. He, like Charles Ives, saw marching bands as a great way to do spatialization. I was reminded of this as the different instruments moved around and faced different parts of the Plein. People doing wavefront synthesis (a spatilization technique) talk about how everybody sitting in a different place will hear a different concert. This is true, but it’s also true for field shows. If the trombones are marching closer and closer to you and the saxophones are further away, you’re going to hear something different (obviously) then the people who have advancing saxes and retreating bones. The wave patterns you get from moving band instruments is way more complicated. Is anybody besides Neely working now to exploit this?
19th century technology still has something to say. yarr avast.Tags: ,

Yesterday

Back from France. I miss it and I miss living in the 10th arrondissement and walking to get cheese from the fromagerie and baguettes from the boulanger and produce from the little vegetable market around the corner. It had it’s stresses, certainly, but man, the food was better.
Nicole has learned how to roll a joint! huzzah!
Today, in class, we listed to All the Rage by Bob Ostertag (he has some free downloads on his website, you should look for this piece, in case it’s available). The recording we listened to was the Kronos Quartet playing with a tape that consisted of a guy talking about being called “queer,” getting gay bashed, his friends dying of AIDS and internalized homophobia. Intermingled with that were sounds from a riot. I asked the teacher if he knew if it was the White Night riot (I know KPFA recorded it) or Stonewall or something else, but he didn’t know. The piece is extremely powerful. It’s the sort of thing that you have to give your full attention to and then you spend the rest of the day and some of the next day thinking about it.
So after the student concert this afternoon, I was thinking about it and walking by the train station on the way home. A guy paused from rolling his joint to spare change me in Dutch. I said “sorry” (conveniently, a word in both languages) and a short guy next to him took it up again in English. I said sorry again, but he persisted and merged into sexual harassment. “Have you ever been with a man?” he asked. “You should try it at least once.” Gee, thanks for your offer, but no. Yeah, not exactly friendly when somebody is shouting it across the (bike) parking lot at you.
The Ostertag piece starts with (quoted from memory) “I remember the first time I heard somebody say ‘queer’ and knew they meant me.”
Yeah, French folks thought I was kind of weird and they got that across subtly, but I was in a little bubble of foreignness. I was the eccentric anglophone. Clearly not French. Old ladies gave me mildly disapproving looks on the metro once in a while. Men did not give me the eye. At all. Ever. I was more or less outside of the male gaze for a year. Nobody called me queer. Nobody laughed at me (except for my terrible language skills). Nobody refused to sell me clothes. The bathrooms were more or less gender neutral and the dressing rooms at clothing stores were explicitly gender neutral.
The Hague is a lot like home in some ways. I feel unfriendly male laughter following me around here. FWIW, this not coming from people who ‘look’ Dutch, but from people who might be other immigrants. I would type more about this, but Nicole’s joint rolling skills are starting to effect my typing.
Tags: ,

The Latest

Theoretically, I should have full functionality on my school’s wifi network on Monday. Tomorrow, I am driving to Paris. Gasp, yes, driving a car across three countries. Yikes. I will fill it up with boxes of stuff and drive back to put all the stuff in my new apartment. Huzzah, it is two rooms right in the middle of town. It is awesomeness. The air mattress at the anti-squat sprung a leak, so this is just in time.

I ordered a bicycle. I kept waffling back and forth between getting the cheapest bike possible because it will get stolen anyway and I’m only here for a year or get the bike I want but couldn’t get at home and be worried about parking it all the time and ship it home. I went with option B and in 4 weeks, I’ll have my very own 60 lbs bike (yikes). In the meantime, I am trying to assemble a bike from pieces of incomplete bikes. I feel I am close to this goal, but I left the major piece someplace on a rack with no lock (I don’t have one yet) and I’m worried somebody will think it abandoned and throw it in a dumpster. After careful consideration, I’ve decided I should probably give it some brakes. So it needs a tension arm for the chain, some derailer type thing (it doesn’t need to move, but it does need to keep the chain from falling off) and some sort of braking device and it’s all good. w00t.
School is cool. Housing crisis is solved Bike solution in progress. all is well.
Tag:

Online Again!

Welcome back to me. Here’s a week old post that I couldn’t put up earlier:

Reminiscing

When I was a student at Wesleyan, I left town for Spring break one year without cleaning the refrigerator at all. Milk and soymilk sat open. Other food items lay inside while I was gone for three weeks. Some time during that three weeks, a fuse blew in my home and the fridge was left to get warm. This was either during or before the heatwave.
When I opened the door to my Wesleyan fridge, a cloud of green spores filled my kitchen. Literally, a cloud of particulate matter. Aaron cleaned it all, god bless him. (I wonder if he wants to move here to be my housemate again?) The situation was something of a disaster. However, it did not smell as badly as the refrigerator in the anti-squat where I stay. I’ve been eating out a lot.
If Aaron did want to come out here for a while, he might find it familiar. In many ways, this is a lot like when I started at Wesleyan. Holland’s food culture is on a par with Connecticut as is, I’ve been told, the weather. The course load is also similar. In my first semester at Wesleyan, I took way too many classes. Here, I’ve found my course schedule to be even more packed. I have classes five days a week. I’ve gone to four so far. I have three more tomorrow, two or three on friday, two on monday and tuesday. I don’t have to actually take all of these and indeed I have some that I am considering dropping.

School

So far, I’ve learned that Sonology’s origins are from the Acoustical Research department at Phillips. So Sonology has the tapes for Poème Electronique , which they commissioned.
I’ve also learned that women are good at communication, which is why Pauline Oliveros writes the kinds of audience pieces that she does and that a lot of music is male exhibition just like peacocks, so biologically speaking one could conclude that women were unsuited to music and thus probably don’t have a cross-cultural tradition of same and wait, how does Pauline Oliveros fit in this? and yeah I found one possible class to drop. yay gender essentialism.
Also I had a long and math filled lecture on convolution and I’m ashamed to admit that I dozed off. When I awoke, there was a formula on the backboard. I think I get DSP except for the formulas are confusing. What does h refer to again? There needs to be some sort of key provided next to every equation to remind you what the hell the letters are referring to. I took trig a long time ago, so I think I can hack it, even if I could not remember the frequency relationship between a sine wave and that same wave squared. (Octave higher + offset. It’s how frequency dividers work.) Finally, I learned that convolution is a linear process and therefore is reversable, although Curtis Roads claims otherwise. hmmm.

Housing

Cola has been off looking at apartments. Today we looked at two. One was at the very high end of the price range, but comes furnished and with a possible 6 month contract. The other was way too expensive and won’t be ready until next week. But the landlord called up tonight and offered us the bigger, more expensive one for the lower price. Also, no agency fee. Hope on the housing front.
Also went today to Stroom and signed up to try to get housing through them. They’re an arts group which offers help to artists locating housing or studios. To qualify, you need to be part of the group or a student at the art school or the conservatory. There is a waiting list. I wish I had looked into this when I was here over the summer.

The Next Day

Last night, somebody dumped a pile of stuff in the street in front of where I anti-squat. And it’s not even Sunday. I kept hearing scavengers coming by to look at the stuff, so this morning, I took a gander and grabbed a mirror. Huzzah, there is now a mirror here. There was also most of a bike, but the front end looked kind of messed up. If only I could weld!

First Period

So there are ballet students at my school, because I go to the Royal Conservatory (oh my god, how did this happen exactly?). The ballet students have changing rooms near the music practice rooms. The changing rooms have mirrors ringed with lightbulbs, just like backstage-y stuff. The changing rooms also have showers. Showers with hot water. At 9:50 this morning, I handed the front desk my student card and in return got a key to a room with a hot shower in it. Then Cola and I ran down there, became clean (yay!) and I ran up just in time for my 10:00 class which doesn’t start until September 14th, something I would have known had I gone to the meeting or if I spoke any Dutch. I am seriously going to take some evening classes or something.

Second Period

Afternoon class number one was on the roots of computer music. We talked about the Theremin, the Ondes Martenot, the RCA Mark I synthesizer and Music I – Music V among other aspects like timbral limitations fo repeating wave forms. It was mostly review for me, but I hadn’t heard sound samples of the Mark I before. The teacher, Paul Berg, also asserted that new instruments and technology tend to be first used for old applications. Clara Rockmore played Rachmoninov with the Theremin. The first Mark I stuff was old warhorses arranged for synthesizer (this thing, btw, took up an entire room and was not voltage controlled. It had 12 discrete oscillators – one for every equally tempered step, an octave switching device and some wave shaping. crazy). Berg sees this tendency as regrettable, but I think it’s just part of human nature. People relate new tools to old frameworks. Many people now carry around in their pockets little computers with fast disk access and D->A converters. The use them for playing recordings, because that’s how they think about pocket-sized musical devices. It’s using a new technology for an old idea. If you want a CD player or a casette player, by all means get one. And it’s not bad to use your Ipod as a glorified one of those. But really, it could/should be more.
Also, I counter that not every application of new technology to old aesthetics is bad. Ipods are a case in point. Also Wendy Carlos’ Switched on Bach is really wonderful. It’s fun, it has interesting sounds and it was a good idea. She got great timbres and it deserved the popularity that it achieved. Old music with a new instrument is only a problem if it’s not done well.
Also, Ondes Martenots are cool and I want one. They’re expressive as heck and very well suited to some solo performance. Also Messiaen wrote great stuff for them. They also have interesting timbres, partly because the speakers are sometimes behind sympathetic strongs or gongs or otherwise modified. Pure awesomeness.

Third Period

My last class today was one of those first meetings where the teacher talks about what he’s going to talk about. It’s a class largely about spatialization, but also sounds in space: how they work physically. The teacher is involved with wavefront synthesis. From what I gleamed from just the introduction to these subjects in general, my SuperCollider spatialization classes work the right way. I am going to add support for reflections very soon as my suspicions on how to do it are apparently correct. Anyway, if you get a really fast processor and a whole bunch of D->A converters, you could generalize my code to do wavefront stuff for you. Maybe I’ll make it automatically for n channels, just in case.
Also, the speed of sound varies according to atmospheric pressure and air temperature and humidity and whatnot. Perhaps I should get a little USB meteorological station. People are sensitive to very tiny differences in timing, so it may actually be perceptible.

The evening

I hate Dutch food. Why must everything have so much sugar in it? I am listening to Not Made of Stone by Polly Moller. It seems to be partly about our road trip to Vegas in 2003. I hope I am not Deep Eddie.
I really like my school. I have wanted to live in The Netherlands for a long time. I’m so happy I came.

And More Recently

Well, I haven’t posted for a while, but I haven’t written anything for a while either. Who wants to read through a glut of week old news? I’ve now been to every class at least once. I felt kind of negative about today’s classes, but maybe just because it’s Monday. Maybe if I didn’t take any Monday classes, I’d start to feel negative about Tuesdays. Class is in MIDI. For real. Not “‘MIDI’ but really OSC” or really hardware devices or really anything else, but MIDI. Today we talked about the MIDI spec.

MIDI

MIDI should be dead technology and CV should be alive and kicking (maybe if they were, my opinions would be reversed… (probably would, alas)). The teacher gave a lengthy explanation, but didn’t talk about binary or hex representations, and the sick logic is not apparent without such knowledge. Let’s look at the anatomy of a midi message in binary. First, the first 4 bits: 1wxy. the 1 indicates a a new event of some kind. wxy indicates which event it is. Astute observers will note this leaves 8 possible events. This is kind of true. The next 4 bits (almost always – unless the first 4 bits are 1111) indicate the channel number. Obviously, there are 16 channels. Then you get two more possible bytes (some events only use one more byte. Some use no more.). Those bytes must start with 0 to indicate that they’re not new events. So you get seven bits to work with, which is to say, 0-127. Possible values thus range from 80-FF for byte 1, and 00-7F for bytes 2 and 3. A note on on channel one in binary is: 1001 0000 0 followed by a seven bit number indicating which key, followed by 0, followed by a 7 but number indicated amplitude. Half amplitude (“velocity”) on note 60 would be 1001 0000 0001 1110 0011 1111 (or 90 1E 3F)
Let me note that 7 bit amplitude really sucks.

Life

I want a PolyMoog. And a pony. And a bicycle. I’ve talked myself into getting one worth bringing home at the end. I also want an apartment. I have a landlord, I think. Having a landlord and not an apartment is definitely the worst of both worlds. Anyway I should have lodging any day now. Which is good because the guy at the reception desk today told me I couldn’t shower.
The analog studio here was two walls of synth modules including 16 oscillators. OMFG.
Tags: , ,