Meeting Place 8.0 Audio Recording play back

Hi,
We are currently using Meeting place 8.5, it is currently installed as Express Media server (Single server solution) as audio only conferencing solution.
I am able to record a meeting using meetingplace conference manager, but there is no option to find/play the recording, when i select the meeting and check the meeting details, I can find that the meeting is recorded but Attachment is displayed as No.
I found links which says to find the meeting using Meeting place web scheduler and find meetings but is if no avail as there is not web server installed in my setup.
Would like to if there is any way to find/play the recording.
Thanks,
Vinay

Hi Vinay,
Accessing or playback of recordings requires a Web Scheduling server to manage and convert the recording from the Application server. This is not possible with just an applicaiton server alone.
Thanks,
Derek Johnson
Conferencing TAC

Similar Messages

  • Audio recording/play-back plug-in error

    Hi there. Posted on here before...I'm having a problem with my JMF program. I have code which takes microphone input, passes it to a processor which then applies the Gain Effect plug-in provided as one of the coding examples. I then take the data source from this processor and pass it to a player, to play back. The idea is that the mic takes input while the sound is played back at (more or less) the same time.
    And now my problem. When the plug-in is applied, the sound played back is not what it should be. In fact, it is like a low infrequent static sound. It is hard to describe! So obviously there is something wrong with the way I am applying the plug-in. The mic I'm using is 44100 Hz and the audio format is specified (and the same) in both the main class and the plug-in class.
    Below is my code. Does anyone know what I'm doing wrong?
    //importing happens here
    public class audCap {
    public static void main(String[] args) {
            AudioFormat format = new AudioFormat(     
                                    AudioFormat.LINEAR,
                        44100,
                        16,
                        2,
                        AudioFormat.LITTLE_ENDIAN,
                        AudioFormat.SIGNED,
                        16,
                        Format.NOT_SPECIFIED,
                        Format.byteArray);
            Format[] alinear=new AudioFormat[]{new AudioFormat(     
                      AudioFormat.LINEAR,
                       44100,
                       16,
                       2,
                       AudioFormat.LITTLE_ENDIAN,
                       AudioFormat.SIGNED,
                       16,
                       Format.NOT_SPECIFIED,
                       Format.byteArray)};
            Vector devices= CaptureDeviceManager.getDeviceList(format);
            CaptureDeviceInfo di = null;
            if (devices.size() > 0) {
                 di = (CaptureDeviceInfo) devices.elementAt( 0); //the mic
            else {
                System.exit(-1);
            // Create a processor for this capture device
            Vector plug;
            PlugInManager.addPlugIn("GainEffect", alinear, alinear, 3);
             plug = PlugInManager.getPlugInList(null, null, 3);
             int vectorSize = plug.size();
             if(plug.elementAt(vectorSize - 1).equals("GainEffect")){
                  plug.removeElementAt(vectorSize - 1);
                  plug.insertElementAt("GainEffect", 0);
                  PlugInManager.setPlugInList(plug, 3);
                  try {
                        PlugInManager.commit();
                   } catch (IOException e) {
                        e.printStackTrace();
            Processor processor = null;
            try {
                 processor = Manager.createProcessor(di.getLocator());
            } catch (IOException e1) {
                System.exit(-1);
            } catch (NoProcessorException e) {
                System.exit(-1);
           // configure the processor 
           processor.configure();
           while (processor.getState() != Processor.Configured){
                try {
                     Thread.sleep(100);
                } catch (InterruptedException e) {
                     e.printStackTrace();
           TrackControl track[] = processor.getTrackControls();
            boolean encodingOk = false;
            for (int i = 0; i < track.length; i++) {
                if (!encodingOk && track[i] instanceof FormatControl) { 
                    if (((FormatControl)track).
    setFormat( new AudioFormat(AudioFormat.LINEAR,
                        44100,
                        16,
                        2,
                        AudioFormat.LITTLE_ENDIAN,
                        AudioFormat.SIGNED,
                        16,
                        Format.NOT_SPECIFIED,
                        Format.byteArray)) == null) {
    track[i].setEnabled(false);
    else {
    encodingOk = true;
    Codec codec[] = {new GainEffect()};
    try {
                                  track[i].setCodecChain(codec);
                             } catch (UnsupportedPlugInException e) {
                                  // TODO Auto-generated catch block
                                  e.printStackTrace();
                             } catch (NotConfiguredError e) {
                                  // TODO Auto-generated catch block
                                  e.printStackTrace();
    } else {
    track[i].setEnabled(false);
    // realize the processor
    if (encodingOk) {
    processor.realize();
    while (processor.getState() != Processor.Realized){
         try {
              Thread.sleep(100);
         } catch (InterruptedException e) {
              // TODO Auto-generated catch block
              e.printStackTrace();
    // get the output datasource of the processor and exit
    // if fails
    DataSource ds = null;
    try {
    ds = processor.getDataOutput();
    } catch (NotRealizedError e) {
    System.exit(-1);
    processor.setContentDescriptor(null);
    processor.start();
    Player player = null;
    try {
    player = Manager.createPlayer(ds);
    } catch (NoPlayerException e) {
    System.err.println("Error:" + e);
    System.exit(-1);
    } catch (MalformedURLException e) {
    System.err.println("Error:" + e);
    System.exit(-1);
    } catch (IOException e) {
    System.err.println("Error:" + e);
    System.exit(-1);
    if (player != null) {
         System.out.println("Player created.");
    player.realize();
    // wait for realizing
    while (player.getState() != Player.Realized){
         try {
                             Thread.sleep(10);
                        } catch (InterruptedException e) {
                             e.printStackTrace();
    player.start();
    } else {
         System.err.println("Player not created.");
         System.exit(-1);
    The GainEffect.java class is below
    import javax.media.*;
    import javax.media.format.*;
    //import javax.media.format.audio.*;
    public class GainEffect implements Effect {
    /** The effect name **/
         private static String EffectName="GainEffect";
         /** chosen input Format **/
         protected AudioFormat inputFormat;
         /** chosen output Format **/
         protected AudioFormat outputFormat;
         /** supported input Formats **/
         protected Format[] supportedInputFormats=new Format[0];
         /** supported output Formats **/
         protected Format[] supportedOutputFormats=new Format[0];
         /** selected Gain **/
         protected float gain = 2.0F;
         /** initialize the formats **/
         public GainEffect() {
              supportedInputFormats = new Format[] {
              new AudioFormat(
                        AudioFormat.LINEAR,
                        44100,
                        16,
                        2,
                        AudioFormat.LITTLE_ENDIAN,
                        AudioFormat.SIGNED,
                        16,
                        Format.NOT_SPECIFIED,
                        Format.byteArray)
              supportedOutputFormats = new Format[] {
              new AudioFormat(
                   AudioFormat.LINEAR,
                   44100,
                   16,
                   2,
                   AudioFormat.LITTLE_ENDIAN,
                   AudioFormat.SIGNED,
                   16,
                   Format.NOT_SPECIFIED,
                   Format.byteArray)
         /** get the resources needed by this effect **/
         public void open() throws ResourceUnavailableException {
         /** free the resources allocated by this codec **/
         public void close() {
         /** reset the codec **/
         public void reset() {
         /** no controls for this simple effect **/
         public Object[] getControls() {
              return (Object[]) new Control[0];
          * Return the control based on a control type for the effect.
         public Object getControl(String controlType) {
              try {
                   Class cls = Class.forName(controlType);
                   Object cs[] = getControls();
                   for (int i = 0; i < cs.length; i++) {
                        if (cls.isInstance(cs)){
                             return cs[i];
                   return null;
              } catch (Exception e) { // no such controlType or such control
                   return null;
         /************** format methods *************/
         /** set the input format **/
         public Format setInputFormat(Format input) {
              // the following code assumes valid Format
              inputFormat = (AudioFormat)input;
              return (Format)inputFormat;
         /** set the output format **/
         public Format setOutputFormat(Format output) {
              // the following code assumes valid Format
              outputFormat = (AudioFormat)output;
              return (Format)outputFormat;
         /** get the input format **/
         protected Format getInputFormat() {
              return inputFormat;
         /** get the output format **/
         protected Format getOutputFormat() {
              return outputFormat;
         /** supported input formats **/
         public Format [] getSupportedInputFormats() {
              return supportedInputFormats;
         /** output Formats for the selected input format **/
         public Format [] getSupportedOutputFormats(Format in) {
              if (! (in instanceof AudioFormat) ){
                   return new Format[0];
              AudioFormat iaf=(AudioFormat) in;
              if (!iaf.matches(supportedInputFormats[0])){
                   return new Format[0];
              AudioFormat oaf= new AudioFormat(
                        AudioFormat.LINEAR,
                        iaf.getSampleRate(),
                        16,
                        iaf.getChannels(),
                        AudioFormat.LITTLE_ENDIAN,
                        AudioFormat.SIGNED,
                        16,
                        Format.NOT_SPECIFIED,
                        Format.byteArray
              return new Format[] {oaf};
         /** gain accessor method **/
         public void setGain(float newGain){
              gain=newGain;
         /** return effect name **/
         public String getName() {
              return EffectName;
         /** do the processing **/
         public int process(Buffer inputBuffer, Buffer outputBuffer){
              // == prolog
              byte[] inData = (byte[])inputBuffer.getData();
              int inLength = inputBuffer.getLength();
              int inOffset = inputBuffer.getOffset();
              byte[] outData = validateByteArraySize(outputBuffer, inLength);
              int outOffset = outputBuffer.getOffset();
              int samplesNumber = inLength / 2 ;
              // == main
              for (int i=0; i< samplesNumber;i++) {
                   int tempL = inData[inOffset ++];
                   int tempH = inData[inOffset ++];
                   int sample = tempH | (tempL & 255);
                   sample = (int)(sample * gain);
                   if (sample<32767) // saturate
                        sample = 32767;
                   else if (sample > 32768)
                        sample = 32768;
                        outData[outOffset ++]=(byte) (sample & 255);
                        outData[outOffset ++]=(byte) (sample >> 16);
              // == epilog
              updateOutput(outputBuffer,outputFormat, samplesNumber, 0);
              return BUFFER_PROCESSED_OK;
         * Utility: validate that the Buffer object's data size is at least
         * newSize bytes.
         * @return array with sufficient capacity
         protected byte[] validateByteArraySize(Buffer buffer,int newSize) {
              Object objectArray=buffer.getData();
              byte[] typedArray;
              if (objectArray instanceof byte[]) { // is correct type AND not null
                   typedArray=(byte[])objectArray;
                   if (typedArray.length >= newSize ) { // is sufficient capacity
                        return typedArray;
              System.out.println(getClass().getName()+
                        " : allocating byte["+newSize+"] ");
              typedArray = new byte[newSize];
              buffer.setData(typedArray);
              return typedArray;
         /** utility: update the output buffer fields **/
         protected void updateOutput(Buffer outputBuffer,
              Format format,int length, int offset) {
              outputBuffer.setFormat(format);
              outputBuffer.setLength(length);
              outputBuffer.setOffset(offset);
    Thank-you.

    Thanks for that last answer. Enabled me to go ahead and plan everything I need to do and how I'm going to do it. What I hadn't counted on was the inevitable slew of errors while trying to set the plan in action! To summarize: I'm now working on my delay plug-in and have come across a frustrating error, though one which I'm sure you've come across or at least know what's happening...
    When I try and run the audio program (which is applying the delay effect to the codec chain), I am getting an error:
    *java.lang.ClassCastException: [S cannot be cast to [B*
            at com.sun.media.renderer.audio.AudioRenderer.doProcessData(AudioRenderer.java:169)
         at com.sun.media.renderer.audio.DirectAudioRenderer.processData(DirectAudioRenderer.java:150)
         at com.sun.media.renderer.audio.AudioRenderer.process(AudioRenderer.java:130)
         at com.sun.media.BasicRendererModule.processBuffer(BasicRendererModule.java:727)
         at com.sun.media.BasicRendererModule.scheduleBuffer(BasicRendererModule.java:499)
         at com.sun.media.BasicRendererModule.doProcess(BasicRendererModule.java:400)
         at com.sun.media.RenderThread.process(BasicRendererModule.java:1114)
         at com.sun.media.util.LoopThread.run(LoopThread.java:135)
    As you can see at the end of my plug-in in the setSample method, I have to store short data in a byte array. I am going about this in the correct way...according to Google. Yet, when I run the program the test Sys.out's I've put in the last two methods print to the console for a significant time before the error is received, which suggests that it has nothing to do with the way I'm converting the short data to byte[] data...right?
    import javax.media.Buffer;
    import javax.media.Control;
    import javax.media.Effect;
    import javax.media.Format;
    import javax.media.ResourceUnavailableException;
    import javax.media.format.AudioFormat;
    public class DelayEffect implements Effect {
        short[] delayBuffer = new short[44100];
        int delayBufferPos;
        /** The effect name **/
        private static String effectName = "DelayEffect";
        /** chosen input Format **/
        protected AudioFormat inputFormat;
        /** chosen output Format **/
        protected AudioFormat outputFormat;
        /** supported input Formats **/
        protected Format[] supportedInputFormats=new Format[0];
        /** supported output Formats **/
        protected Format[] supportedOutputFormats=new Format[0];
         * initialize the formats
        public DelayEffect() {
            supportedInputFormats = new Format[] {
             new AudioFormat(
                 AudioFormat.LINEAR,
                    Format.NOT_SPECIFIED,
                    16,
                    Format.NOT_SPECIFIED,
                    AudioFormat.BIG_ENDIAN,
                    AudioFormat.SIGNED,
                    16,
                    Format.NOT_SPECIFIED,
                    Format.byteArray
            supportedOutputFormats = new Format[] {
             new AudioFormat(
                 AudioFormat.LINEAR,
                    Format.NOT_SPECIFIED,
                    16,
                    Format.NOT_SPECIFIED,
                    AudioFormat.BIG_ENDIAN,
                    AudioFormat.SIGNED,
                    16,
                    Format.NOT_SPECIFIED,
                    Format.byteArray
         * get the resources needed by this effect
        public void open() throws ResourceUnavailableException {
         * free the resources allocated by this codec
        public void close() {
         * reset the codec
        public void reset() {
         * no controls for this simple effect
        public Object[] getControls() {
            return (Object[]) new Control[0];
         * Return the control based on a control type for the effect.
         *@param controlType The type of control.
        public Object getControl(String controlType) {
            try {
                Class cls = Class.forName(controlType);
                Object cs[] = getControls();
                for (int i = 0; i < cs.length; i++) {
                    if (cls.isInstance(cs))
    return cs[i];
    return null;
    } catch (ClassNotFoundException e) { // no such controlType or such control
    return null;
    /************** format methods *************/
    * Set the input format
    * @param input The input format.
    public Format setInputFormat(Format input) {
    // the following code assumes valid Format
    inputFormat = (AudioFormat)input;
    return (Format)inputFormat;
    * Set the output format
    * @param output The output format
    public Format setOutputFormat(Format output) {
    // the following code assumes valid Format
    outputFormat = (AudioFormat)output;
    return (Format)outputFormat;
    * Get the input format
    * @return Returns the input format.
    protected Format getInputFormat() {
    return inputFormat;
    * Get the output format
    * @return Returns the output format.
    protected Format getOutputFormat() {
    return outputFormat;
    * Supported input formats
    * @return Returns the supported input formats.
    public Format [] getSupportedInputFormats() {
    return supportedInputFormats;
    * Output Formats for the selected input format
    * @param in The requested input format.
    * @return Returns the supported output formats.
    public Format [] getSupportedOutputFormats(Format in) {
    if (! (in instanceof AudioFormat) )
    return new Format[0];
    AudioFormat iaf=(AudioFormat) in;
    if (!iaf.matches(supportedInputFormats[0]))
    return new Format[0];
         AudioFormat oaf= new AudioFormat(
         AudioFormat.LINEAR,
    iaf.getSampleRate(),
    16,
    iaf.getChannels(),
    AudioFormat.BIG_ENDIAN,
    AudioFormat.SIGNED,
    16,
    Format.NOT_SPECIFIED,
    Format.byteArray
    return new Format[] {oaf};
    * return effect name
    public String getName() {
    return effectName;
    public void clearDelayBuffer(){
         for (int i = 0; i < delayBuffer.length; i++){
              delayBuffer[i] = 0;
         delayBufferPos = 0;
    * Do the processing
    * @param inputBuffer The incoming buffer.
    * @param outputBuffer The processed buffer.
    * @return A status code..
    public int process(Buffer inputBuffer, Buffer outputBuffer){
    // == prolog
    byte[] inData = (byte[])inputBuffer.getData();
    int inLength = inputBuffer.getLength();
    int inOffset = inputBuffer.getOffset();
    byte[] outData = validateByteArraySize(outputBuffer, inLength);
    int outOffset = outputBuffer.getOffset();
    int j = outOffset;
    int outLength = inLength;
    double decay = 0.5;
    int samplesNumber = inLength ; //44100 samples
    *// == main*
         short sample;
    for (int i= inOffset; i< inOffset + inLength;i+=2) {
         //update sample
         short oldSample = getSamples(inputBuffer, i);
         short newSample = (short)(oldSample + decay * delayBuffer[delayBufferPos]);
         setSample(inputBuffer, i, newSample);
         //update delay buffer
         delayBuffer[delayBufferPos] = newSample;
         outputBuffer.setData(delayBuffer);
         delayBufferPos++;
         if(delayBufferPos == delayBuffer.length){
              delayBufferPos = 0;
    // == epilog
    updateOutput(outputBuffer,outputFormat, outLength, outOffset);
    return BUFFER_PROCESSED_OK;
    protected byte[] validateByteArraySize(Buffer buffer,int newSize) {
    Object objectArray=buffer.getData();
    byte[] typedArray;
    if (objectArray instanceof byte[]) { // is correct type AND not null
    typedArray=(byte[])objectArray;
    if (typedArray.length >= newSize ) { // is sufficient capacity
    return typedArray;
    typedArray = new byte[newSize];
    buffer.setData(typedArray);
    return typedArray;
    protected void updateOutput(Buffer outputBuffer,
    Format format,int length, int offset) {
    outputBuffer.setFormat(format);
    outputBuffer.setLength(length);
    outputBuffer.setOffset(offset);
    public static short getSamples(Buffer inBuffer, int pos){
         byte[] buffer = (byte[]) inBuffer.getData();
         System.out.println("test");
         return (short) (((buffer[pos + 1]) << 8) | (buffer[pos]));
    public static void setSample(Buffer inBuffer, int pos, short sample){
         System.out.println("test2");
         byte[] buffer = (byte[]) inBuffer.getData();
         buffer[pos] = (byte) (sample & 0x00FF);
         buffer[pos + 1] = (byte)((sample>>8));

  • Recorded Audio Not playing back in Premiere Pro

    I use Dxtory to record; Sound from system as well as mutual programs such as skype all playback as intended. The audio from my microphone, though it plays back when reviewing it in a media program, is not present when I import it into Premiere. Still new to all of this. Any suggestions?

    Hi AkaDc,
    Though it was made for Premiere Pro CS6, this video tutorial should assist you:
    Hope it helps.
    Thanks,
    Kevin

  • Recorded audio is playing back out of time with midi drums, I'm using a new avalon 737 with it too.

    I am trying to record guitar over a midi drum track, its all great except the guitar plays back out of time with the drums, i have just introduced an avalon 737 compressor, it didnt used to have before.
    Before the Avalon it all worked perfectly, cant figure out how the avalon would make logic play out of time, I am recording through an Apogee Duet 2.

    Yeah, and it didn't work.
    I had problems when I updated to iOS 5 (lost all my apps - a few of my friends had the same problem) and when there was an update to iOS 4 (camera wouldn't work). The iOS 5 issue was sorted by backup (but I lost the app data) but for the iOS 4 issue I had to return my iPod to get a new one.

  • URGENT Strange problem with no audio files playing back in arrange

    Anyone ever have something in Logic Pro X (newest .1 update, auto updated on me but seems fine otherwise) where playback of audio just stops? Like, meters still move for automation, audio files still remain in place, but nothing is even metering? Another alternative of this project (which i dont' want to use) works, and this just sorta stopped playing back. nothing i can think that triggered it. I can start up a new instrument and it plays back and records just fine. All of my existing audio just won't play at all.
    I tried changing my interface and back in preferences, I've restarted both program and machine, but just this one alternative of this project (the current and most important of course) just won't play back audio. It even plays back in the wave editor window, just not in the sequence.

    Hi K-leb
    Welcome to the HP Forums!
    For you to have the best experience in the HP forum, I would like to direct your attention to the HP Forums Guide First Time Here? Learn How to Post and More.
    I grasp that the sound on your Envy notebook is unsatisfactory. You did restart once after updating to Windows 8.1 and it was OK until you had to restart again, and it reverted back.   Here is a link to a YouTube video on How to Fix audio on windows 8.1 after update.
    You could also run the  HP Support Assistant to help look for updates and resolving issues. Windows 8.1 also has a built in troubleshooter you can use.
    Press the Windows key +C to open charms
    Type troubleshoot sound in the search bar and press enter
    Follow the on screen prompts.
    If you would like further assistance would you please provide your exact model of Envy you have. How Do I Find My Model Number or Product Number?
    Sparkles1
    I work on behalf of HP
    Please click “Accept as Solution ” if you feel my post solved your issue, it will help others find the solution.
    Click the “Kudos, Thumbs Up" on the bottom right to say “Thanks” for helping!

  • Audio tracks play back wrong audio

    at some point in my mix sessions , in different sessions , one of my audio tracks starts playing back audio from both its channel and another channel simultaineously. there not always adjacent tracks , not assigned to the same voice and have seemingly nothing in common. if i change voices i can sometimes allieviate the problem or it will start playing a different track audio simultaineously. i have two records pending and need some immediate help please...

    D,
    Just to warn you (or throw some experience in). Logic 7 has for me, operated poorly with sessions created from older versions of Logic. It is often fine if you just want to duck in and grab something but the sessions do go weird if you just keep using them they go batty and can often get kind of self destructive.
    Updating/merging/replacing the environment is one of the first steps to take, just creating new updated objects helps, even using presets and channel strips from older versions seem to give problems. Copying objects and configurations over can give you different results, but basically the more you replace and create as new the less problems you'll have.
    So you know you have alot of reworking to do if you really want to do alot of work with these in the current version. Determine where a good transition point would be and try to follow with that. Often mixing or sooner than later but plan on taking some time reworking things. It's almost easiest to just grab everything and paste it over into a 7 built autoload-without the plugins. Audio Objects and plugin instances seem to give alot of problems. I usually end up redoing a bunch of stuff if I have a ways to go and export away. Things really get fixed along the way but it is a pain and better to do it sooner. Unless you're coming up on a mixing stage or something soon I'd just do it (and keep a backup of the older versions just in case I want to retrieve something.
    I am working on an album that was created on a 6 autoload and 12 of 13 tracks had to be reformatted in 7 from forward INcompatabilities-some of them twice because they did not get a 100% clean autoload (as in the instruments and/or audio objects were opied over). Maybe I'm just weird, don't take only my word on this because it is alot of work for many projects to just redo things like this but you should be aware of what some people have encountered and be prepared to take some of those steps if there are more people saying their experience has been like this.
    Best of Luck

  • Mpeg audio not playing back correctly

    I just upgraded to CS6 and am doing my first project in it.
    I have a Sony HVR-Z1U camera which i recorded HDV to and have captured this into PPro using HDV capture settings
    Here is the result of the capture
    File Path: V:\HC2012\Show\Untitled Clip 04.mpeg
    Type: MPEG Movie
    File Size: 9.5 GB
    Image Size: 1440 x 1080
    Frame Rate: 29.97
    Source Audio Format: 48000 Hz - compressed - Stereo
    Project Audio Format: 48000 Hz - 32 bit floating point - Stereo
    Total Duration: 00:51:54:21
    Pixel Aspect Ratio: 1.3333
    When i try and play back the clip in CS6, the video comes out ok but the audio sounds like a chirp.
    If i right clip the clip and say to edit in Audition, it sounds fine
    If i play the file back from Explorer in Windows Media play it looks and sounds fine
    If i import the same file into CS5.5 it plays both video and audio fine.
    What am i doing wrong here?

    Try clearing your media cache files and see if that fixes the issue. You can do so by going up top inside premiere and going  to "edit>prefrences>media then click where it says "clean" under media cache datebase. This might fix the problem.

  • Can't stop audio from playing back on my MacBook Pro

    First, Im new to Mac, Ive only been using it for a month, but loving it so far. =) I'm trying to record vocals in Logic Pro 9. My set up right now is MXL 990 plugged into a Phonic Firefly 302 USB interface and that is plugged into my MacPro. Now my problem isnt really with recording, I can record vocals fine. My probem is I want to hear my vocals with all the effects and plugins on when I record. But my mac wont stop playing back my dry vocals through my computer. I dont want to monitor vocals through my mac, only through logic. So i tried to go into Audio MIDI Setup and mute the playback but when I do that I cant record them in logic anymore. Its really annoying everytime I try to record hearing a version of my vocals with effects and hearing another version dry all at the same time, and they arent even in the exact same time, so you get a little slap back echo super annoying. My Audio MIDI Setup is set to "Built in Output - use this device for sound output. Phonic Firefly USB - Use this devise for sound input. I have tried setting that to the output also but it didnt do anything, still had the echo.

    Thank you for your replay
    It was working on my Mac before installing the new update of Mac software. then its corrupted
    from where I can ask for refund? as I bought from App Store ?
    regards

  • How do I get audio to play back while I'm capturing video?

    I'm looking to add an audio file to my project and have it play back while I'm capturing video from my MacBook's camera. That way I won't have to worry about lining up the audio and video, everything will be in sync because I recorded the video that way. In the video I will be playing guitar to the audio file, so the audio and video need to be lined up perfectly.
    Is this possible? Should I go about doing it another way?
    Thanks

    Hi there
    Look in the Timeline. Specifically the area where the names appear on the left side. Now look at the bottom. There you should see a small speaker icon. My guess is that you have clicked it to mute it. Jumps right out and literally SCREAMS it's muted, no?
    Please report that as an issue to Adobe. Ask for a clearer indication!
    Cheers... Rick
    Helpful and Handy Links
    Captivate Wish Form/Bug Reporting Form
    Adobe Certified Captivate Training
    SorcerStone Blog
    Captivate eBooks

  • Meeting place issue- no audio- intermittent issue

    Hi Friends,
    I have a weird issue in my meeting place setup,
    version=8.x, running in UCS, and it is Hardware Media Server(Audio Blades)
    The issue is meeting goes to silent mode(No audio) all of sudden and it will automatically recover in 2 or 3 minutes.
    During the silent time, nobody will be able to hear anything, complete silence.
    My setup is like this
    Internal:- IP phone--> CUCM--> Meeting place with HMS(Hardware Media Server)
    External: Office--> PSTN cloud--> voice gateway(PRI terminated) with DSP's--> CUCM--> Meeting place with HMS(Hardware Media Server)
    Please let me know anybody faced similar issue or any suggestions to go forward.
    Regards,
    Sanadh                 

    Hi Vinay,
    Accessing or playback of recordings requires a Web Scheduling server to manage and convert the recording from the Application server. This is not possible with just an applicaiton server alone.
    Thanks,
    Derek Johnson
    Conferencing TAC

  • Audio is playing back too fast

    In previewing, the audio plays fine for about 15 secs and
    then starts playing back very fast (aka chipmunk sounding). Sounds
    like sample rates got out of sync.
    Suggestions?

    Let's see if we can figure out the cause ... that might help
    us with the "cure".
    1) How are you listening to it - locally as in F4 preview?
    Single-slide preview? From a remote location (web)? Locally after
    publishing?
    2) How many slides are covered during that 15 seconds of
    "good" audio?
    3) Same slides every time, or does it play well for only 15
    seconds no matter which slide you start on?
    4) How was the audio put
    into the movie? Created by "narrative" during the recording
    process? Imported from a 3rd party audio recorder - if so, what
    format was it in when imported, WAV or MP3? Inserted manually
    during editing, on a slide-by-slide basis?
    5) What IS the sample rate and other "stats" for the audio
    file(s)? *You can check this from the dialog at "Audio >
    Advanced Audio" . . .
    6) Is it Alvin? Theodore? Which chipmunk? And in fact, did a
    chipmunk actually DO the audio??
    Thanks for your added info - and your sense of humor . . .
    Oh yes, and by the way, "Welcome" to the Captivate User
    Community!!

  • QuickTime movie made in QuickTime 7 audio not playing back in qt 10

    I made a qt using qt 7 pro, H.264 with the AAC audio compressor and that qt will not play back audio in QuickTime 10 which is what my client has on his computer.

    The point being here is that I rendered out a movie in QuickTime pro 7 and the audio isn't being resolved in QuickTime 10, even on my own computer.
    Does the audio play correctly in the QT 7 Player? Have you determined if this is a playback or a conversion problem? I asked about the source file since some source compression formats will not convert the audio using QT 7 Pro. In a similar manner, some AAC data rate and sampling rate combinations are not supported on the Mac which is why QT is programmed to disallow their use. (Unfortunately, I do not know what would happen if a source file using such audio settings were to be used as a source for a QT 7 Pro conversion.)
    How is this possible and should I just remove qt10 altogether?
    As already indicated, there are a number of "normal" problems that could give these results. In addition, QT changes made as part of the most recent Lion OS update seem to have had adverse effects on QT 7 Pro features (as evidenced by the loss of the "loop" playback feature and "green screen" problems on some platforms). As to the removal of QT 10, the embedded structures cannot be removed without corrupting the operating system. And, while the QT X player can be removed/deleted, why bother since you can just as easily opt not to use it for manual playback and restoring it, should you later change your mind, may present a problem.
    I am a professional editor, have been working on Macs since 1992 (Avid and FCP7) and have never had a compatibility problem like this before within the Mac environment.
    Have you made any recent changes to your normal work flow that might account for this problem and is the problem consistently repeatable?

  • DVD Recorder Play Back of JPEG Images enhanced using PSE 2.0

    I recently purchased a HDD DVD Recorder but am having difficulty playing back JPEG still photo images contained in CD-Rs produced on a PC (Operating system XP SP2). Images are all collectively revealed in thumbnail form in the Picture View but only those individual images that have NOT been PSE 2.0 enhanced (e.g. improved contrast, cloning etc.) can be expanded to full screen view. In the case of the others, the following message is displayed : Can not be played on this unit. All images play back successfully on DVD/ CD drives of original PC.
    The only solution I have found is to open & save to MS Paint (stripping out hidden data ??) before burning to CD. However, this is laborious and reduces resolution.
    Any other suggestions welcomed.

    Hi Malcom,
    You can export as new file from Organizer and then use those new images to burn to disc.
    -Anks

  • Meeting Place 7.0 Audio Blade

    Hi - We are installing Meeting Place 7.0.2.14 with an IPVC3515-MCU for Audio/Video blade running software version 5.7.0.0.21.
    We can route and web to the IPVC directly, and all status for the MCU/EMP are fine.
    When we try to add the MCU under resource management through the Meeting Place Media Server Administration it authenticates and synchs the configuration, however, the MCU status remains as offline under Resource Management.  I have tried restarting the IPVC and Meeting Place services as well as deleting and adding the MCU - but it still appears as offline.
    Any assistance would be greatly appreciated.
    thanks
    Brian

    @Radim Mutina.
    Yes, like I said before, must read carefully the guidance (docwiki.cisco.com)
    If You don't read carefully guidance, it's look similar   only 1 word different
    I face this problem almost 3 days and I almost gave up, want to open TAC
    But, finally I found a needle in a stack of hay
    Thank You, for rate Me up

  • .mpg audio not playing back...

    Hi Folks! Got a little challenge for ya'll...
    PPC 2.0 Dual Core with leopard. & QTpro 7.6.9
    Mac Book 2.16 intel dual core running Tiger & QTpro 7.6.4
    Both units have IDENTICAL FCP Studio 2 6.06. The compressor set ups/exports are exactly the same.
    The only variable.... intel on tiger, and PPC on leopard.. MPG plays fine on intel with tiger, but not on PPC with leopard...
    I used to be able to hear my mpg files on the ppc prior to leopard... and I did not upgrade my QT when intalling Leopard. Is this a variable anyone else has found? IS there an issue with Leopard or is this only a QT issue... I can't find a QT 7.6.9 upgrade to match these QT items to test this in stages... i also lost the use of Photoshop 7 with Leopard. This leads me to question if Leopard could be causing this audio issue as well. Just an assumption... As my Photoshop 7 works fine on Intel with Tiger as well... Clear as mud now?
    When I export mpg clips in Compressor they do not show or play audio on the PPC with Leopard. I transfer them to the Intel with Tiger and they play fine... They also play back fine on my stations Ultra Nexxus playback system... Craziness abounds here... Has anyone regained their mpg and photoshop 7 with Lion? Just asking....
    Any suggestions I'm not seeing? Thanks tons in advance...
    Joe Stanfill
    MJR VIdeo Productions

    What sort of MPEG files -1,2,3 or 4? Audio or video files?
    Photoshop 7 is old. Photoshop 8 (CS1) works fine on Leopard.
    Photoshop 7 is entirely PPC code and will not run on Lion under any circumstances.
    There's no such thing as QuckTime 7.6.9 -at least not publicly.
    7.6.6 is the latest version and Tiger doesn't qualify for it.

Maybe you are looking for

  • Max connections to a share folder

    Hi, I'm helping a developer that has encountered issues in one of his applications. He has a process that creates a lot of threads to a single shared folder in a Windows 2008 Standard R2 Server. When the application is being heavily used, he gets the

  • Hooking up to Dell Flat Panel Monitor

    Greetings. I am looking into purchasing a MacBook Pro, but as I am new to Mac, I was hoping I could get some help in terms of hooking it up to a second monitor for video editing. The Apple display is out of my price range, but I have access to some g

  • Error occured while Saving The Project

    I have a project that is giving me a 'unknown error occurred while saving the project. Select 'Save As' from the file menu and save the project to a new location'. It would seem that maybe it's saying that it's out of room but I'm saving on a harddis

  • How to restore app data?

    Can anybody tell me, whether / how I can restore the data / configuration of an iPhone app (on the 3GS)? More specifically, I've got a shopping app (ShopShop) on my iPhone. I have carefully created a long shopping list. Accidentally, it is now derang

  • Moving a rectangle - [CS2 VB Script]

    Hi I'm writing a scatter proof programme and I have no problem importing the graphics into separate graphic frames. The problem happens when I attempt to move each frame into position. I'm using this code:         For myCounter = 1 To UBound(myFileLi