Connecting optical out to soud system

Hello, I am from Germany. I am trying to connect my MacBook Pro via a standard optical cable (I guess its called tosslink) to my Sony Sound system. All other devices I have had before (DVB-S receiver, DVD player) fit perfectly with this cable, but not the MacBook Pro. Do I need a special adapter to make it fit?

I think you do need an adapter. The optical port in my MacBook Pro is a mini-Toslink, whereas "standard" optical cables have Toslink connectors. I just bought an optical cable and returned home to discover it didn't fit (doh!) and so some feeble research has revealed that I need either a mini-Toslink to Toslink optical cable ( to go from my Mac to my TV system) or a mini-Toslink to Toslink adapter (so I can use a standard Toslink optical cable).

Similar Messages

  • Will this cable work for connecting the Mac Mini's optical out to my audio system?

    Mac Mini's optical out to my audio system's Toslink optical in using this cable?
    http://www.bhphotovideo.com/c/product/297015-REG/Hosa_Technology_OPQ_210_Toslink _Male_to_Mini_Toslink.html
    Or must I use an adapter/Toslink cable combination?
    http://www.bhphotovideo.com/c/product/516240-REG/Hosa_Technology_GOP_490_TOSlink _Optical_Female_to.html + Toslink cable
    If both works, which one is better in your opinion?

    The cable in the 1st link should work fine. (Toslink to Mini-Toslink)

  • Connecting 5.1 desktop speakers directly to optical out on iMAC - how?

    I have Logitech X-540 speakers
    http://www.logitech.com/index.cfm/speakersaudio/home_pcspeakers/devices/234&cl=us,en
    I can only find external sound cards that hook through USB. Is there a way to connect the 3 colored cables (orange, green, black) from the Logitech speakers to some conversion cable or cable converter to connect to optical out on the back of the iMAC? I have read the forums and can't find much aside from connecting your iMAC to a home theater setup. Thanks!

    discbrown wrote:
    Is it even possible to do optical out to 3 - 1/8" (3.5mm) stereo minijacks
    on my 5.1 computer speakers?
    Nope. The iMac's optical out is an AC-3 encoded digital feed, but your
    speakers require six decoded analog signals. You need a 5.1 decoder --
    something like FireWave, or a DolbyDigital receiver, or a speaker system
    with a built-in decoder.
    Looby

  • Chat System: ConnectException: Connection timed out: connect

    Hi There,
    I am developing a chat system as part of a University project.
    To explain what I have implemented:
    I have three java classes;
    1. Chat Server class which is constantly listening for incoming socket connection on a particular socket:
    while (true)
    Socket client = server.accept ();
    System.out.println ("Accepted from " + client.getInetAddress ());
    ChatHandler c = new ChatHandler (client);
    c.start ();
    2. Chat Handler class uses a thread for each client to handle multiple clients:
    public ChatHandler (Socket s) throws IOException
    this.s = s;
    i = new DataInputStream (new BufferedInputStream (s.getInputStream ()));
    o = new DataOutputStream (new BufferedOutputStream (s.getOutputStream ()));
    public void run ()
    try
    handlers.addElement (this);
    while (true)
    String msg = i.readUTF ();
    broadcast (msg);
    catch (IOException ex)
    ex.printStackTrace ();
    finally
    handlers.removeElement (this);
    try
    s.close ();
    catch (IOException ex)
    ex.printStackTrace();
    protected static void broadcast (String message)
    synchronized (handlers)
    Enumeration e = handlers.elements ();
    while (e.hasMoreElements ())
    ChatHandler c = (ChatHandler) e.nextElement ();
    try
    synchronized (c.o)
    c.o.writeUTF (message);
    c.o.flush ();
    catch (IOException ex)
    c.stop ();
    3. Chat Client class which has a simple GUI and sends messages to the server to be broadcasted to all other clients on the same socket port:
    public ChatClient (String title, InputStream i, OutputStream o)
    super (title);
    this.i = new DataInputStream (new BufferedInputStream (i));
    this.o = new DataOutputStream (new BufferedOutputStream (o));
    setLayout (new BorderLayout ());
    add ("Center", output = new TextArea ());
    output.setEditable (false);
    add ("South", input = new TextField ());
    pack ();
    show ();
    input.requestFocus ();
    listener = new Thread (this);
    listener.start ();
    public void run ()
    try
    while (true)
    String line = i.readUTF ();
    output.appendText (line + "\n");
    catch (IOException ex)
    ex.printStackTrace ();
    finally
    listener = null;
    input.hide ();
    validate ();
    try
    o.close ();
    catch (IOException ex)
    ex.printStackTrace ();
    public boolean handleEvent (Event e)
    if ((e.target == input) && (e.id == Event.ACTION_EVENT)) {
    try {
    o.writeUTF ((String) e.arg);
    o.flush ();
    } catch (IOException ex) {
    ex.printStackTrace();
    listener.stop ();
    input.setText ("");
    return true;
    } else if ((e.target == this) && (e.id == Event.WINDOW_DESTROY)) {
    if (listener != null)
    listener.stop ();
    hide ();
    return true;
    return super.handleEvent (e);
    public static void main (String args[]) throws IOException
    Socket s = new Socket ("192.168.2.3",4449);
    new ChatClient ("Chat test", s.getInputStream (), s.getOutputStream ());
    On testing this simple app on my local host I have launched several instances of ChatClient and they interact perfectly between each other.
    Although when i test this app by launching ChatClient on another machine (using a wi-fi network connection at home), on the other machine that tries to connect to the hosting server (my machine) i get a "connection timed out" on the chatClient machine.
    I have added the port and ip addresses in concern to the exceptions to by-pass the firewall but i am still getting the timeout.
    Any suggestions?
    Thanks!

    Format your code with [ code ] tag pair.
    If you are a young university student I don't understand why current your code uses so many of
    too-too-too old APIs including deprecated ones.
    For example, DataInput/OutputStream should never be used for text I/Os because they aren't
    always reliable.
    Use Writers and Readers in modern Java programming
    Here's a simple and standard chat program example:
    (A few of obsolete APIs from your code remain here, but they are no problem.
    Tested both on localhost and a LAN.)
    /* ChatServer.java */
    import java.io.*;
    import java.util.*;
    import java.net.*;
    public class ChatServer{
      ServerSocket server;
      public ChatServer(){
        try{
          server = new ServerSocket(4449);
          while (true){
            Socket client = server.accept();
            System.out.println("Accepted from " + client.getInetAddress());
            ChatHandler c = new ChatHandler(client);
            c.start ();
        catch (IOException e){
          e.printStackTrace();
      public static void main(String[] args){
        new ChatServer();
    class ChatHandler extends Thread{
      static Vector<ChatHandler> handlers = new Vector<ChatHandler>();
      Socket s;
      BufferedReader i;
      PrintWriter o;
      public ChatHandler(Socket s) throws IOException{
        this.s = s;
        i = new BufferedReader(new InputStreamReader(s.getInputStream()));
        o = new PrintWriter
         (new BufferedWriter(new OutputStreamWriter(s.getOutputStream())));
      public void run(){
        try{
          handlers.addElement(this);
          while (true){
            String msg = i.readLine();
            broadcast(msg);
        catch (IOException ex){
          ex.printStackTrace();
        finally{
          handlers.removeElement(this);
          try{
            s.close();
          catch (IOException e){
            e.printStackTrace();
      protected static void broadcast(String message){
        synchronized (handlers){
          Enumeration e = handlers.elements();
          while (e.hasMoreElements()){
            ChatHandler c = (ChatHandler)(e.nextElement());
            synchronized (c.o){
              c.o.println(message);
              c.o.flush();
    /* ChatClient.java */
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.*;
    import java.net.*;
    import java.io.*;
    public class ChatClient extends JFrame implements Runnable{
      Socket socket;
      JTextArea output;
      JTextField input;
      BufferedReader i;
      PrintWriter o;
      Thread listener;
      JButton endButton;
      public ChatClient (String title, Socket s){
        super(title);
        setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        socket = s;
        try{
          i = new BufferedReader(new InputStreamReader(s.getInputStream()));
          o = new PrintWriter
           (new BufferedWriter(new OutputStreamWriter(s.getOutputStream())));
        catch (IOException ie){
          ie.printStackTrace();
        Container con = getContentPane();
        con.add (output = new JTextArea(), BorderLayout.CENTER);
        output.setEditable(false);
        con.add(input = new JTextField(), BorderLayout.SOUTH);
        con.add(endButton = new JButton("END"), BorderLayout.NORTH);
        input.addActionListener(new ActionListener(){
          public void actionPerformed(ActionEvent ae){
            o.println(input.getText());
            o.flush();
            input.setText("");
        endButton.addActionListener(new ActionListener(){
          public void actionPerformed(ActionEvent ev){
            try{
              socket.close();
            catch (IOException ie){
              ie.printStackTrace();
            System.exit(0);
        setBounds(50, 50, 500, 500);
        setVisible(true);
        input.requestFocusInWindow();
        listener = new Thread(this);
        listener.start();
      public void run(){
        try{
          while (true){
            String line = i.readLine();
            output.append(line + "\n");
        catch (IOException ex){
          ex.printStackTrace();
        finally{
          o.close();
      public static void main (String args[]) throws IOException{
        Socket sock = null;
        String addr = "127.0.0.1";
        if (args.length > 0){
          addr = args[0];
        sock = new Socket(addr, 4449);
        new ChatClient("Chat Client", sock);
    }

  • I am having Macbook Pro, I have recently tried updating my operating system to OS Yosemite, but after that its giving problem in connecting to Wifi. The error is "Connection Time out Occurred". Its getting connected by Ethernet cable.

    I am having Macbook Pro, I have recently tried updating my operating system to OS Yosemite, but after that its giving problem in connecting to Wifi. The error is "Connection Time out Occurred". Its getting connected by Ethernet cable.

    Take each of the following steps that you haven't already tried, until the problem is resolved. Some of these steps are only possible if you have control over the wireless router.
    Step 1
    Turn Wi-Fi off and back on.
    Step 2
    Restart the router and the computer. Many problems are solved that way.
    Step 3
    Change the name of the wireless network, if applicable, to eliminate any characters other than letters and digits. You do that on your router via its web page, if it's not an Apple device, or via AirPort Utility, if it is an Apple device.
    Step 4
    Run the Network Diagnostics assistant.
    Step 5
    In OS X 10.8.4 or later, run Wireless Diagnostics and fix the issues listed in the Summary, if any.
    Step 6
    Back up all data before proceeding.
    Launch the Keychain Access application in any of the following ways:
    ☞ Enter the first few letters of its name into a Spotlight search. Select it in the results (it should be at the top.)
    ☞ In the Finder, select Go ▹ Utilities from the menu bar, or press the key combination shift-command-U. The application is in the folder that opens.
    ☞ Open LaunchPad. Click Utilities, then Keychain Access in the icon grid.
    Enter the name of your wireless network in the search box. You should have one or more "AirPort network password" items with that name. Make a note of the name and password, then delete all the items. Quit Keychain Access. Turn Wi-Fi off and then back on. Reconnect to the network.
    Step 7
    You may need to change other settings on the router. See the guidelines linked below:
    Recommended settings for Wi-Fi routers and access points
    Potential sources of interference
    Step 8
    Make a note of all your settings for Wi-Fi in the Network preference pane, then delete the connection from the connection list and recreate it with the same settings. You do this by clicking the plus-sign icon below the connection list, and selecting Wi-Fi as the interface in the sheet that opens. Select Join other network from the Network Name menu, then select your network. Enter the password when prompted and save it in the keychain.
    Step 9
    Reset the System Management Controller (SMC).

  • Creative inspire t6300 5.1 surround on mac pro 1.1, optical out to 5.1 audio gear (digital sound decoder).

    Hi there,
    Been searching and trying a lot but no luck so far. I have a surroundset Creative Inspire t6300
    to be able to add some more fun to movies and a few games on my mac.
    I own an upgraded Mac Pro 1.1 under Snow leopard, 2.33 gHz, dual processor, 8 core, 8 gb memory.
    Even though it`s a piece for the museum, it works very well for designwork I do for work. No real need
    to update for me, so....
    As I understand, the optical out is standard 5.1. (By the way, the only other ports are the basic sound ports out
    and in on the Mac). So after some research I found and got the 5.1 audio gear decoder. I connected this with
    an opticle cable and used the 3,5 jackets from the surroundset  to connect to (from left to right) cen/sw, (yellow
    jacket) fl/fr (green jacket), sl/sr (black jacket) on the decoder. All perfectly understandable and it seemed to work well.
    But when I tested with some of the testfile you find when googling on that, I think there is something wrong,
    the typical surround effect is not there, it rather sounds more like stereo or even 5 mono`s.
    I`ve tried Soundflower and JackPilot, but couldn`t get it right. With Soundflower I was able to choose 5.1 setting
    (was not possible before) but testing it didn`t work.
    There is an extensive test of the decoder on the net by someone who really is deep into the technics of it all but
    no luck there either.
    Back to basics: is it right that the optical out is truely 5.1 on the mac? With several tests the unit SFE does not react.
    But when I play some music with iTunes, it works (loud and clearly :-)).  Maybe I need a visit to the audiologist ;-) ?
    Anyone?
    tested with: http://www.youtube.com/watch?v=eL9-sIZRDHg&channel=alexnosenko
    http://www.youtube.com/watch?v=sMh_zvCw6us
    https://www2.iis.fraunhofer.de/AAC/multichannel.html

    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

  • No optical-out sound on MSI KT4-Ultra!!

    Hi, I have recently set up a system based on the MSI KT4-Ultra board. I'm using an Athlon XP 1700+, a Radeon 9000 video card, and I've installed Windows 98.
    Although all the drivers and audio applications which MSI provided installed fine, and 2-channel audio from the on-board sound chip works great both for music and for the 3-4 games I've installed so far, I can't seem to get the optical SPDIF port to work! I bought a cable and connected the computer to my Sony MD-player and attempted to copy my CDs onto MD. I go into the MSI control panel and check the box to enable SPDIF-out, removing the speaker cable from the analog line-out just for good measure. When I plug the optical cable into my MD it recognises digital input and prepares for recording. I press record on the MD and play on the computer's CD-player app, but the MD LED shows "no signal". I'm pretty sure both the MD recorder and cable are OK since I've used them to copy CDs from a Kenwood portable CD-player quite recently, so it must be the MB that's giving me problems. Indeed, when I've stopped playback in the CD-player app and went back into the audio control panel, I found that the SPDIF box had been unchecked of its own accord. I've tried this several times, and I've unplugged the S-bracket and reinstalled it all over again just to make sure it was plugged in properly, and I still get the same problem. All audio works fine except optical out! Haven't got a coaxial cable or recorder so I can't check if the coaxial port is equally buggered or if it's just the optical, but I'm getting really annoyed here: this was the one feature I liked best about this board and the only one which isn't working! Any ideas, anyone?

    dude, i think i can get u ur signal, but currently i can only get silent recordings, u may have better luck.
    on the minidisc, there should be a switch or button that will toggle synchronised recording on and off, turning it off should get u a signal, but it wont be in sync wiv the cd, ie u cant trust it to form track gaps.
    hope that helps, done flame me if it dont, if i manage to get substance to my recording, i will send u the info just in case.
    take it easy

  • Optical out sends constant noise to speakers

    Hi,
    Is it normal that when I connect the optical out to the surround sound system the speakers produce a constant hissing noise. If I connect any other device with optical out to the surround system instead of the AppleTV, the speakers don't produce this annoying feedback noise. Is this a problem with my specific AppleTV or is this a design malfunction in all AppleTV devices.
    The noise always has a constant volume.
    I have tried connecting it to a different surround sound system, and the AppleTV
    still produces the same noise. It's likely that most people won't be bothered by
    this, but I have sensitive ears and I did expect high quality output from this
    rather expensive device (given the limitations apple has enforced upon it, even though the hardware is capable of so much more).
    Thnx.
    (To bad I couldn't get online support from Apple for the AppleTV, seems
    they only have e-mail service for iTunes store????)
    Message was edited by: timothyparez

    This is a public update of Lion available since last night.
    No a developer thing.
    Click in your "Apple" menu (top left) and then "Software Update"
    The usual procedure.
    I have left my machine on all night long and the sound is still good and the "SoundStay" app is still runnig fine.

  • Audio Probelms with some DVDS/BLU-RAY discs when using optical out to Audigy 2

    I have my PS3 connected to my Audigy 2 ZS soundcard via optical?cable to play 5. sound on my PC sound system (Klipsch Promedia Ultra 5.). I have finally successfully played discrete 5. sound with some DVDs. I have changed my optical out setting to bitstream in the DVD/BD menu (XMB) and selected optical with everything checked in (XMB). So far, The Matrix, The Matrix Reloaded and Minority Report have worked in proper 5. (not stereo matrixing). Both Dolby Digital and DTS tracks (I know it works because it sounds twice as good as Dolby?Digital) ?work in Minority Report. The problem is... Jurassic Park (DTS) and my Blu-ray MIssion Impossible 3 have no audio (probably more too). The STRANGE part is if I fastfoward both films by .5x (so that audio plays in FF) I can hear audio. When FF by .5x the display signal on the top of the screen changes from DTS or DOLBY DIGITAL: Multi Channel to DTS or DOLBY DIGITAL: 5..
    What is with that?Also I still do not get audio in any games, Resistance (Blu-ray)?or any game demo but I do get the audio from the game display screen (XMB). Please if anyone has?any?useful advise or information it would be greatly appreciated.
    ?Thank you!

    I have my PS3 connected to my Audigy 2 ZS soundcard via optical?cable to play 5. sound on my PC sound system (Klipsch Promedia Ultra 5.). I have finally successfully played discrete 5. sound with some DVDs. I have changed my optical out setting to bitstream in the DVD/BD menu (XMB) and selected optical with everything checked in (XMB). So far, The Matrix, The Matrix Reloaded and Minority Report have worked in proper 5. (not stereo matrixing). Both Dolby Digital and DTS tracks (I know it works because it sounds twice as good as Dolby?Digital) ?work in Minority Report. The problem is... Jurassic Park (DTS) and my Blu-ray MIssion Impossible 3 have no audio (probably more too). The STRANGE part is if I fastfoward both films by .5x (so that audio plays in FF) I can hear audio. When FF by .5x the display signal on the top of the screen changes from DTS or DOLBY DIGITAL: Multi Channel to DTS or DOLBY DIGITAL: 5..
    What is with that?Also I still do not get audio in any games, Resistance (Blu-ray)?or any game demo but I do get the audio from the game display screen (XMB). Please if anyone has?any?useful advise or information it would be greatly appreciated.
    ?Thank you!

  • Added SPDIF Optical out to MSI A75-G35 and I get no sound

    Hello, I connected a TOSLINK cable to my Onkyo receiver in lieu of 2 channel analogue.  I know I'm configured correctly on the receiver's end.  I set up my realtek HD audio manager to send music via WMP to the receiver using the PC's optical output.  The receiver is not recognizing any PCM signals from my PC.  I even popped Skyfall in the PC optical drive.  It plays the video just fine but the receiver doesn't even pick up the Dolby Digital signal from the movie.  I get no sound from the optical output, period.
    When I configure audio manager for an analogue signal output through my headphones, all is good.  I change the settings to employ the optical output, and nothing happens.
    I just want to play music on my home audio system via my PC mobo's add-in optical output.  1st, I had the latest HD audio drivers from the MSI website, which didn't work.  Right now, I'm using audio driver version 6.0.1.7083, dated 11/5/2013
    Also, I tested the optical cable on my cable receiver box to the onkyo receiver.  No problemo.
    Any other info about my system hardware or software that you need, just let me know.
    Thanks for reading
    MSI A75-G35 mobo/ BIOS VERSON 1.7, dated 11/07/2012
    Win7 x32 bit
    Audio controller hd Audio by realtek
    Audio codec is ALC887

    LOL  No, I modified a toslink header bracket provided for an old DFI mobo.  It's a simple 3 wire config(ground, optical out, +5V).  Trust me when I say I got it right when I rewired the  pinout.  I have a red light passing through the end of the cable.  The SPDIF header is a $15 option from MSI and shipping cost is $16 and change. 

  • Xdock Optical out to MD in?

    Hi there,
    have just become the proud owner of an Xdock transmitter & receiver pair. Unfortunately, my pride is draining away fast!
    I bought this to connect to a Sony micro system that only has an MD (optical) in.
    Having connected it up, I'm getting no sound. I have checked using the headphone socket that sound is indeed being produced.
    Have been reading the manual that came with it, and am now fearing that it only outputs DTS encoded data.
    I've no idea what the MD stream would be - plain stereo? - but any help appreciated.
    Thanks,
    Heeb

    Thanks for the quick reply, but no, that's not the system (model num HCD-SE - it's a few yrs old, but otherwise a nice bit of kit).
    My system has both MD in and MD Out - presume for recording from CD (I've naturally tried both!). Only other connection is CD optical out.
    There is most definitely not any aux-in (wouldn't have purchased this almost lovely piece of kit otherwise)!.
    I still fear it's some kind of encoded bitstream (DTS) coming out the dock, which the micro system just doesn't understand. If that's the case, I guess I'm wondering if there's anything I can do to the xdock to alter this?
    Thanks,
    Heeb
    UPDATE - managed to track down the Sony system manual - says that the MD in is to connect an optional analog component.
    Message Edited by Heeber on 02-04-2009 04:36 PMMessage Edited by Heeber on 02-04-2009 04:36 [email protected]

  • Optical out audio not working

    As per page 27 in the G5 manual, I connected the optical audio out port to my stereo receiver optical input port. No sound from itunes, though it is coming from the computer. I have switched the sound output to "optical digital-out port" in the System Preferences without change (and why would it still be playing from the computer speakers if "built-in audio" is no longer selected?)
    Anything else I should be doing to get music to come out of my speakers? AirTunes is not an option.
    Thanks.

    Duh! Helps to plug the cable into an INPUT port on the stereo rather than the output port. Just in case anyone makes the same mistake....Much better than futzing with AirTunes and the unreliability factor. Just plug an optical cable into the digital aoudio out on the Mac and run it into a vacant optical input port on the stereo and music then comes out both computer and stereo speakers (this is despite the digital optical out choice in the Sounds panel in System Preferences--not sure why it would come out both, but I like it). Works great!

  • Optical out...but wait, m

    Im sorry if this has been asked before. I did look, but failed to see anything relevant.
    Now, I have the Creative X-Fi Extreme gamer. I have it all working just fine under Vista. Awesome sound.
    Now, the problem here-in lies. I want to add a 5. system into the loop. Just a cheapish one for gaming. For the most part I will have my headphones on, but when the missus goes to bed, I want to have the option of putting it out to speakers.
    I was looking at:
    http://uk.europe.creative.com/shop/product.asp?category=3&subcategory=9&product=357&p age=
    Which fit the price range nicely. BUT MY MICROPHONE is a MUST. I see on this card that the Optical out doubles as the mic port. I have looked to see if there is a way I can juggle my jacks like you could with Realtek on board.
    I cant seem to find such an option. So if I plugin a 5. through the optical, what happens to my mic?
    I play in a clan using Ventrilo (VoIP program), so I really do need access to my mic.
    Im kind of surprised that a card aimed at gamers would seemingly have a poor mic set up, especially as games these days have VoIP built in.
    Maybe I am way off base, am hoping there is a solution.
    Thanks.Message Edited by Eclectik on 08-27-200707:38 AM
    Message Edited by Eclectik on 08-27-200707:39 AM

    Hi Eclectik
    Creative Inspire T600 connect to the X-Fi via Line Out Jack ,2 and 3. Don?t have SPDIF connection so don?t need use Optical Out (flexijack port), can use mic.
    http://lh5.google.es/rmorinr/RqWuq57cvXI/AAAAAAAAAc0/5iCouGt83uk/s288/xfigamer.jpg">Message Edited by Rad-Wulf on 08-27-200705:34 PM

  • Optical out shuts off after some time without being used

    Hi,
    I bought a Mac Mini to run XBMC on my TV. I connect the video out via HDMI to DVI and optical out to my sound system. It works great when I first start using it but when I return (usually a day later), I don-t get any sound. Restarting the application doesnt fix the issue and neither does logging out of my profile. A software reboot fixes the issue.
    Has anyone encountered this issue? Any suggestions on possible fixes?
    Thanks, -d

    Hallo Tobias
    You must understand that nobody here will be able to offer exact diagnostic and say what is wrong there. We can just speculate what it can be.
    Such power problems are not easy to repair and mostly it has something to do with motherboard and power supply electronic or something else.
    If you think BIOS battery is empty connect your notebook to the AC power supply and leave it ON about 48 hours. RTC battery should be full charged.
    To be honest I don't believe problem is RTC battery. There must be something else. Anyway try to load RTC battery to see if there is some change to earlier situation.

  • Optical Out 5.1 not working

    Optical Out 5. not working?Hi everyone.
    I have a Sound Blaster X-Fi Xtreme Audio PCI Express card on a windows XP SP3 PC.
    I connected the optical OUT to a Sony 5. Home Theather system, DTS and Dolby Digital capable.
    When I configure the creative console to output 5. channels, and use the tone or channel tests, I can only hear the front left and front right channels, the others make no sound. My receiver says it's receiving a 2.0 signal, but If I listen to stereo music files or movies, the sound comes out wrong, with low volume and a weird metallic sound. If I set the console to 2., this problem disapears.
    Using powerDVD with a 5. DVD, and setting it's options to SPDIF passthrough, the sound it's a perfect 5..
    The same happens with Mediaplayer classic using the AC3Filters, and configuring the filter for SPDIF passthrough.
    The problem is that the Creative Console doesn't let me choose SPDIF passthrough, I don't have the Digital I/O icon that the help describes and I don't have the mode switcher (it's fixed on Entertainment mode).
    What am I doing wrong?
    thanks everyone and excuse my broken English.

    Re: Optical Out 5. not working
    Sorry, I mistook your card for another model. There is no option to select SPDIF passthrough. The Digital Out for this card is always on.
    Please note that optical cable will only carry pcm stereo or compressed bit stream AC3, dts. That's the reason you are getting stereo when stereo music files. How many channels you get when playing movies depends on how the movie is encoded too.
    I am not sure what is that weird metallic sound, it would be advisable to contact Customer Support to see if they can help you on this.
    Sorry, I mistook your card for another model. You are right, there is no option to select SPDIF passthrough. There is no need to, because the Digital Out for this card is always on. Based on your posting, your Home Theater System is already doing the decoding. Please note that optical cable will only carry pcm stereo or compressed bit stream AC3, DTS.
    That's the reason you are getting stereo when playing music files. Whether you are getting surround or stereo channels when playing movies depends on how the movie is encoded too. I am not sure about that weird metallic sound, it would be advisable to contact Customer Support to see if they can help you on this.

Maybe you are looking for

  • How to share an itunes library on a pc and a mac

    I am trying to share an iTunes library that is stored on a PC with a MacBook Air that is on my home network.  I cannot seem to get the shared library to display on the MacBook.  I have HomeSharing turned on with my Apple ID.

  • Can I install a 30gb+ drive in a 1G?

    Posted this question here a while ago, gonna try again: Hi, I've got a 20gb 3G, I'm at the point where I need to upgrade to a bigger mp3 player, and I'm really interested in a 1G (rather than a newer iPod model) for a number of reasons. However, obvi

  • Mapping Pbs with !CDATA[ ..... ]]

    Hi all, I must recept and send messages matches following patterns : <Message> <Header> </Header> <Data> <!CDATA[ <XML Message  "Content" here> ]]> </Data> </Message> Do someone know the both following : 1) how to get the XML message included in CDAT

  • New iMac, can't get Lexmark printer to print pdf files. Is it the driver?

    just purchased my first iMac. trying to get pdf files to print-- not working. Other docs will print. Is it the printer driver? The printer is a Lexmark

  • Albums in Aperture vs Albums in iPhoto

    Hi, I am a bit confusing about the usage of Albums in iPhoto and Aperture 3. My understanding, iPhoto: adding a picture to albums is just to create links, there is always one physical copy of image, modifying the picture from an album will update all