처리를위한 최소 라이브러리를 사용하여 왼쪽 및 오른쪽 채널에 대해 두 개의 FFT 개체를 만드는 방법

FutureCake

오디오 파일에서 FFT 개체를 만드는 다음 코드가 있습니다. 아래 코드를 참조하십시오.

import ddf.minim.*;
import ddf.minim.analysis.*;

Minim       minim;
AudioPlayer player;
FFT         fft;


void setup(){
  minim = new Minim(this);
  player = minim.loadFile("audio.mp3");
  fft = new FFT( player.bufferSize(), player.sampleRate() ); 
  fft.logAverages(86, 1); 
  fft.window(FFT.HAMMING);
  numZones = fft.avgSize();
}

하지만 이제 왼쪽 및 오른쪽 채널에 대해 두 개의 FFT 개체를 만들고 싶습니다. 그래서 결국 나는 fftLeft = new FFT (audio.left) 및 fftRight = new FFT (audio.right)를 원합니다.

나는 방법을 시도 .getChannel(player.LEFT)했지만 이것은 작동하지 않았다. 누구든지 이것을 수행하는 방법에 대한 팁이나 제안이 있습니까?

조지 프로 펜자

FFT의 forward () 메서드 를 실행할 때 원하는 채널을 전달할 수 있습니다.

이 같은:

//in setup()
fftLeft  = new FFT( player.bufferSize(), player.sampleRate() );
fftRight = new FFT( player.bufferSize(), player.sampleRate() );
//in draw()
fftLeft.forward(player.left);
fftRight.forward(player.right);

다음은 minim과 함께 제공되는 SoundSpectrum 샘플의 수정 된 버전입니다.

/**
  * An FFT object is used to convert an audio signal into its frequency domain representation. This representation
  * lets you see how much of each frequency is contained in an audio signal. Sometimes you might not want to 
  * work with the entire spectrum, so it's possible to have the FFT object calculate average frequency bands by 
  * simply averaging the values of adjacent frequency bands in the full spectrum. There are two different ways 
  * these can be calculated: <b>Linearly</b>, by grouping equal numbers of adjacent frequency bands, or 
  * <b>Logarithmically</b>, by grouping frequency bands by <i>octave</i>, which is more akin to how humans hear sound.
  * <br/>
  * This sketch illustrates the difference between viewing the full spectrum, 
  * linearly spaced averaged bands, and logarithmically spaced averaged bands.
  * <p>
  * From top to bottom:
  * <ul>
  *  <li>The full spectrum.</li>
  *  <li>The spectrum grouped into 30 linearly spaced averages.</li>
  *  <li>The spectrum grouped logarithmically into 10 octaves, each split into 3 bands.</li>
  * </ul>
  *
  * Moving the mouse across the sketch will highlight a band in each spectrum and display what the center 
  * frequency of that band is. The averaged bands are drawn so that they line up with full spectrum bands they 
  * are averages of. In this way, you can clearly see how logarithmic averages differ from linear averages.
  * <p>
  * For more information about Minim and additional features, visit http://code.compartmental.net/minim/
  */

import ddf.minim.analysis.*;
import ddf.minim.*;

Minim minim;  
AudioPlayer jingle;

FFT fftLogLeft,fftLogRight;

float height3;
float height23;
float spectrumScale = 4;

float centerFrequency;

PFont font;

void setup()
{
  size(512, 480);
  height3 = height/3;
  height23 = 2*height/3;

  minim = new Minim(this);
  jingle = minim.loadFile("jingle.mp3", 1024);

  // loop the file
  jingle.loop();

  // create an FFT object for calculating logarithmically spaced averages
  // left channel
  fftLogLeft = new FFT( jingle.bufferSize(), jingle.sampleRate() );
  fftLogLeft.logAverages( 22, 3 );

  fftLogRight = new FFT( jingle.bufferSize(), jingle.sampleRate() );
  fftLogRight.logAverages( 22, 3 );

  rectMode(CORNERS);
}

void draw()
{
  background(0);
  //run FFT on left channel
  fftLogLeft.forward( jingle.left );
  //run FFT on left channel
  fftLogRight.forward( jingle.right );

  plotFFT(fftLogLeft,height-50,"Left Channel");
  plotFFT(fftLogRight,height,"Right Channel");
}

void plotFFT(FFT fft,float y,String prefix){
  // draw the logarithmic averages
  {
    // since logarithmically spaced averages are not equally spaced
    // we can't precompute the width for all averages
    for(int i = 0; i < fft.avgSize(); i++)
    {
      centerFrequency    = fft.getAverageCenterFrequency(i);
      // how wide is this average in Hz?
      float averageWidth = fft.getAverageBandWidth(i);   

      // we calculate the lowest and highest frequencies
      // contained in this average using the center frequency
      // and bandwidth of this average.
      float lowFreq  = centerFrequency - averageWidth/2;
      float highFreq = centerFrequency + averageWidth/2;

      // freqToIndex converts a frequency in Hz to a spectrum band index
      // that can be passed to getBand. in this case, we simply use the 
      // index as coordinates for the rectangle we draw to represent
      // the average.
      int xl = (int)fft.freqToIndex(lowFreq);
      int xr = (int)fft.freqToIndex(highFreq);

      // if the mouse is inside of this average's rectangle
      // print the center frequency and set the fill color to red
      if ( mouseX >= xl && mouseX < xr )
      {
        fill(255, 128);
        text(prefix + "Logarithmic Average Center Frequency: " + centerFrequency, 5, y - 25);
        fill(255, 0, 0);
      }
      else
      {
          fill(255);
      }
      // draw a rectangle for each average, multiply the value by spectrumScale so we can see it better
      rect( xl, y, xr, y - fft.getAvg(i)*spectrumScale );
    }
  }
}

메모:

  • 실행하기 전에 .mp3 파일을 스케치에 드롭해야합니다. 이름을 "jingle.mp3"로 지정하거나 loadFile()올바른 파일 이름을 사용하도록 호출을 변경하십시오.
  • 예를 들어 로그 평균을 남겼습니다. 선형 또는 평균이 전혀없는 것보다 시각화에 더 유용합니다. Processing에서 사운드 시각화를위한 FFT에 대한 더 유용한 팁은 이 답변Columbia University에서 가르치는 Dan Ellis의 Music Signal Processing 과정을 참조하십시오 (일부 실습에서는 Processing의 최소 라이브러리를 사용하고 있기 때문).

이 기사는 인터넷에서 수집됩니다. 재 인쇄 할 때 출처를 알려주십시오.

침해가 발생한 경우 연락 주시기 바랍니다[email protected] 삭제

에서 수정
0

몇 마디 만하겠습니다

0리뷰
로그인참여 후 검토

관련 기사

Related 관련 기사

뜨겁다태그

보관