Audigy 2 ZS Output Sound bleeding into input(m

Hi,
I'm having trouble with the Audigy 2 ZS in Windows x64 with
SBA2_WEB64_LB_2_03_0004.exe &
AudCon_PCApp_LB__20_23.exe
installed.
The problem is when sound is being send to the Audigy output port (head phones) it's also being sent to my mic (input port). I can physically disconnect the mic from the Audigy 2 ZS card and I still get a duplicate output into the input port. Even if I mute the mic in the sound control panel.
Example, If I play a MP3 in winamp and start recording using Windows sound recorder, it will record the output prefectly without anything connected to the back of the card.
The real issue is the feedback people are getting when trying to talk to me using Vent or Teamspeak. Anything they say, it echos right back to them.
CMSS on or off doesn't make a difference.
If anyone has any ideas, I'd like to hear them? I'm thinking it might be a bad card but didn't want to send it back until I tried everything.
-Wojek

The problem was with the Sound recording device being "select"ed on the Wave instead of the Microphone. Even though the Microphone was working, it was still also sending the output or the Wave along with it.
-Wojek

Similar Messages

  • How to input sound file into MS Access Database, not random folder?

    Hi, I am trying to input a sound file into an MS Access 2000 database, I know it can be copied and pasted into there, but how can u input into the database with a user record, i also need the code to extract it as well as inputting it....at the moment it records the sound and stores it as test.wav on the local drive....
    here is my code for my applet do far....
    compile this file first....
    import java.applet.*;
    import java.awt.*;
    import java.awt.event.*;
    import java.awt.event.ActionEvent;
    import java.awt.event.ActionListener;
    import javax.swing.*;
    import java.io.IOException;
    import java.io.File;
    import java.net.URL;
    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;
    public class VoicePasswordRecorder extends Thread {
         private TargetDataLine m_line;
         private AudioFileFormat.Type m_targetType;
         private AudioInputStream m_audioInputStream;
         private File m_outputFile;
         public VoicePasswordRecorder(TargetDataLine line,
                             AudioFileFormat.Type targetType,
                             File file)
              m_line = line;
              m_audioInputStream = new AudioInputStream(line);
              m_targetType = targetType;
              m_outputFile = file;
         /** Starts the recording.
             (i) The line is started,
              (ii) The thread is started,
         public void start()
              /* Starting the TargetDataLine. It tells the line that
                 data needs to be read from it. If this method isn't
                 called then it won't be able to read data from the line.
              m_line.start();
              /* Starting the thread. This call results in the
                 method 'run()'being called. There, the
                 data is actually read from the line.
              super.start();
         /** Stops the recording.
             Note that stopping the thread is not necessary. Once
             no more data can be read from the TargetDataLine, no more data
             can be read from the AudioInputStream. The method 'AudioSystem.write()'
             (called in 'run()' returns. Returning from 'AudioSystem.write()'
             is followed by returning from 'run()', and then the thread
             stops automatically.
         public void stopRecording()
              m_line.stop();
              m_line.close();
         /** Main working method.
             'AudioSystem.write()' is called.
              Internally, it works like this: AudioSystem.write()
             contains a loop that is trying to read from the passed
             AudioInputStream. Since there is a special AudioInputStream
             that gets 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 until no
             more data can be read from the AudioInputStream. In this case,
             it happens if no more data can be read from the TargetDataLine.
             This happens if the TargetDataLine is stopped. 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();
              /* 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. The PCM 44.1 kHz, 16 bit signed,
                 stereo was used.
              AudioFormat     audioFormat = new AudioFormat(
                   AudioFormat.Encoding.PCM_SIGNED,
                   44100.0F, 16, 2, 4, 44100.0F, false);
              /* Here, the TargetDataLine is being received. The
                 TargetDataLine is used later to read audio data from it.
                 If requesting the line was successful, it will open it.
              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);
              AudioFileFormat.Type     targetType = AudioFileFormat.Type.WAVE;
              /* The creation of the VoicePasswordRecorder object.
                 It contains the logic of starting and stopping the
                 recording, reading audio data from the TargetDataLine
                 and writing the data to a file.
              VoicePasswordRecorder     recorder = new VoicePasswordRecorder(
                   targetDataLine,
                   targetType,
                   outputFile);
              /* It is waiting for the user to press ENTER to
                 start the recording.
              out("Press ENTER to start the recording.\n");
              try
                   System.in.read();
              catch (IOException e)
                   e.printStackTrace();
              /* Here, the recording is actually started.
              recorder.start();
              out("Recording...\n");
              /* It is waiting for the user to press ENTER,
                 this time to signal that the recording should be stopped.
              out("Press ENTER to stop the recording.\n");
              try
                   System.in.read();
              catch (IOException e)
                   e.printStackTrace();
              /* Here, the recording is actually stopped.
              recorder.stopRecording();
              out("Recording stopped.\n");
         private static void printUsageAndExit()
              out("VoicePasswordRecorder: usage:");
              out("\tjava VoicePasswordRecorder -h");
              out("\tjava VoicePasswordRecorder <audiofile>");
              System.exit(0);
         private static void out(String strMessage)
              System.out.println(strMessage);
    import java.awt.*;
    import java.awt.event.ActionEvent;
    import java.awt.event.ActionListener;
    import java.io.*;
    import javax.sound.sampled.*;
    import javax.swing.*;
    public class AppletTest extends JApplet
        implements ActionListener
        public AppletTest()
            comp = null;
            startrecording = null;
            stoprecording = null;
            recorder = null;
        public void init()
            Panel panel = new Panel(new FlowLayout(1));
            comp = new JTextArea(50, 50);
            comp.setPreferredSize(new Dimension(50, 50));
            comp.setEditable(false);
            JButton startrecording = new JButton("Start");
            JButton stoprecording = new JButton("Stop");
            comp.append("Please record your Voice Password...\n");
            GridBagLayout gridbag = new GridBagLayout();
            GridBagConstraints c = new GridBagConstraints();
            getContentPane().setLayout(gridbag);
            c.weightx = 1.0D;
            c.weighty = 1.0D;
            gridbag.setConstraints(comp, c);
            gridbag.setConstraints(panel, c);
            getContentPane().add(comp, c);
            getContentPane().add(panel, c);
            c.weightx = 0.0D;
            c.weighty = 0.0D;
            startrecording.setEnabled(true);
            stoprecording.setEnabled(true);
            startrecording.addActionListener(this);
            gridbag.setConstraints(startrecording, c);
            getContentPane().add(startrecording, c);
            stoprecording.addActionListener(this);
            gridbag.setConstraints(stoprecording, c);
            getContentPane().add(stoprecording, c);
            int width = 300;
            int height = 200;
            setSize(width, height);
            setVisible(true);
            boolean looping = false;
        public void actionPerformed(ActionEvent ae)
            if(ae.getActionCommand().equals("Start"))
                createRecorder();
                recorder.start();
                System.out.println("Start Button Clicked");
            } else
            if(ae.getActionCommand().equals("Stop"))
                recorder.stopRecording();
                System.out.println("Stop Button Clicked");
        private void createRecorder()
            String strFilename = "C:\test.wav";
            File outputFile = new File(strFilename);
            AudioFormat audioFormat = new AudioFormat(javax.sound.sampled.AudioFormat.Encoding.PCM_SIGNED, 44100F, 16, 2, 4, 44100F, false);
            javax.sound.sampled.DataLine.Info info = new javax.sound.sampled.DataLine.Info(javax.sound.sampled.TargetDataLine.class, audioFormat);
            TargetDataLine targetDataLine = null;
            try
                targetDataLine = (TargetDataLine)AudioSystem.getLine(info);
                targetDataLine.open(audioFormat);
            catch(LineUnavailableException e)
                comp.append("unable to get a recording line\n");
                e.printStackTrace();
                System.exit(1);
            javax.sound.sampled.AudioFileFormat.Type targetType = javax.sound.sampled.AudioFileFormat.Type.WAVE;
            recorder = new SimpleAudioRecorder(targetDataLine, targetType, outputFile);
            comp.append("Press ENTER to start the recording.\n");
            try
                System.in.read();
            catch(IOException e)
                e.printStackTrace();
            comp.append("Recording...\n");
            comp.append("Press ENTER to stop the recording.\n");
            try
                System.in.read();
            catch(IOException e)
                e.printStackTrace();
            comp.append("Recording stopped.\n");
        private JTextArea comp;
        private JButton startrecording;
        private JButton stoprecording;
        private SimpleAudioRecorder recorder;
    }I intend to use this for verifying the username, password and a voice password over the web....as shown in the following code...
    <html>
    <head>
    <meta http-equiv="Content-Type" content="text/html; charset=windows-1252">
    <meta http-equiv="Content-Language" content="en-us">
    <title>Home Page</title>
    <meta name="GENERATOR" content="Microsoft FrontPage 5.0">
    <meta name="ProgId" content="FrontPage.Editor.Document">
    <meta name="Microsoft Theme" content="artsy 011, default">
    <meta name="Microsoft Border" content="tl, default">
    </head>
    <body background="arttilea.jpg" bgcolor="#000000" text="#FFFFCC" link="#FF9900" vlink="#999900" alink="#669933">
    <!--mstheme--><font face="Arial, Helvetica">
          <p align="left"><font size="4" color="#FFFFFF">Please enter login
          details below:</font></p>
    <form>
    <!--mstheme--></font><table border=0 cellpadding=3 cellspacing=3>
    <tr>
        <td align=right width="74"><!--mstheme--><font face="Arial, Helvetica">
          <p align="left"><font face="Arial, Helvetica, sans-serif"><b><i>Username</i></b></font></p>
        <!--mstheme--></font></td>
        <td width="335"><!--mstheme--><font face="Arial, Helvetica">
          <p align="left"><input type=text
          name=username size="20"></p>
        <!--mstheme--></font></td>
    </tr>
    <tr>
        <td align=right width="74"><!--mstheme--><font face="Arial, Helvetica">
          <p align="left"><font face="Arial, Helvetica, sans-serif"><b><i>Password</i></b></font></p>
        <!--mstheme--></font></td>
        <td width="335"><!--mstheme--><font face="Arial, Helvetica">
          <p align="left">
            <input
            type=password name=password size="20"></p>
          <!--mstheme--></font></td>
      </tr>
      <tr>
        <td align=center width="74"><!--mstheme--><font face="Arial, Helvetica">
          <p align="left"><font face="Arial, Helvetica, sans-serif"><b><i>Voice
          Password Check</i></b></font></p>
        <!--mstheme--></font></td>
        <td width="335"><!--mstheme--><font face="Arial, Helvetica">
           <p align="left">
    <APPLET CODE="AppletTest.class" ALIGN="MIDDLE" WIDTH=272 HEIGHT=38 NAME="AppletTest.class"></APPLET> </p>
        <!--mstheme--></font></td>
      </tr>
    <tr>
        <td colspan=2 align=center><!--mstheme--><font face="Arial, Helvetica">
        <p align="left"><font face="Arial Narrow"><input type=submit value="Enter Website" name="Submit"></font></p>
        <!--mstheme--></font></td>
    </tr>
    </table><!--mstheme--><font face="Arial, Helvetica">
    </form>
          <p align="left">This page was last updated on <!--webbot bot="Timestamp" s-type="EDITED" s-format="%d/%m/%y" startspan -->25/03/04<!--webbot bot="Timestamp" endspan i-checksum="12776" -->.</p>
    <!--mstheme--></font></body>
    </html>I will be very grateful if somebody could help me out....as this is my first time at java programming ....also my first time for using this forum!
    Thanks,
    Regards,
    Mayur Patel

    Hi
    I Learned how to read a file text and Parse as StringTokenizer. But still i don't know how to read the Individual tokens into to database.
    But now i face a new Problem, i am not able to sort it out.
    i am posting my code
    import java.io.FileReader;
    import java.io.FileWriter;
    import java.io.BufferedReader;
    import java.io.PrintWriter;
    import java.io.IOException;
    import java.io.*;
    import java.util.*;
    public class CSVExample {
        public static void main(String[] args) throws IOException {
            BufferedReader inputStream = null;
            PrintWriter outputStream = null;
            try {
                inputStream = new BufferedReader(new FileReader("file.csv"));
              String text;
                 while((text=inputStream.readLine())!= null)
                    StringTokenizer st = new StringTokenizer(text);
                         if(st.hasMoreTokens())
                        System.out.println(st.nextToken());
            } finally {
                if (inputStream != null) {
                    inputStream.close();
    }Here the Problem is The file.csv has got two fields ID, NAME The content of this file is as follows
    T12,MR.RAJ KUMAR
    T13,MR.EARNEST DIES
    T14,MR.MATHEW HYDEN
    Now when i StringTokenize this File The Output printed as follows
    T12,MR.RAJ
    T13,MR.EARNEST
    T14,MR.MATHEW
    That means when it finds the Space it is not printing the Remaining Text.
    Please Help me in this and then Tell me how to INSER The Tokens into the Database Table
    Thank you for your service
    Cheers
    Jofin

  • Help with timing, input from Daq, output sound

    Hi
    I am a student member of OSA, working on a laser listener project to be used in examples for high schools students. It is a pretty old and simple experiment but something I think students would be into. {any suggestions for other experiments anyone might have I would love to hear} 
    I read a voltage from a Daq off a reciever circuit, that signal is noisey so I filter it for the human voice range, 60Hz - 2000Hz. Then that filtered signal goes to the play waveform express VI. It works but the snag is I keep getting a "beeping" in the output sound, I believe this is from the loop cycling.  I have thought of something like a master/slave loops, storing the data in an array then waiting a sec or two and playing the sound from this data so I dont have to wait on the Daq to acquire new data. Any help or suggestions are greatly apprciated.
    This is a rough version sorry about the mess. I think it should also be noted that if the "Time Duration" is larger that 0.02 then that makes the number of samples larger than what the Daq can handle.
    Thank you very much in advance for all of the help and your time.
    Jason
    Attachments:
    OSA example.vi ‏42 KB

    Hi Jason,
    I took a look at what is happening in the play waveform express VI and the issue may be related to starting/stopping the sound card every time the loop iterates, similar to what I suggested with the DAQmx VIs in my previous post. To look into the code behind an express VI, you should copy the express VI to another section of your code or to another VI completely, because once you show the block diagram for it, you will not be able to use the express VI configuration dialog anymore for that instance of the VI. Once you copy the play waveform express VI, right click on the copy and select "Open Front Panel." Then, navigate to the block diagram and keep opening the subVIs until you find the "Simple Write" VI (see below for a screenshot of this VI). Here, you will see that there is a "Sound Output configure" VI as well as a "Sound Output Clear" VI. Since these are within the while loop of your top level VI, the "beeping" in your output may be caused by the constant configuring and stopping of the sound card with these VIs. What I suggest is that you use the code in the express VI as an example to code your own sound output vi that is configured once outside the while loop and stopped once after the while loop. Hope this helps!

  • What happened to my input/output sound after upgrading to mountain lion?

    what happened to my input/output sound after upgrading to mountain lion?

    Maybe these will help:
    Sound – No Sound After Upgrade
    Sound Levels - Troubleshoot

  • Dtt3500 and Audigy Gamer, digital output only 2 channel unless its D

    Ok I recieved a response concerning my last comment but unfortunatly it did not answer my question at all. I have a DTT3500 and a sound blaster Audigy Gamer hooked up with the digital out to the /8 din adapter. I try the advanced 3d demo that came with the Audigy software and I only hear the front 2 channels, no center and no rears. The demo where you move the little icons and sound moves along with it. I have 5. activated in my windows control center along with audioHQ and digital out only is selected. my DTT3500 has 4./5. digital selected along with dolby digital/pcm audio and digital in. I am not getting the effect of multisurround at all. My center works and my rears work because playing music I can use all 5 speakers. When I use the analogue outputs I hear multisurround from the advanced 3d demo but my center doesnt work. The analogue setup sounds better but without a center channel its useless to me. Am I doing something wrong? I am using the adapter and digital DIN, what gives? The only reason I noticed I wasnt getting surround was while playing games nothing comes from behind you even on 5. games. The goldmine demo doesnt even work right, when the bird flys behind you it disappears but there is still sound from the rears. Analogue fixes this without a center but the manual and setup say to use the digital din. Do I just have a setting wrong? I would like to experiance the full capacity of multispeakers in my games.

    Dennis,
    With these speakers the connection that I would suggest would be to use the Digital out on the back of the sound card into the DIN Input on the DTT3500's. This will require a converter cable for /8'' Minidin to standard DIN which can be purchased from here:
    http://us.creative.com/products/prod...0&product=0375
    You will also need a standard DIN cable (one should have shipped with your DTT3500's).
    This should give you 5. with digital output only enabled on the Audigy.
    Jeremy

  • Installing Audigy 2 ZS Platinum Pro Card into Dell Inspiron

    Hey,
    I have tried to install my old Audigy 2 ZS Platinum Pro Card into my new Dell Inspiron 530, from my old PC. Although, the power cables have different pins (the PC has a smaller input). Also, where the SPDIF cable etc. goes into the DVD dri've, there are no available slots. What can I do? Sorry if there isn't enough information, I'm really confused.
    Do?newer recording soundcards, such as the elite pro etc. have different cables for newer PC's?

    Are you referring to the floppy power connector? If so, you do not need to plug that in unless you are using external peripherals. Also what do you mean by no available slots? Is the SPDIF connector from the DVD dri've plugged into the motherboard? If so then you can unplug it from there and plug it into the sound card instead since you will be using the sound card to output sound now rather than the onboard sound. Perhaps you could show us some pictures of what you are talking about.

  • No output sound from output port/analog audio: Need help

    hello, I want to connect my analog audio equipment to my iMac. I have done this in the past with my old G3. I have connected the RCA cables to a 3.5 mm jack and put it into the audio input port, which was what worked on the G3. When I open the sound page for input & output, on Output I can see the volume bar thing moving in relation to the sounds from mic, turntable, etc: all the analog audio things. However, there is no actual output of sound through the iMac;s speakers or a headphone. The output page is pretty simple so I am real sure I have all the rigt things checked, unchecked etc. Any ideas? Thanks.

    I had what sounds like a similar problem to jazzzrat. i had my macbook setup to a stereo and it worked for over a year. suddenly no sound came out of the stereo. in my case, it definitely was a software setup thing.
    plug in your stereo jack into the audio out port. then go to system preferences-->sound-->output. on there you should see, under "device for sound output": Name=Headphones, port=built-in output. (if you see name=built in speakers, you plugged in the wrong plug). Now go down to the bottom of the window and UNcheck the "mute" box, and make sure the volume slider is midway or more.
    For some reason, mac allows you to mute the "headphones" and "built in speakers" selectively. we have no idea how that box got checked, that remains a complete mystery. but when we eventually found -- and unchecked -- the box, our stereo output came back just fine.
    i hope this works for you. good luck and have a good new year.

  • Output sound distortion when USB Mic Connected

    Hi everyone,
    Really appreciate anyone’s help on this sound distortion problem.
    I have been using the new 2014 iMac 27' for last 8 Months, bought Brand New, and recently updated to Yosemite. Everything worked fine including recording, until this update.
    I'm using Blue Yeti USB Mic for recording, and few days after the update I was trying to record in GarageBand and the output sound (via headphone connected to USB MIc) started to distort and then suddenly dropped the bitrate/ sound and I could only hear some clicks. I reinstalled the GargeBand, still its the same distortion happens. The sound gets back to normal, only for few seconds, after I unplug the USB cable from the Mic device. And I tried changing the bit rate and again sounds starts to drop after few sec. This happens only when I connect the Blue Yeti USB Mic and sound output from the Mic itself. Same thing happens with iTunes as well. Output sound from Internal mic and speakers are working fine as normal.
    I tried connecting the USB Mic to my Windows laptop and its working fine with the Cubase 5 without any problem. So the problem is with the output sound, when external Mic connected.
    I don’t know the solution for this. Have checked on every single blog/ thread, sill couldn’t find the answer I’m looking for, to fix this.
    It would be great if you have any kind of a solution for the same.
    Info : FYI
    Mac
    OS X Yosemite: Version 10.10.2
    iMac (27-inch, Late 2013)
    Processor : 3.2 GHz Intel Core i5
    Hard-drive : 1 TB SATA Disk
    Ram: 8 GB 1600 MHz DDR3
    Graphics: NVIDIA GeForce GT 755M 1024 MB
    Built-in Output:
      Default System Output Device:       Yes
      Manufacturer:                                  Apple Inc.
      Output Channels:                             2
      Current SampleRate:                      48000
      Transport:                                        Built-in
    Yeti Stereo Microphone:
      Default Input Device:                      Yes
      Default Output Device:                    Yes
      Input Channels:                               2
      Manufacturer:                                 Blue Microphones
      Output Channels:                            2
      Current SampleRate:                      48000
      Transport:                                      

    Nope. The larger buffer didn't work. What did work was running a cord out of the 1/4-inch jack from the direct box to a 1/4-to-1/8-inch adapter and then into the mic/line-in jack on my computer. I set GarageBand to use the built-in line-in and had no static problems. It's a stopgap until this gets fixed.
    A post by LinuxMercedes on Oct. 3 at http://discussions.apple.com/message.jspa?messageID=8158914 may provide a solution.

  • Media applications fail to output sound. [SOLVED]

    The issue here seems to be that for some reason or another applications such as VLC, Nightingale, clementine and amarok fail to output sound while system sounds, flash media, and notification sounds from applications such as Skype and Thunderbird continue to work. With each of the music players respectfully there seems to be an error output that amounts to not being able to connect to the sound device. As nightingale is what I currently have installed, the error output is such when I attempt to play any sort of media.
    Configured audiosink audiosink-bin is not working.
    I am using E17 after formerly having used KDE however I had similar problems with the initial install that were fixed after setting the default device in alsamixer.
    The output of aplay -l is as follows
    **** List of PLAYBACK Hardware Devices ****
    card 0: Generic [HD-Audio Generic], device 3: HDMI 0 [HDMI 0]
      Subdevices: 1/1
      Subdevice #0: subdevice #0
    card 1: Generic_1 [HD-Audio Generic], device 0: ALC269VB Analog [ALC269VB Analog]
      Subdevices: 1/1
      Subdevice #0: subdevice #0
    lsmod | grep '^snd' | column -t
    snd_seq_dummy          1463    0
    snd_seq_oss            28970   0
    snd_seq_midi_event     5660    1   snd_seq_oss
    snd_seq                49946   5   snd_seq_midi_event,snd_seq_oss,snd_seq_dummy
    snd_seq_device         5180    3   snd_seq,snd_seq_oss,snd_seq_dummy
    snd_hda_codec_realtek  30893   1
    snd_hda_codec_hdmi     29298   1
    snd_hda_intel          35816   0
    snd_hda_codec          145920  3   snd_hda_codec_realtek,snd_hda_codec_hdmi,snd_hda_intel
    snd_hwdep              6364    1   snd_hda_codec
    snd_pcm                76860   3   snd_hda_codec_hdmi,snd_hda_codec,snd_hda_intel
    snd_page_alloc         7330    2   snd_pcm,snd_hda_intel
    snd_timer              18687   2   snd_pcm,snd_seq
    snd                    58893   10  snd_hda_codec_realtek,snd_hwdep,snd_timer,snd_hda_codec_hdmi,snd_pcm,snd_seq,snd_hda_codec,snd_hda_intel,snd_seq_oss,snd_seq_device
    Every thing seems to be loaded correctly and speakertest -c 2 seems to be working. The problem I had last time was with flash blocking sound output from other programs, but this problem subsided after having correctly set my default with alsamixer. I began to have the problem of flash blocking other applications from outputting sound when a browser was open a couple of days ago, but this has somehow progressed to any media application failing to output sound at anytime regardless if a browser has been opened or not. I uninstalled flashplugin and now rely on the plugin packaged within chrome but the problem persists. Any suggestions? I have read the wiki on alsa and on the flash plugin and have searched around but have found nothing that addresses my problem or that I have not already implemented or tried.
    EDIT: It seems that I have gotten vlc to start working again. The issue here seems to be that /etc/alsa.conf had been marked by pacman as /etc/alsa.conf.pacorig and renaming it and setting vlc to output directly to the default device instead of having set to default has gotten sound working for it again. It seems the only problem that remains and I have gotten this error is other applications and it is probably the problem behind XBMC not playing audio but the audiosink-bin is not working error is most likely the source of the additional problems. I will look into it and see if I get any reply in the meantime.
    EDIT: Due to something beyond my intelligence it seems that nightingale now plays sound and can even do so with chrome and a youtube video open. I am guessing the problem lied in the gstreamer plugins and when I removed all of my orphaned dependencies that may have been what had done it, something may have been in conflict or maybe just from the couple of reboots I have had since then. I did reinstall the plugins but there was a package that was removed called smpeg and another called sdlmixer those may have had something to do with it. So the moral of this story is to remove orphans on a regular basis, which I have been doing but just got around to today. If anyone has any input, which I doubt at this point. I will mark this as solved
    Last edited by agahnim (2013-07-04 00:45:35)

    I fixed it (for now, at least!)
    I ran the below command:
    $ cat /proc/asound/cards
    0 [U0x46d0x804 ]: USB-Audio - USB Device 0x46d:0x804
    USB Device 0x46d:0x804 at usb-0000:00:1a.0-1.2, high speed
    1 [MID ]: HDA-Intel - HDA Intel MID
    HDA Intel MID at 0xf9ff8000 irq 47
    2 [NVidia ]: HDA-Intel - HDA NVidia
    HDA NVidia at 0xfbd7c000 irq 17
    Basically, my USB webcam, which also acts as a microphone, was being treated as my default sound card. I changed this by creating a file in /etc/modprobe.d with the following:
    options snd-hda-intel index=0
    Which set my real sound card as default:
    $ cat /proc/asound/cards
    0 [MID ]: HDA-Intel - HDA Intel MID
    HDA Intel MID at 0xf9ff8000 irq 47
    1 [NVidia ]: HDA-Intel - HDA NVidia
    HDA NVidia at 0xfbd7c000 irq 17
    2 [U0x46d0x804 ]: USB-Audio - USB Device 0x46d:0x804
    USB Device 0x46d:0x804 at usb-0000:00:1a.0-1.2, high speed
    The problem isn't ENTIRELY fixed. Skype's still being a bit buggy, but at least Chromium is now playing sound, including in Flash media. Strangely enough, after playing a Flash video (e.g. on YouTube), Skype's sound seems to fix itself if it's defunct.
    Last edited by Archimaredes (2013-03-14 20:23:49)

  • Labview Synthesiser: Problem outputting sound via MacBook soundcard

    Hi all!
    First time posting here, hopefully i'm in the right section of the forum. Anyway, i'm a part time student and currently studying a module on Labview in university. As a mini project i decided to build a synth using Labview. I've it mostly built but i'm having a bit of trouble outputting sound to the soundcard. I'm also having a bit of trouble getting the waveforms to play for a longer time period.
    I was sort of copying the setup of one of the example VIs (generating sound vi i think) and another vi i found online but i can't seem to get mine to work using my synth design. I've two problems, one is that the waveform only plays for a very short time but the main problem is that i'm getting an error (error 4803) saying the soundcard cannot accomodate the specified configuration but as far as i can see my setup is more or less the same as the generating sound vi (which works on my fine macbook). Obviously i'm missing something so i decided to come on here and ask for help.
    I'm guessing the datatype connected to my sound output configure vi could be causing a problem since it has a red dot on the input terminal. Any suggestions on how i should fix this? 
    I've my vi attached. Any help would be appreciated!
    Cheers! 
    Edit: I've already fixed the error 4803 problem. Had to change the input to the sound output configure sub vi. Now i just have to figure out how to get the sound to play for longer. Any ideas anyone?
    Solved!
    Go to Solution.
    Attachments:
    LabVIEWSynth.vi ‏94 KB

    OK. You have several problems.
    The cluster order in your Format cluster is Rate, Bits, Channels while the order in the "sound format" cluster on Sound Output Configure.vi is sample rate (S/s), number of channels, bits per sample. LabVIEW connects clusters according to the cluster order. How to avoid this: Pop up on the sound format conpane terminal on the Sound Output Configure.vi icon on the block diagram and choose Create Control. That will put a control with the same names and cluster order on the front panel. You can edit the names if you wish as long as you do not change the cluster order. The alternate is to Unbundle the data from your cluster control and then bundle it to the input cluster. I show this in the modification of your VI attached.
    The VI does not respond to the Stop button until the event structure executes, which only happens when a key is pressed. Fix: Add an event case for the Stop Value Changed event. I show this in the modification of your VI attached.
    The VI does not recognize changes in Octave, Amplitude, Osc Select, or Filter Frequency until the second keypress after changing any of these controls. Why? Dataflow. Those controls are probably read within microseconds after an iteration of the for loop starts. They are not read again until the next iteration regardless of when or how many times they are changed. The loop will not iterate until the Event structure completes, which only happens when a key is pressed. The Fix: Event cases for Value Changes on those controls. Note that this does not work because now there is no defined frequency. So, you also need some shift registers. Because of the problems mentioned, I did not put this into the modified VI.
    Next, the event structure freezes the front panel until the code inside has completed. This becomes quite apparent when you set the duration to 2 seconds and press several keys quickly. The fix to this and the problem in the paragraph above is a parallel loop archtitecture, such as the Producer/Consumer Design Pattern.
    Not a problem but a different way of doing something: Use Scale by Power of 2 from the Numeric palette in place of the case structure connected to Octave.  I show this in the modification of your VI attached.
    Now to your question about tone duration: The duration of a signal generated by the Sine Waveform.vi and the others is determined by the sampling frequency and the number of samples. You are a student so you can do the math. You need to adjust the number of samples because the sampling frequency is fixed.
    The modified VI works fine on my iMac.
    Lynn
    Attachments:
    LabVIEWSynth.2.vi ‏89 KB

  • Change Output Sound Device

    Is there anyway to change the output sound device in iTunes without going through System Preference?
    I have an iMac with built-in Speakers, and a 5.1 Griffin Firewave over Firewire. I want my music to come through my external speakers but I don't need my system sounds to come through those, right now I can only change it through System preference and haven't found a way to divide them up.
    This is do-able in the Apple DVD Player... any thoughts for this function in iTunes? Is there some place I can put this in a suggestion box if it's not already a function?

    It is a great pity you are using Leopard. Up until Tiger there was a great little free app called Detour that let you assign separate audio channels for different apps. You could Google "Detour" and see if there is another utility that will work for Leopard?
    There is also an app Soundflowerbed that lets you route the output from one program and port it into another. Unfortunately, those programs must have 'audio channel recognition' (not a technical term - I just mean that they must be able to take an input and deliver an output, e.g. like GarageBand). iTunes doesn't.

  • Does anyone know of a mini sterio with surround sound and optical input in Mac Mini form factor?

    Does anyone know of a mini sterio with surround sound and optical input in Mac Mini form factor?
    I use a Mini as the family media center and would like to have 5.1 or 7.1 sound for films but don't want a huge piece of eletronic equipment (I have one of those, but it isn't hooked up because it doesn't fit on the bookshelf). Years ago I used a PC and still use the Creative Audigy speaker system (Jimmy rigged to the Mini) that I ran from the PC. The Audigy PCI sound card obviously doesn't work on the Mini, so I just have two chanel plus sub. That has been fine since I switched to the Mini in 2007, but am updating to a new Mini in the summer and would like to upgrade my sound as well.
    I also wouldn't be opposed to a USB soundcard that can drive the speakers. In fact, my wife would prefer smaller and less visible, ergo USB card hidden in the back.
    Suggestions?

    Hello John, I figured it was a signal issue. All the speakers fire and the sound is great. I was running the speakers thru a Dell PC with a Creative X-Fi Elite Pro, THX Certified, 7.1 soundcard using a fiber optic from the Mac Pro to the Z906's, it worked great until the Dell died!!! When I bought the soundcard from Creative I also bought the GigaWorks S750, THX Certified, 700 watt, 7.1 speaker system, used the speakers for 11 years and then the woofer/amp said "I QUIT" Creative quit making the speaker system and the sound card. The satellite speakers from the Creative GigaWorks speaker system still sound great (rated at 78 watt each) and are a little better speaker than the one's that came with the Z906 and the wattage from the 906 is sufficient to drive the satellites without any distortion. Thank you for addressing my issue, you confirmed what I suspected all along, just needed to hear it from someone with the same setup.
    One last question, I purchased a Diamond Multimedia USB Soundcard, can't use the fiber optic(not supported by Mac) but the green, tan and black RCA's plug in and produces adequetly. When you plug your 906's into the Mac Pro using the fiber optic how do you set your speaker configuration? When I plug into the mac pro with fiber optic the 'Audio Midi Setup' does not seem to see the 5.1 configuration. Any thoughts there?
    Carl

  • Garage Band,  I am using an MBOX with a digi design audio core as a mic interface to recod into Garage Band.  Now when I Change the preferences to use the MBOX I can not move the recorder slider and there is no sound going into garage band?  Any solutions

    Garage Band,  I am using an MBOX with a digi design audio core as a mic interface to recod into Garage Band.  Now when I Change the preferences to use the MBOX I can not move the recorder slider and there is no sound going into garage band?  Any solutions

    10.5.8 with latest garageband 5.1 with MBOX 1. On Nov 4.09 I did a software update, now i get no output volume or input volume to the computer itself. I get it from head phones from my mbox, but not to the computer. Before the software update It worked great. I've tried upgrading software through digidesign .com, but they dont seem to have one for what i need. any way to get my old garage band back? go from 5.1 to earlier? Or maybe it was the upgrade to 10.5.8. update? Can i go back in time lol?
    Any help would be appreciated
    BTW
    Ive tried all the system sound prefs, and garage band drivers. Back and forth.
    cheers
    ds

  • Audigy 2 ZS outputs buzz instead of mu

    My Audigy 2 ZS was working fine, but today suddenly it went awry. I was running foobar2000 (music player) and StarCraft, when suddenly all my StarCraft sound turned into a steady buzz. My foobar music still played properly though. I exited StarCraft and ran AIM and IM'd myself, but I got a buzz instead of the AIM noise. All these buzzes were coming out the speakers, and there was no buzz when no sound was being outputted, so I assumed it was a sound card problem.
    I've since removed the Audigy 2 ZS from my system and have no problem with the sound using integrated sound. The latest drivers for the Audigy 2 ZS were installed in my system as well.
    Does anyone know what went wrong with my sound card today?

    The same problem keeps occuring over time, but removing the card and then re-inserting it into the PCI slot solves it.. temporarily.
    Does anyone know why this would happen?

  • Audigy 2 ZS - popping sound in mce

    Hi,
    I recently installed windows 7 (32 bit). I set up the speakers in windows media center to use the coax digital output (and 5. speakers) and when I click the button to test the speakers I just hear a clicking/popping sound.
    If I set the speakers up for the single RCA analog plug and 5., the test button makes a sound ok but only for 2 channels.
    I've installed the most recent driver I could find for audigy 2 zs, which is v 2.8.
    Can anyone suggest how to get the speakers working in mce?
    Thanks,
    Phil

    &Re: Audigy 2 ZS - popping sound in mceO No, you're not belittling me at all. There are so many settings applictions that I don't know where to start or even how to find them all. Good tip re the windows/creative control applets.
    Setting all the # speakers and bit rates the same in the windows and creative apps didn't seem to help so I tried disabling the spdif output device and now I get all channels in mce. Yay. Thanks for your help.
    Seems like the speakers device works but the spdif device does not. My sound card has a 2.5mm digital output port which I connect to the coax digial input on my denon amp with a mono 2.5mm to single rca cable. Is the spdif device supposed to work with this kind of connection?
    Also, am I likely to lose anything by using the speaker device instead of the spdif device?
    Thanks,
    Phil

Maybe you are looking for