The purpose of the Sitar Warrior assignment is to practice using object types and learn about object-oriented design principles. The specific goals are to:
As you may have seen in your physics classes, when you pluck a string on a musical instrument, the middle of the string wildly vibrates. Over time, the tension in the string causes it to move more regularly and less violently, until it finally comes to rest. High frequency strings have greater tension, which causes them to vibrate faster, but also to come to rest more quickly. Low frequency strings are looser, and vibrate longer.
In this assignment, you will write a program to simulate plucking a sitar string using the Karplus-Strong algorithm. This algorithm played a seminal role in the emergence of physically modeled sound synthesis (in which a physical description of a musical instrument is used to synthesize sound electronically).
From a mathematical physics viewpoint, the Karplus-Strong algorithm approximately solves the 1D wave equation, which describes the transverse motion of the string as a function of time.
You will write a program Sitar.java
that uses a RingBuffer
class and a SitarString
class to create a simulation of a sitar, implementing the Karplus-Strong algorithm.
RingBuffer.java
file, and save it in your folder for this homework assignment.SitarString.java
file, and save it in your folder for this homework assignment.MiniSitar.java
. This program will help you test RingBuffer
and SitarString
, and serve as a starting point for the full Sitar
program that you will write.We model the position of the string using a ring buffer data structure. The ring buffer models the medium (a string tied down at both ends) in which the energy travels back and forth. Sonically, the feedback mechanism reinforces only the fundamental frequency and its harmonics (frequencies at integer multiples of the fundamental).
We model a sitar string by sampling its displacement from the rest position at numSamples
points that are equally spaced points in time. The displacement is a real number between -1/2 and +1/2 (0 represents the rest position itself), and numSamples
is calculated as the sampling rate (44,100 Hz) divided by the fundamental frequency (rounding the quotient up to the nearest integer). For instance, each point in the image below represents a displacement of the string from the rest position.
A pluck of the string is modeled by filling the ring buffer with random values, just as a physical string bounces wildly when plucked. The string can contain energy at any frequency. We simulate a pluck with white noise by setting each of these numSamples
displacements to a random real number between -1/2 and +1/2.
After the string is plucked, it vibrates. The pluck causes a displacement which spreads wave-like over time. The Karplus-Strong algorithm simulates this vibration by repeatedly deleting the first sample from the ring buffer (.2 in the below example) and adding to the end of the buffer the average of the first two samples (.2 and .4), scaled by an energy decay factor of -0.997.
Averaging neighboring samples brings them closer together, which means the changes between neighboring samples become smaller and more regular. The decay factor reduces the overall amount that a given point on the string moves, so that it eventually comes to rest. (The sign of the decay factor determines the harmonics that are retained; a negative decay factor retains the odd harmonics of the fundamental, as is the case for a sitar.) The averaging operation serves as a gentle low-pass filter, removing higher frequencies while allowing lower frequencies to pass. Because it is in the path of the feedback, this has the effect of gradually attenuating the higher harmonics while keeping the lower ones, which corresponds closely with how a plucked sitar string sounds.
The ring buffer length determines the fundamental frequency of the note played by the string. Longer ring buffers are analogous to longer strings on practical instruments, which produce notes with lower frequencies. A long ring buffer goes through more random samples before getting to the first round of averaged samples. The result is that it will take more steps for the values in the buffer to become regular and to die out, modeling the longer reverberation time of a low string.
In this section you will write and test RingBuffer
first. The ring buffer is the data structure that underpins the Karplus-Strong algorithm. RingBuffer
will implement the following API:
public class RingBuffer ----------------------------------------------------------------------------------------- RingBuffer(int capacity) // create an empty ring buffer, with given max capacity int currentSize() // return number of items currently in the buffer boolean isEmpty() // is the buffer empty? boolean isFull() // is the buffer full? void enqueue(double x) // add item x to the end double dequeue() // delete and return item from the front double peek() // return (but do not delete) item from the front
Start with the provided RingBuffer.java
skeleton, then fill in the constructors and methods one by one. Compile frequently, and add code to main
to test each method as you write it.
You must follow the API above. We will be testing the methods in the API directly. If your method has a different signature or does not behave as specified, you will lose a substantial number of points. You may not add public methods or instance variables to the API; however, you may add private methods (which are only accessible in the class in which they are declared). You may also add private instance variables for data that must be shared between methods.
This complex idea should be easier to understand with an example. Imagine that we have the following small data set
In the skeleton file, we have already declared some instance variables for you:
public class RingBuffer { private double[] bufferArray; // items in the bufer private int first; // bufferArray[first] = first item in the buffer private int last; // bufferArray[last-1] = last item in the buffer private int currentSize; // current number of items in the buffer }
RingBuffer(int capacity)
constructs a new ring buffer with the given capacity
by allocating and initializing the double
array bufferArray
with length capacity
. Observe that this allocation of bufferArray
must occur in the constructor (and not when you declare the instance variables), since otherwise you would not know how big to make the array.
Write the remaining methods of RingBuffer
.
Every time you implement a method, immediately add code to your main
function to test it. To get you started, we have included code in the skeleton that reads in a buffer size as a command-line argument, then creates a RingBuffer
with that capacity. We have also include a private method printBufferContents()
that prints out the contents of a RingBuffer
object for inspction. If you add any instance variables of your own, you will need to update this method to print them out too.
Test cases are a great area for collaboration! You may not look at each other's code, but you are encouraged to discuss what test cases to implement with your classmates, and also to compare the output of your tests with each other. Just remember to note this in your help log.
For performance reasons, your implementation of RingBuffer
must wrap around in the array. To do this, maintain one integer instance variable first
that stores the index of the least recently inserted item; maintain a second integer instance variable last
that stores the index one beyond the most recently inserted item. Ring buffers that wrap around like this are very common in audio and graphics applications because they avoid allocating data or moving memory around. Remember that you will be updating your ring buffers 44,100 times per second. To manage that, each update has to do as little work as possible.)
isFull()
and isEmpty()
return whether buffer is at capacity and whether it is completely empty. Go ahead and write these now. You can do a little bit of testing already by checking whether the buffer created in main
is full or empty. It should always be empty since you haven't added anything to it yet. Likewise, it should only be full if capacity
is zero. Once you implement enqueue
you'll be able fill up your buffers.
enqueue(double x)
inserts the value of x
at the end of the ring buffer, putting it at index last
(and incrementing last
). Test it by enqueuing a variety of different values in main
and printing the contents of the object. Think about what situations might trigger errors and make sure you test them.
dequeue()
removes an item, taking
it from index first
(and
incrementing first
). Mix calls
to dequeue()
with calls
to enqueue()
in your testing code. Print
out values you dequeue()
as well as the
remaining contents of the buffer.
When either the first
or last
index is equal to the capacity
, make that index wrap around by changing its value to 0
.
peek()
returns the first item in the buffer without removing it. Mix some calls to peek()
in with the rest of your testing code in main
, and print what it returns to help test it.
currentSize()
returns the number of items in the buffer. Keep in mind that the current size of the RingBuffer
(the number of items in it) is not necessarily the same as the length of the array. To get an accurate count of the number of items in your RingBuffer
, increment the instance variable currentSize
each time you add an item, and decrement it each time you remove.
Here is a demonstration of how the enqueue()
and dequeue()
methods work:
enqueue(0.5)
enqueue(0.1)
dequeue()
In the skeleton file, we have included exception-throwing statements that crash your program when the client attempts to dequeue()
from an empty buffer or enqueue()
into a full buffer. This is a mechanism for generating run-time errors in your program, and will help you identify bugs. Remember: once your code is working properly, these conditions should never occur, so your program should never crash. But if you has a bug while you're developing it, you'd like your program to crash immediately so it's easier to debug.) The following is an example of a throw statement:
if (isEmpty()) { throw new RuntimeException("ERROR: Attempting to dequeue from an empty buffer."); }
Leave these statements in your code, as they will be useful when debugging future sections of the assignment.
See Vector.java for some other examples and p. 446 in Sedgewick & Wayne for a slightly expanded explanation of exceptions.
Next, write and test SitarString
, which uses RingBuffer
to implement the Karplus-Strong algorithm. SitarString
should implement the following API:
public class SitarString ------------------------------------------------------------------------------------------- SitarString(double frequency) // create a sitar string of the given frequency, // using a sampling rate of 44,100 void pluck() // set the buffer to white noise void tic() // advance the simulation one time step double sample() // return the current sample int time() // return the total amount of tics
The design of your SitarString
class should look like the provided
SitarString.java
skeleton, except that you will need to fill in all of the constructors and methods.
Again, you must follow the API above. We will be testing the methods in the API directly. If your method has a different signature or does not behave as specified, you will lose a substantial number of points. You may not add public methods or instance variables to the API; however, you may add private methods (which are only accessible in the class in which they are declared). You may also add private instance variables for data that must be shared between methods.
SitarString(double frequency)
creates a RingBuffer
of capacity numSamples
, where numSamples
is the sampling rate of 44,100 Hz divided by frequency
, rounded up to the nearest integer. (Hint: Check out Math.ceil()
.) The constructor then fills the RingBuffer
to represent a sitar string at rest by enqueueing numSamples
zeros. The constant 44100
should be declared as a static
variable (because it is a constant value that is shared by all sitar strings that you create) in your SitarString
class. Do not hardcode it in your constructor. Remember that proper style for static variable names is to write them in all-caps with underscores to separate words.
Writing a reasonable test case for SitarString
is a bit of a pain, so we've included a main
function to get you started. Eventually you'll need to think about cases that aren't covered by what we provide you and add them. For now though – if your constructor works – the test we provide should at least create a string with a capacity of 10 that is initially full. The rest of the test that tics through a bunch of samples won't work until you implement the remaining methods.
sample()
should return the value of the item at the front of the ring buffer.
pluck()
should replace all numSamples
items in the ring buffer with numSamples
random values between -0.5
inclusive and +0.5
exclusive. To implement this, use a combination of the RingBuffer
methods to replace the buffer with random values between -0.5
and 0.5
.
tic()
should apply the Karplus-Strong update: compute the average of the first two samples of the ring buffer, multiplied by the energy decay factor (-0.997
), delete the sample at the front of the ring buffer, then add the new sample to the end. The constant -0.997
should be declared as a static variable in your SitarString
class. Hint: don't rewrite functions you have already implemented.
time()
should return the total number of times tic()
was called.
To test your SitarString
class, run it with the given test code in main
with a command-line argument numSamples
. The given test code creates a SitarString
from some samples, then runs tic()
numSamples
times, printing the values of time()
and sample()
.
NullPointerException
– Check the line number provided in the stack trace. An object you are using in this line has not been initialized correctly, and thus has the value of null
. Attempting to access variables or call functions on a null
object will throw a NullPointerException
.
This main()
method does not test all methods. You should write your own code
in main()
to test all aspects of this class.
(You need not comment out any testing code that you
add in main()
).
> java SitarString 25 testString.buffer.isEmpty(): false testString.buffer.isFull(): true 0 0.2000 1 0.4000 2 0.5000 3 0.3000 4 -0.2000 5 0.4000 6 0.3000 7 0.0000 8 -0.1000 9 -0.3000 10 -0.2991 11 -0.4487 12 -0.3988 13 -0.0498 14 -0.0997 15 -0.3490 16 -0.1496 17 0.0499 18 0.1994 19 0.2987 20 0.3728 21 0.4225 22 0.2237 23 0.0746 24 0.2237
Write a program Sitar.java
that simulates a 37-string sitar with notes ranging from 110 Hz to 880 Hz.
Read MiniSitar.java
. MiniSitar
is a two-string version of Sitar
that you can use to test your RingBuffer
and SitarString
classes before moving on to write Sitar
.
Run MiniSitar
, and type the lowercase letters a and c into the PennDraw
window to pluck the two strings. If you have completed RingBuffer
and SitarString
correctly, run MiniSitar
to check to see that everything works properly. You should hear two different pitches corresponding to A and C every time you press the a and c keys.
MiniSitar
uses PennDraw
to receive keystrokes and StdAudio
to play sound.
Notice that MiniSitar
adds the samples of the SitarString
s (i.e. superposes them) to compute the sound sample to play.
Notice how MiniSitar
uses an infinite loop to continually receive keystrokes from the user and generate new music samples. This infinite loop ends when the program terminates.
Error: dequeue/peek from an empty buffer
in MiniSitar
– You may not have initialized the ring buffer to contain numSamples
zeros in your SitarString(double frequency)
constructor.
Lack of sound when running MiniSitar
for the first time – Make sure you have tested SitarString
with the main()
provided in the skeleton file. If that works, it is likely something wrong with pluck()
since the main()
provided for SitarString
does not test that method. To diagnose the problem, print out the values of sample()
and check that they become nonzero after you type the lower case characters a and c.
Clicking when running MiniSitar
(either one click, or continual clicking) – It's likely that pluck()
is working, but tic()
is not. The best test is to run the main()
provided for SitarString
.
Model your Sitar
class on the given MiniSitar
code. Where MiniSitar
had two SitarStrings
, Sitar
has 37.
Sitar
should behave such that when a character of NOTE_MAPPING
(defined below) is pressed, Sitar
plays the corresponding note. The character at index i of NOTE_MAPPING
corresponds to a SitarString
frequency of 440 × 2(i - 24) / 12, so that the character 'q'
(character index0
of NOTE_MAPPING
) is 110 Hz, 'i'
(index 12
) is 220 Hz, 'v'
(index 24
) is 440 Hz, and ' '
(index 36
) is 880 Hz. You should declare a static variable in Sitar
for the value 440.0
and for NOTE_MAPPING
(but you need not do so for 24
and 12
).
String NOTE_MAPPING = "q2we4r5ty7u8i9op-[=zxdcfvgbnjmk,.;/' ";
This keyboard arrangement imitates a piano keyboard: the "white keys" are on the qwertyuiop[ and zxcvbnm'./ rows and the "black keys" on the 1234567890-= and asdfghjkl;, rows of the standard US QWERTY keyboard layout.
The number 37
should not appear anywhere in your code. Don't even think of using 37 individual SitarString
variables or a 37-way if
statement. Instead, create an array of SitarString
objects and use NOTE_MAPPING.indexOf(key)
to figure out which key was typed, if any. Make sure your program does not crash if a key is played that is not one of your notes. (indexOf()
returns -1
if the string does not contain the character key
.)
You need not worry about calling StdAudio.play()
with a value greater than 1.0 or less than -1.0. StdAudio.play()
automatically clips the value to within the range 1.0
to -1.0
.
Comment out all print statements in your loop when testing Sitar
. Because print statements take time, they delay the computation of samples, and so your speaker will not receive samples at the rate of 44,100 per second needed to make a meaningful sound.
Once you've completed Sitar
, try playing this
familiar melody by pressing the keys below, pressing space
where S
is denoted.
nn//SS/ ..,,mmn //..,,m //..,,m nn//SS/ ..,,mmn
Type the following into your sitar to get the beginning of Led Zeppelin's Stairway to Heaven. Multiple notes in a column are dyads and chords.
w q q 8 u 7 y o p p i p z v b z p b n z p n d [ i d z p i p z p i u i i
There are many ways to build on Sitar.java
. Some of these can earn extra credit. Others cannot, but are included below for you to implement if you are interested.
Write a program VisualSitar.java
(by modifying Sitar.java
) that plots the sound wave in real-time using PennDraw
, as the user is playing the keyboard sitar. The output could look something like this, but change over time. You are free to be as creative as you wish with your visualization, as long as the visualization is driven by the sound samples being emitted.
There are lots of different ways to visualize the sound, and any kind of animation that is tied to the sound samples is just fine. If you want to plot the sound wave similar to the figure above, you'll find the PennDraw.point()
and PennDraw.polyLine()
functions useful, although there are other options that also work fine.
If you draw lots of points, first call PennDraw.setPenRadius(0)
once. This ensures that each point is a single pixel, and they will draw faster. (This is not conceptually interesting; it's a performance hack in the PennDraw
implementation.)
Do not redraw the wave (or whatever animation you choose to make) on every sample because PennDraw
will not be able to keep up. Instead, set a lower frame rate, and draw a batch of samples at a time. (For instance, you might set the frame rate to 44.1 and draw a new image every 1000 sound samples.) Experiment with different frame rates to find one that you think looks good and draws smoothly. There is more than one way to handle the drawing – there is no "right" way to do this.
Bring your laptop to recitation the week after this homework is due and perform a piece for your classmates. You may perform in groups if you wish, and you may use a modified version of your program for the performance if you wish.
The ideas below are purely for you own enjoyment if you want to explore further. They are not worth any extra credit, and you will not submit them. They're just for fun.
Do not make these modifications in the version of the RingBuffer.java
, SitarString.java
, or Sitar.java
that you submit. Instead, make new copies of these files with different names, and experiment in your new files.
Modify the Karplus-Strong algorithm to synthesize a different instrument. Consider changing the excitation of the string (from white noise to something more structured) or changing the averaging formula (from the average of the first two samples to a more complicated rule) or anything else you might imagine. This is a challenge for the bored, so you will not receive extra credit for it, but you may use these suggestions as the basis for your visualization or your performance in class.
Alexander Strong suggests a few simple variants you can try:
24
in your frequency formula to change the frequency of the lowest note.0.991
in tic()
will change the sound from sitar-like to guitar-like. You may want to play with the decay factors and note frequencies to improve the realism.tic()
will produce a drum sound. You will need lower frequencies for the drums than for the sitar and guitar, and will want to use a decay factor of 1.0
(no decay). The note frequencies for the drums should also be spaced further apart.Complete readme_sitarwarrior.txt
in the same way that you have done for previous assignments.
Submit RingBuffer.java
, SitarString.java
, Sitar.java
, and readme_sitarwarrior.txt
on the course website.
You may also submit VisualSitar.java
for Extra Credit 1. If your VisualSitar
program requires any additional files, you may submit them in a compressed file named extra.zip
.
Your recitation TAs will arrange a time for you to complete Extra Credit 2.
You may not submit any modifications from the "Challenge for the Bored" section in the RingBuffer.java
, SitarString.java
, or Sitar.java
files.