RECORDING SOUND FORMAT

I have a Zen Mozaic. I always used it to record sound during lesson.
The saved format is WAV.
Can I change it to MP3 format and how to set it on the Zen Mozaic?
Best regards

I have a Zen Mozaic. I always used it to record sound during lesson.
The saved format is WAV.
Can I change it to MP3 format and how to set it on the Zen Mozaic?
Best regards

Similar Messages

  • How can I record sound

    I use this code below to record sound, but it failed. The output is :
    Press ENTER to start the recording.
    Recording...
    Press ENTER to stop the recording.
    Recording stopped.
    After I pressed ENTER, it stoped recording immediately.
    The code is:
    *     SimpleAudioRecorder.java
    *     This file is part of jsresources.org
    import java.io.IOException;
    import java.io.File;
    import javax.sound.sampled.DataLine;
    import javax.sound.sampled.TargetDataLine;
    import javax.sound.sampled.AudioFormat;
    import javax.sound.sampled.AudioSystem;
    import javax.sound.sampled.AudioInputStream;
    import javax.sound.sampled.LineUnavailableException;
    import javax.sound.sampled.AudioFileFormat;
    * <titleabbrev>SimpleAudioRecorder</titleabbrev> <title>Recording to an audio
    * file (simple version)</title>
    * <formalpara><title>Purpose</title> <para>Records audio data and stores it
    * in a file. The data is recorded in CD quality (44.1 kHz, 16 bit linear,
    * stereo) and stored in a <filename>.wav</filename> file.</para></formalpara>
    * <formalpara><title>Usage</title> <para> <cmdsynopsis> <command>java
    * SimpleAudioRecorder</command> <arg choice="plain"><option>-h</option></arg>
    * </cmdsynopsis> <cmdsynopsis> <command>java SimpleAudioRecorder</command>
    * <arg choice="plain"><replaceable>audiofile</replaceable></arg>
    * </cmdsynopsis> </para></formalpara>
    * <formalpara><title>Parameters</title> <variablelist> <varlistentry> <term><option>-h</option></term>
    * <listitem><para>print usage information, then exit</para></listitem>
    * </varlistentry> <varlistentry> <term><option><replaceable>audiofile</replaceable></option></term>
    * <listitem><para>the file name of the audio file that should be produced from
    * the recorded data</para></listitem> </varlistentry> </variablelist>
    * </formalpara>
    * <formalpara><title>Bugs, limitations</title> <para> You cannot select audio
    * formats and the audio file type on the command line. See AudioRecorder for a
    * version that has more advanced options. Due to a bug in the Sun jdk1.3/1.4,
    * this program does not work with it. </para></formalpara>
    * <formalpara><title>Source code</title> <para> <ulink
    * url="SimpleAudioRecorder.java.html">SimpleAudioRecorder.java</ulink> </para>
    * </formalpara>
    public class SimpleAudioRecorder extends Thread {
         private TargetDataLine m_line;
         private AudioFileFormat.Type m_targetType;
         private AudioInputStream m_audioInputStream;
         private File m_outputFile;
         public SimpleAudioRecorder(TargetDataLine line,
                   AudioFileFormat.Type targetType, File file) {
              m_line = line;
              m_audioInputStream = new AudioInputStream(line);
              m_targetType = targetType;
              m_outputFile = file;
          * Starts the recording. To accomplish this, (i) the line is started and
          * (ii) the thread is started.
         public void start() {
               * Starting the TargetDataLine. It tells the line that we now want to
               * read data from it. If this method isn't called, we won't be able to
               * read data from the line at all.
              m_line.start();
               * Starting the thread. This call results in the method 'run()' (see
               * below) being called. There, the data is actually read from the line.
              super.start();
          * Stops the recording.
          * Note that stopping the thread explicitely is not necessary. Once no more
          * data can be read from the TargetDataLine, no more data be read from our
          * AudioInputStream. And if there is no more data from the AudioInputStream,
          * the method 'AudioSystem.write()' (called in 'run()' returns. Returning
          * from 'AudioSystem.write()' is followed by returning from 'run()', and
          * thus, the thread is terminated automatically.
          * It's not a good idea to call this method just 'stop()' because stop() is
          * a (deprecated) method of the class 'Thread'. And we don't want to
          * override this method.
         public void stopRecording() {
              m_line.stop();
              m_line.close();
          * Main working method. You may be surprised that here, just
          * 'AudioSystem.write()' is called. But internally, it works like this:
          * AudioSystem.write() contains a loop that is trying to read from the
          * passed AudioInputStream. Since we have a special AudioInputStream that
          * gets its data from a TargetDataLine, reading from the AudioInputStream
          * leads to reading from the TargetDataLine. The data read this way is then
          * written to the passed File. Before writing of audio data starts, a header
          * is written according to the desired audio file type. Reading continues
          * untill no more data can be read from the AudioInputStream. In our case,
          * this happens if no more data can be read from the TargetDataLine. This,
          * in turn, happens if the TargetDataLine is stopped or closed (which
          * implies stopping). (Also see the comment above.) Then, the file is closed
          * and 'AudioSystem.write()' returns.
         public void run() {
              try {
                   AudioSystem.write(m_audioInputStream, m_targetType, m_outputFile);
              } catch (IOException e) {
                   e.printStackTrace();
         public static void main(String[] args) {
              if (args.length != 1 || args[0].equals("-h")) {
                   printUsageAndExit();
               * We have made shure that there is only one command line argument. This
               * is taken as the filename of the soundfile to store to.
              String strFilename = args[0];
              File outputFile = new File(strFilename);
               * For simplicity, the audio data format used for recording is hardcoded
               * here. We use PCM 44.1 kHz, 16 bit signed, stereo.
              AudioFormat audioFormat = new AudioFormat(
                        AudioFormat.Encoding.PCM_SIGNED, 44100.0F, 16, 2, 4, 44100.0F,
                        false);
               * Now, we are trying to get a TargetDataLine. The TargetDataLine is
               * used later to read audio data from it. If requesting the line was
               * successful, we are opening it (important!).
              DataLine.Info info = new DataLine.Info(TargetDataLine.class,
                        audioFormat);
              TargetDataLine targetDataLine = null;
              try {
                   targetDataLine = (TargetDataLine) AudioSystem.getLine(info);
                   targetDataLine.open(audioFormat);
              } catch (LineUnavailableException e) {
                   out("unable to get a recording line");
                   e.printStackTrace();
                   System.exit(1);
               * Again for simplicity, we've hardcoded the audio file type, too.
              AudioFileFormat.Type targetType = AudioFileFormat.Type.WAVE;
               * Now, we are creating an SimpleAudioRecorder object. It contains the
               * logic of starting and stopping the recording, reading audio data from
               * the TargetDataLine and writing the data to a file.
              SimpleAudioRecorder recorder = new SimpleAudioRecorder(targetDataLine,
                        targetType, outputFile);
               * We are waiting for the user to press ENTER to start the recording.
               * (You might find it inconvenient if recording starts immediately.)
              out("Press ENTER to start the recording.");
              try {
                   System.in.read();
              } catch (IOException e) {
                   e.printStackTrace();
               * Here, the recording is actually started.
              recorder.start();
              out("Recording...");
               * And now, we are waiting again for the user to press ENTER, this time
               * to signal that the recording should be stopped.
              out("Press ENTER to stop the recording.");
              try {
                   System.in.read();
              } catch (IOException e) {
                   e.printStackTrace();
               * Here, the recording is actually stopped.
              recorder.stopRecording();
              out("Recording stopped.");
         private static void printUsageAndExit() {
              out("SimpleAudioRecorder: usage:");
              out("\tjava SimpleAudioRecorder -h");
              out("\tjava SimpleAudioRecorder <audiofile>");
              System.exit(0);
         private static void out(String strMessage) {
              System.out.println(strMessage);
    }

    I've never used it, but I believe Garage Band has a recording option.

  • Recording sound from computer?

    Ok so I have a file that is .vrf (Ventrilo sound) and Sb doesn't open it. But if i play the sound can Sb record it off the computer (via Stereo Mix)? I know Audacity will record sounds off my computer, but i was wondering if Sb would. and if so how?
    Thanks!

    >>What settings? In the toolbar settings or IE7's settings?<<
    It's in the "Freecorder" toolbar (mine shows near the top of IE) and is an icon located there for Freecorder's "Settings".  On my installation, it's the second icon from the right end of the toolbar and is located between the "bell" ("Record and Auto-Tag MP3's ...") and the right-facing 'arrow (the "Play" icon). The "Settings icon" looks like two opposite-facing maracas.
    Click this Settings icon and a window will pop up.  In its upper-left corner you'll see three places that allow you to place/click a "check mark".  I've put a check in the top line which says "Record From Freecorder Audio Driver", and it has worked well for me.  (Note that in this "Settings window" you can also set the "Recording Destination", the "Output Format", and time at which you want the program to "Prompt for a filename".)
    What I do is: 1) click the red "Record" icon in Freecorder's toolbar, 2) start playing the music source so I can hear it out of the speakers, and 3) when it's done playing, save the file.
    Hope this helps a little more.

  • How to record sound with JMF?

    I just want to record a clip of sound and save it in a WAV file. I exhausted the web but just couldn't find a tutorial. Would someone be kind enough to give me a tutorial or a sample code? The simpler the better. Thanks.

    Hi there,
    The following lines of code will record sound for 5 sec and save it in file C:/test.wav.
    import java.io.IOException;
    import javax.media.CannotRealizeException;
    import javax.media.DataSink;
    import javax.media.Format;
    import javax.media.Manager;
    import javax.media.MediaLocator;
    import javax.media.NoDataSinkException;
    import javax.media.NoProcessorException;
    import javax.media.NotRealizedError;
    import javax.media.Processor;
    import javax.media.ProcessorModel;
    import javax.media.format.AudioFormat;
    import javax.media.protocol.FileTypeDescriptor;
    public class WAVWriter {
         public void record(){
              AudioFormat format = new AudioFormat(AudioFormat.LINEAR, 44100, 16, 1);
              ProcessorModel model = new ProcessorModel(new Format[]{format}, new FileTypeDescriptor(FileTypeDescriptor.WAVE));
              try {
                   Processor processor = Manager.createRealizedProcessor(model);
                   DataSink sink = Manager.createDataSink(processor.getDataOutput(), new MediaLocator("file:///C:/test.wav"));
                   processor.start();
                   sink.open();
                   sink.start();
                   Thread.sleep(5000);
                   sink.stop();
                   sink.close();
                   processor.stop();
                   processor.close();
              } catch (NoProcessorException e) {
                   // TODO Auto-generated catch block
                   e.printStackTrace();
              } catch (CannotRealizeException e) {
                   // TODO Auto-generated catch block
                   e.printStackTrace();
              } catch (IOException e) {
                   // TODO Auto-generated catch block
                   e.printStackTrace();
              } catch (NoDataSinkException e) {
                   // TODO Auto-generated catch block
                   e.printStackTrace();
              } catch (NotRealizedError e) {
                   // TODO Auto-generated catch block
                   e.printStackTrace();
              } catch (InterruptedException e) {
                   // TODO Auto-generated catch block
                   e.printStackTrace();
         public static void main(String[] args) {
              new WAVWriter().record();
    }I hope this will help. Don't forget to go through JMF guide (http://www.cdt.luth.se/~johank/smd151/jmf/jmf2_0-guide.pdf), especially page 81... it's not always helpfull, but sometimes, it may give you some good answers.
    Happy coding!!!

  • How to record sound with Java Sound?

    I just want to record a clip of sound and save it to a WAV file. I exhausted the web but didn't find a tutorial. Would someone be kind enough to give me a tutorial or a sample code? The simpler the better. Thanks.

    Here's the code I used to record and play sound. Hope the length do not confound you.
    import javax.sound.sampled.*;
    import java.io.*;
    // The audio format you want to record/play
    AudioFormat.Encoding encoding = AudioFormat.Encoding.PCM_SIGNED;
    int sampleRate = 44100;
    byte sampleSizeInBits = 16;
    int channels = 2;
    int frameSize = 4;
    int frameRate = 44100;
    boolean bigEndian = false;
    int bytesPerSecond = frameSize * frameRate;
    AudioFormat format = new AudioFormat(encoding, sampleRate, sampleSizeInBits, channels, frameSize, frameRate, bigEndian);
    //TO RECORD:
    //Get the line for recording
    try {
      targetLine = AudioSystem.getTargetDataLine(format);
    catch (LineUnavailableException e) {
      showMessage("Unable to get a recording line");
    // The formula might be a bit hard :)
    float timeQuantum = 0.1F;
    int bufferQuantum = frameSize * (int)(frameRate * timeQuantum);
    float maxTime = 10F;
    int maxQuantums = (int)(maxTime / timeQuantum);
    int bufferCapacity = bufferQuantum * maxQuantums;
    byte[] buffer = new byte[bufferCapacity]; // the array to hold the recorded sound
    int bufferLength = 0;
    //The following has to repeated every time you record a new piece of sound
    targetLine.open(format);
    targetLine.start();
    AudioInputStream in = new AudioInputStream(targetLine);
    bufferLength = 0;
    for (int i = 0; i < maxQuantums; i++) { //record up to bufferQuantum * maxQuantums bytes
      int len = in.read(buffer, bufferQuantum * i, bufferQuantum);
      if (len < bufferQuantum) break; // the recording may be interrupted
      bufferLength += len;
    targetLine.stop();
    targetLine.close();
    //Save the recorded sound into a file
    AudioInputStream stream = AudioSystem.getAudioInputStream(new ByteArrayInputStream(buffer, 0, bufferLength));
    AudioFileFormat.Type fileType = AudioFileFormat.Type.WAVE;
    File file = new File(...); // your file name
    AudioSystem.write(stream, fileType, file);
    //TO PLAY:
    //Get the line for playing
    try {
      sourceLine = AudioSystem.getSourceDataLine(format);
    catch (LineUnavailableException e) {
      showMessage("Unable to get a playback line");
    //The following has to repeated every time you play a new piece of sound
    sourceLine.open(format);
    sourceLine.start();
    int quantums = bufferLength / bufferQuantum;
    for (int i = 0; i < quantums; i++) {
      sourceLine.write(buffer, bufferQuantum * i, bufferQuantum);
    sourceLine.drain(); //Drain the line to make sure all the sound you feed it is played
    sourceLine.stop();
    sourceLine.close();
    //Or, if you want to play a file:
    File audioFile = new File(...);//
    AudioInputStream in = AudioSystem.getAudioInputStream(audioFile);
    sourceDataLine.open(format);
    sourceDataLine.start();
    while(true) {
      if(in.read(buffer,0,bufferQuantum) == -1) break; // read a bit of sound from the file
      sourceDataLine.write(buffer,0,buffer.length); // and play it
    sourceDataLine.drain();
    sourceDataLine.stop();
    sourceDataLine.close();You may also do this to record sound directly into a file:
    targetLine.open(format);
    targetLine.start();
    AudioInputStream in = new AudioInputStream(targetLine);
    AudioFileFormat.Type fileType = AudioFileFormat.Type.WAVE;
    File file = new File(...); // your file name
    new Thread() {public void run() {AudioSystem.write(stream, fileType, file);}}.start(); //Run this in a separate thread
    //When you want to stop recording, run the following: (usually triggered by a button or sth)
    targetLine.stop();
    targetLine.close();Edited by: Maigo on Jun 26, 2008 7:44 AM

  • Can you record sound using a USB 6211 and convert the data to a .wav (or other sound) file?

    Hello,
    I am trying to build a system that will use a USB 6211 to record sounds from multiple electret microphones and then save the data as a .wav file or other sound file.  I have already built my mics and hooked the mics up to the USB 6211; the DAQ device seems to do an adequate job recording the signal - I've recorded from 3 mics at a time at 11,025 Hz, although I don't know how good the signals are since I can't save them for playback after the fact, and they aren't going through my sound card. Ultimately, I would like to save the data as a multichannel audio file which I could then open in a program such as Audacity for further editing and analysis. Since Audacity can import a variety of sound files, my file format doesn't need to be .wav if another format would work better.
    Any advice would be appreciated.
    Thanks, Eric

    If you are sampling all three simultaneously, your highest frequency recordable will be (11,025/2)/3, so about 1800Hz and that will pretty coarse (traditionally digital sound recording is at 44Ks/s at the low end). As to converting to a .wav, there are functions on the "Graphics and Sound" palette for saving waveforms to a .wav file.
    Putnam
    Certified LabVIEW Developer
    Senior Test Engineer
    Currently using LV 6.1-LabVIEW 2012, RT8.5
    LabVIEW Champion

  • Recording sound with Soundbooth

    I managed to record sound with the system 'sound recorder', but when I try to record sound in soundbooth with the same mic (simple cheap mic) there is nothing showing on the meter and nothing records. Can somebody please explain to me what is the problem?

    While Premiere and Soundbooth both support a Windows audio standard called ASIO, both also include a driver that will let you use audio devices that do not support this format.  The driver is configured by default, but may not always select the proper input port - depending on the audio device and what Windows reports to the application.
    Fortunately, it's not too difficult to tinker around and find the right setting.  In Soundbooth, choose Edit > Preferences > Audio Hardware...  In the dialog that pops up, you should see a drop-down labeled "Default Device"  If you are running Soundbooth CS4, you should see "Soundbooth 2.0 WDM Sound" listed here.  Click the Settings button, and in the new dialog, click the "Input" tab.  Here you'll see a list of input ports for your selected audio device.  Make certain your microphone port is enabled, and click OK a few times to get back to the main program.  Click the Record button and make sure the microphone input is selected in the Port: dropdown.  Try recording and see if this solves the problem.
    If it still does not record, or you do not see the proper input to enable, you may need to verify the proper audio device is selected, or if you're running Windows Vista, that the input port you want to use is enabled in Window's Audio settings.  You can find this by right clicking on the speaker icon in your system try and choose "Recording Devices."
    Good luck!
    Durin

  • Recording sound with Siemens API

    Hello, there is only com.siemens.mp.media package instead of javax.microedition.media on my Siemens C55. It containes most of classes from MMAPI but class RecordControl is missing:( Is there some other approach how to record sound in java on this telephone? There is built-in dictafone creating WAVs..
    Thank you for answers.
    Honza

    While Premiere and Soundbooth both support a Windows audio standard called ASIO, both also include a driver that will let you use audio devices that do not support this format.  The driver is configured by default, but may not always select the proper input port - depending on the audio device and what Windows reports to the application.
    Fortunately, it's not too difficult to tinker around and find the right setting.  In Soundbooth, choose Edit > Preferences > Audio Hardware...  In the dialog that pops up, you should see a drop-down labeled "Default Device"  If you are running Soundbooth CS4, you should see "Soundbooth 2.0 WDM Sound" listed here.  Click the Settings button, and in the new dialog, click the "Input" tab.  Here you'll see a list of input ports for your selected audio device.  Make certain your microphone port is enabled, and click OK a few times to get back to the main program.  Click the Record button and make sure the microphone input is selected in the Port: dropdown.  Try recording and see if this solves the problem.
    If it still does not record, or you do not see the proper input to enable, you may need to verify the proper audio device is selected, or if you're running Windows Vista, that the input port you want to use is enabled in Window's Audio settings.  You can find this by right clicking on the speaker icon in your system try and choose "Recording Devices."
    Good luck!
    Durin

  • Can't play / record sound on Yosemite with external Firewire audio interface

    I've got a Focusrite Saffire PRO 24 Firewire audio device. It worked perfectly until I upgraded to Yosemite. Even upgrading the driver to the last version (which suports Yosemite) I can't play sound in any way. Garageband crashes when I try to play my projects. Youtube videos on a browser stay paused on 00:00...
    Saffire pro 24 is detected. I can select it on System preferences or garageband settings. On Saffire Mix Control 3.5 I can see how audio inputs are ok, the input signal is received and the output is ok. According to Saffire Mix Control everything's fine, but I can't play audio nor record sound.
    If I switch to internal audio device everything works perfectly.
    I did some research and every time I try to play sound these errors are shown on the Console.
    11/12/14 21:06:52,045 AirPlayUIAgent[466]: 2014-12-11 09:06:52.045250 PM [AirPlayAVSys] ### Audio server died
    11/12/14 21:06:52,046 discoveryd[51]: AwdlD2d AwdlD2dStopBrowsingForKey: '_raop' Browsing service stopped
    11/12/14 21:06:52,047 discoveryd[51]: AwdlD2d AwdlD2dStopBrowsingForKey: '_airplay' Browsing service stopped
    11/12/14 21:06:52,050 com.apple.xpc.launchd[1]: (com.apple.audio.coreaudiod[1044]) Service exited due to signal: Segmentation fault: 11
    11/12/14 21:06:52,129 com.apple.audio.DriverHelper[1088]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class AMDRadeonX4000_AMDAccelDevice.
    11/12/14 21:06:52,130 com.apple.audio.DriverHelper[1088]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class AMDRadeonX4000_AMDAccelSharedUserClient.
    11/12/14 21:06:52,130 com.apple.audio.DriverHelper[1088]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class AMDSIVideoContext.
    11/12/14 21:06:52,130 com.apple.audio.DriverHelper[1088]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class Gen6DVDContext.
    11/12/14 21:06:52,130 com.apple.audio.DriverHelper[1088]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class IGAccelDevice.
    11/12/14 21:06:52,130 com.apple.audio.DriverHelper[1088]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class IGAccelSharedUserClient.
    11/12/14 21:06:52,130 com.apple.audio.DriverHelper[1088]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class IGAccelVideoContextMain.
    11/12/14 21:06:52,131 com.apple.audio.DriverHelper[1088]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class IGAccelVideoContextMedia.
    11/12/14 21:06:52,131 com.apple.audio.DriverHelper[1088]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class IGAccelVideoContextVEBox.
    11/12/14 21:06:52,131 com.apple.audio.DriverHelper[1088]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class IOBluetoothDeviceUserClient.
    11/12/14 21:06:52,131 com.apple.audio.DriverHelper[1088]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class IOHIDParamUserClient.
    11/12/14 21:06:52,131 com.apple.audio.DriverHelper[1088]: The plug-in named AirPlay.driver requires extending the sandbox for the IOKit user-client class IOSurfaceRootUserClient.
    11/12/14 21:06:52,132 com.apple.audio.DriverHelper[1088]: The plug-in named AirPlay.driver requires extending the sandbox for the mach service named com.apple.AirPlayXPCHelper.
    11/12/14 21:06:52,132 com.apple.audio.DriverHelper[1088]: The plug-in named AirPlay.driver requires extending the sandbox for the mach service named com.apple.wirelessproxd.
    11/12/14 21:06:52,146 coreaudiod[1087]: 2014-12-11 09:06:52.145826 PM [AirPlay] BTLE discovery removing all devices
    11/12/14 21:06:52,147 coreaudiod[1087]: 2014-12-11 09:06:52.146660 PM [AirPlay] Resetting AWDL traffic registration.
    11/12/14 21:06:52,147 coreaudiod[1087]: 2014-12-11 09:06:52.146988 PM [AirPlay] Deregister AirPlay traffic for AWDL at MAC 00:00:00:00:00:00 with target infra non critical PeerIndication=0 err=-3900
    11/12/14 21:06:52,149 discoveryd[51]: AwdlD2d AwdlD2dStartBrowsingForKey: '_raop' Browsing service started
    11/12/14 21:06:52,149 discoveryd[51]: AwdlD2d AwdlD2dStartBrowsingForKey: '_airplay' Browsing service started
    11/12/14 21:06:52,150 com.apple.audio.DriverHelper[1088]: The plug-in named BluetoothAudioPlugIn.driver requires extending the sandbox for the IOKit user-client class IOBluetoothDeviceUserClient.
    11/12/14 21:06:52,150 com.apple.audio.DriverHelper[1088]: The plug-in named BluetoothAudioPlugIn.driver requires extending the sandbox for the mach service named com.apple.blued.
    11/12/14 21:06:52,150 com.apple.audio.DriverHelper[1088]: The plug-in named BluetoothAudioPlugIn.driver requires extending the sandbox for the mach service named com.apple.bluetoothaudiod.
    11/12/14 21:06:52,153 coreaudiod[1087]: Logging disabled
    11/12/14 21:06:52,170 coreaudiod[1087]: 2014-12-11 09:06:52.170272 PM [AirPlay] AirPlay: Performing audio format change for 4 (AP Out) to PCM/44100/16/2 for output and  for input
    11/12/14 21:06:52,170 coreaudiod[1087]: 2014-12-11 09:06:52.170473 PM [AirPlay] AirPlay: Performing audio format change for 4 (AP Out) to PCM/44100/16/2 for output and  for input
    11/12/14 21:06:52,398 bluetoothaudiod[1089]: Logging disabled
    It looks like there's some problem with Airplay? I didn't even know what Airplay was until now but after looking for some information I don't understand what has Airplay to do with playing sound over firewire.
    I tried to disable Airplay on System Preferences > Display. I removed com.apple.airplay.plist from Library/Preferences but the results are the same
    Please a need help with this. It's getting really frustrating. I'm trying to get help from Focusrite support as well.

    In case another poor man like me run into this issue, here's how I solved it:
    First of all, I removed Saffire Mix Control entirely following this guide:
    http://global.focusrite.com/answerbase/how-do-i-remove-saffire-mixcontrol-from-m y-mac
    In addition to that I did this:
    1. Mac HD > Library > Preferences > Audio and in there please delete the two preference files
    2. Finder > Go > Hold down the "Alt" key and click on the library folder. In there please trash the file "com.apple.audiomidisetup.plist" (in case it exists)
    Then I emptied the trash, restarted system and reinstalled Saffire Mix Control 3.5
    Problem solved.

  • Sound Recording. Leaving PC recording sound

    Hi!, i need to leave the PC recording sound during my day work, usually around 10 hours, so i want a CLI app or command, to leave the computer recording for several hours, then, when back home, open the sound in audacity and see if there are anomalyes, so i can "see" the sound and view if there are unwanted noises in the house when its alone, (NOTE: I KNOW ITS FUNNY, but i need achieve this to se f my dog do a lot of barking and noises and see if the neighbors have reason to complain...)
    i read that i can do that with the rec command something like:
    rec test.ogg + CTRL C + play test.ogg
    But i need a format to record that not fills my hard drive and has a minimun quality to anderstand whats happening home, (what things my dog is destroying, lol) so i can record 9-10 hours

    How much space do you have?
    I was playing around with rec and I was able to do rec -c 2 test.mp3 (-c 2 gave me two channels)
    If you do something like that then open up the file in audacity after the 10 hours, you should be able to see where there is noise and where there isn't.
    You'd have set a capture in alsa for your mic, and you'd probably want 1 channel instead of two. You could just simply run the command in terminal and hit ctrl+c when you get home, or you could setup a crontab.

  • Recording sound in as3...

    Hi All...
         Can any one tell me please, How to record sound for mobile devices and save those recoded files in local system in mp3 format using as3 and air?

    Hi bhargavi,
    I'm not sure if you can save sound files to the local system even with AIR.
    Some time ago I made a similar application, just for test, but I had to send the bytes to a server in order to be recorded. The idea at the time was to use a TTS system.
    I used this page to guide me:
    http://www.bytearray.org/?p=1858
    After googling a bit, I found this one with an example... this is probably what you want:
    http://www.addictivetips.com/windows-tips/microphone-free-adobe-air-mp3-audio-sound-record er/
    See if it works.
    Cheers

  • Recording sound from DVD and CD play

    I just bought a Zen V Plus. Could someone please tell me how to record sound from a DVD and/or CD to my MP3? Thank you!

    Try this:
    1. Connect the Line IN jack on your player to the line output of an external stereo source, such as a CD or MiniDisc player, using the supplied line-in cable.
    2. Press the Back/Options .You may need to do this more than once until the main menu appears.
    3. Select Extra button to start a line-in encoding.
    5. On your external stereo source, start playing the song you want to encode.
    6. While encoding, you can press and hold the Back/Options button and select one of the following items:
    Pauses the encoding. You can also pause the encoding by pressing the Play/Pause button.
    Stops and saves the encoding. You can also stop the encoding by pressing the Record
    Split Ends and saves current recording session, and begins a new one.
    7. Press the Record button to end the line-in recording. The recorded track is named LINE followed by the date and time of the recordin YYYY-MM-DD HH:MM:SS<. For example, if you record a track on March 5, 2004 at 2:57 pm, the track is named LINE
    This information can also be found in your user's guide, it's a .chm file found in your installation cd.

  • Can you record sounds and save as a ringtone with the IPhone4?

    I'm new to the IPhone. All other phones I' ve used in the past I could save sounds and use them as a ringtone. I just can't seem to figure it out with the I4. Can it be done?

    You can record sounds with the Voice Memos app, then sync them to your computer by selecting "Include voice memos" on the Music tab of y0ur iTunes sync settings and syncing your phone.  Once synced to your computer they will appear in a Voice Memos playlist that iTunes creates on the left sidebar.  Then you have to convert it to a ringtone using iTunes as shown here: Create free ringtones with iTunes 10.  After this is done, you can check the ringtone in your iTunes library, then check Sync Tones on the Tones tab of your iTunes sync settings and sync.  Custom ringtones will appear in Settings>Sounds>Ringtone at the top of the list.

  • Applet that records sound

    Hi all.. I am developing an applet that records sound and stores it in a WAV file... The applet is signed and loads in the browser well but it does not give the output, i.e. the WAV file in the specified directory.
    Can you please have a look at my code and tell me where Im going wrong?
         public void init()
              b1=new Button("Record");
              add(b1);
              b1.addActionListener(this);
              b2=new Button("Stop");
              add(b2);
              b2.addActionListener(this);
         public void run()
         public void start()
              try
              audioFile = new File(filename);
              audioFormat = new AudioFormat(AudioFormat.Encoding.PCM_SIGNED,44100.0F, 16, 2, 4, 44100.0F, false);
              info = new DataLine.Info(TargetDataLine.class, audioFormat);
              targetType = AudioFileFormat.Type.WAVE;
                   targetDataLine = (TargetDataLine)AudioSystem.getLine(info);
                   targetDataLine.open(audioFormat);
              catch (LineUnavailableException e)
                   msg="Exception occured"+e;
              repaint();
         public void actionPerformed(ActionEvent ae)
              String cmd=ae.getActionCommand();
              if(cmd.equals("Record"))
                   try{
                   virtual_line           = targetDataLine;
                   virtual_audioInputStream= new AudioInputStream(virtual_line);
                   virtual_targetType     = targetType;
                   System.in.read();
                   virtual_outputFile     = audioFile;
                   virtual_line.start();
                   AudioSystem.write(virtual_audioInputStream,virtual_targetType,virtual_outputFile);
                   }catch(Exception e)
                        msg="Exception here"+e;
                   msg="Recording..";
              if(cmd.equals("Stop"))
                   virtual_line.stop();
                   virtual_line.close();
                   msg="Stopped";
              repaint();
         public void paint(Graphics g)
              g.drawString(msg,8,80);
    }

    how can i will play a .wav file in applet

  • How to use a recorded sound in voice memos as a ringtone.

    How to use a recorded sound in voice memos as a ringtone.

    You may have better luck dumping those to computer and using an application that includes the ability to scrub.
    Try the Mac App Store for choices.

Maybe you are looking for

  • Can I sync my iPad and iPhone via iCloud

    Sorry if this has been answered before, but I searched and could not find a solution. I, obviously, did not set up iOS5 correctly because I now have two sets of Contacts on my iPhone.  One is called Contacts from my Mac and the other is called from i

  • [SOLVED] Gnome 3 == The Green Screen of Death

    Greetings, Trying to load GNOME 3 seems to result constantly in nothing but a bright green screen and mouse, despite anything else I've tried. Nothing else loads. I have to change tty to do anything else. Doing so, I executed htop and saw that only 2

  • Flash Player 11.8.800.94 - 11.8.800.95 (beta) crashing.

    Hello Everyone. I've been heavily involved with the Adobe Flash Player since 2006 mostly involving webcam services and this is the first time ive seen the flash player become completely unstable with regards to the webcam or viewing a webcam feed.  F

  • Can I use two audio devices on a macbook pro? I.e Headphones and the built in speakers

    So I have Mumble (voip) running, and Spotify at the same time. I use apple headphones to talk to people on mumble but i want to use my speakers to listen to music on spotify. Is there a simple way i can set this up?

  • DUPLICATE DATABASE IN ANOTHER HOST WITH THE SAME DATABASE NAME

    Hi all. I want duplicate a database(dbteste1 host:wander) to another host(magda) with the same database name. My tnsnames in host wander is this: DBTESTE1 = (DESCRIPTION = (ADDRESS_LIST = (ADDRESS = (PROTOCOL = TCP)(HOST = wander)(PORT = 1521)) (CONN