Quick audio question......

For my whole house audio, I've got to use stereo outputs, but I also want to use the fiber optic cable at the same time for 5.1 aTV downloads.
My question is, will aTV allow me to use both audio outputs at the same time?

Drum Phil
I'm not using the stereo (phono) outputs, but I do use both HDMI (to my TV) and optical (to my receiver) at the same time and they both work fine with no apparent override.
Bob

Similar Messages

  • Can't edit multiple tracks - plus 2 easy audio questions

    I have a sequence with 1 video track and 6 stereo audio tracks. I set an in and an out point. The area on the clips in the timeline between the two edit points highlights, I hit delete. Normally, the tracks between the points should disappear as the two segments come together and form one great edit.
    But all the tracks do not highlight and edit. The video track and stereo audio tracks 3+4 and 5+6 highlight and LIFT off. But audio tracks 1+2 do not highlight or edit. And the whole sequence doesn't close together where the edit should be.
    Only way I have been able to overcome this is to use the razor blade tool, cut each track individually. Highlight them all, and then hit delete.
    This didn't use to be the way. FCP used to edit through one track, 3 tracks or all tracks, no problem.
    Two audio questions. How do you stop the waveforms from drawing onto the clips in the timeline, in order to speed up FCP?
    How do you get the audio in captured clips to be a Stereo Pair, from the outset?
    Thanks to all you who help!

    Is it usual for FCP to bog down on a 4 minute piece when audio wave forms are turned on??
    <
    No. Should run fine. You get up into 6-12 audio tracks, FCP gets all moody and pouty.
    But it depends on your system's capabilities and how well you have chosen your sequence settings.
    Audio waveforms n FCP are a cruel joke compared to many other NLEs. Often easier to leave them off in the timeline, use the waveform in the Viewer and set markers for hooks in the audio tracks.
    bogiesan

  • Hi all .hope all is well ..A quick trim question

    Hi all
    Hope all is well ......
    I have a quick trim question I want to remove part of a string and I am finding it difficult to achieve what I need
    I set the this.setTitle(); with this
    String TitleName = "Epod Order For:    " + dlg.ShortFileName() +"    " + "Read Only";
        dlg.ShortFileName();
        this.setTitle(TitleName);
        setFieldsEditable(false);
    [/code]
    Now I what to use a jbutton to remove the read only part of the string. This is what I have so far
    [code]
      void EditjButton_actionPerformed(ActionEvent e) {
        String trim = this.getTitle();
          int stn;
          if ((stn = trim.lastIndexOf(' ')) != -2)
            trim = trim.substring(stn);
        this.setTitle(trim);
    [/code]
    Please can some one show me or tell me what I need to do. I am at a lose                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            

    there's several solutions:
    // 1 :
    //you do it twice because there's a space between "read" and "only"
    int stn;
    if ((stn = trim.lastIndexOf(' ')) != -1){
        trim = trim.substring(0,stn);
    if ((stn = trim.lastIndexOf(' ')) != -1){
          trim = trim.substring(0,stn);
    //2 :
    //if the string to remove is always "Read Only":
    if ((stn = trim.toUpperCase().lastIndexOf("READ ONLY")) != -1){
       trim = trim.substring(0,stn);
    //3: use StringTokenizer:
    StringTokenizer st=new StringTokenizer(trim," ");
        String result="";
        int count=st.countTokens();
        for(int i=0;i<count-2;i++){
          result+=st.nextToken()+" ";
        trim=result.trim();//remove the last spaceyou may find other solutions too...
    perhaps solution 2 is better, because you can put it in a separate method and remove the string you want to...
    somthing like:
    public String removeEnd(String str, String toRemove){
      int n;
      String result=str;
      if ((n = str.toUpperCase().lastIndexOf(toRemove.toUpperCase())) != -1){
       result= str.substring(0,stn);
      return result;
    }i haven't tried this method , but it may work...

  • The microphone isn't even on my keyboard on my IPhone 5 with IOS 8, and the quick audio reply isn't there either. Any help?

    The microphone isn't even showing on my IPhone the quick audio reply isn't showing either, any help?

    At least you have a 5.
    My 4S has turned into a Frankenstein, since the 8. I WAS warned, however.
    The so-called online help getting-back to 7 is ambiguous. I'm screwed (until next Feb.)

  • Quick script question

    Hi all,
    Could anyone advise me if i can add anything within - header('Location: http://www.mysite.co.uk/thankyou.html'); in the script below so as the page
    re- directs back to the main index page after a few seconds ?
    Thankyou for any help.
    <?php
    $to = '[email protected]';
    $subject = 'Feedback form results';
    // prepare the message body
    $message = '' . $_POST['Name'] . "\n";
    $message .= '' . $_POST['E-mail'] . "\n";
    $message .= '' . $_POST['Phone'] . "\n";
    $message .= '' . $_POST['Message'];
    // send the email
    mail($to, $subject, $message, null, '');
    header('Location: http://www.mysite.co.uk/thankyou.html');
    ?>

    andy7719 wrote:
    Mr powers gave me that script so im rather confused at this point in time
    I don't think I "gave" you that script. I might have corrected a problem with it, but I certainly didn't write the original script.
    What you're using is far from perfect, but to suggest it would lay you open to MySQL injection attacks is ludicrous. For you to be prone to MySQL injection, you would need to be entering the data into a MySQL database, not sending it by email.
    There is a malicious attack known as email header injection, which is a serious problem with many PHP email processing scripts. However, to be prone to email header injection, you would need to use the fourth argument of mail() to insert form data into the email headers. Since your fourth argument is null, that danger doesn't exist.
    One thing that might be worth doing is checking that the email address doesn't contain a lot of illegal characters, because that's a common feature of header injection attacks. This is how I would tidy up your script:
    <?php
    $suspect = '/Content-Type:|Bcc:|Cc:/i';
    // send the message only if the E-mail field looks clean
    if (preg_match($suspect, $_POST['E-mail'])) {
      header('Location: http://www.example.com/sorry.html');
      exit;
    } else {
      $to = '[email protected]';
      $subject = 'Feedback form results';
      // prepare the message body
      $message = 'Name: ' . $_POST['Name'] . "\n";
      $message .= 'E-mail: ' . $_POST['E-mail'] . "\n";
      $message .= 'Phone: ' . $_POST['Phone'] . "\n";
      $message .= 'Message: ' . $_POST['Message'];
      // send the email
      mail($to, $subject, $message);
      header('Location: http://www.example.com/thankyou.html');
      exit;
    ?>
    Create a new page called sorry.html, with a message along the lines of "Sorry, there was an error sending your message". Don't put anything about illegal attacks. Just be neutral.
    By the way, when posting questions here, don't use meaningless subject lines, such as "Quick script question". If you're posting here, it's almost certain to be a question about a script. It doesn't matter whether it's quick. Use the subject line to tell people what it's about.

  • Quick Audio/Music question

    Hey guys, I've recently started to make compilations for YouTube and when I do have all the clips I need for the video uploaded, they already have songs playing. I want to know how to get rid of that audio and then add my own music from my ITunes library.
    Thanks in advance!

    These Apple video tutorials will also be helpful:
    iMovie '09: http://www.apple.com/ilife/tutorials/#imovie
    iMovie '08: http://www.apple.com/findouthow/movies/imovie08.html
    Many of the iMovie '08 tutorials are also still applicable to '09. Look particularly at the audio tutorials.
    In addition to what I"ve described in my first post, you will notice that the tutorials refer to adding background music. Here, you simply drag music into the background area, until the background is filled with music. I find it more manageable to drag over the clips, as it helps when lining up and working with numerous tracks - as you intend - rather than just dragging tracks into the background.
    It all comes down to what works best for you.
    Bear in mind when using tracks from iTunes - if they are copyright you could strike problems with YouTube rejecting your video, unless you have permission. Check YouTube's rules of use first.
    Hope this helps!
    John

  • Easy way to add more audiotracks??? + Environment midi/audio question???

    Hi!
    Let's say, when I open a new project I have standard 24 audio tracks.
    But when recording I see that I will need more, is there an easy and fast way to add more tracks?
    As I see it now, I Have to run the Logic Setup Assistent, add more tracks (let's say 40). Reopen the project, go in the environment, create a new audio object for every track I want to add, double click it and assign the correct track to 'channel'. If I need to add 10 more tracks I have to go over these last steps 10 times. Am I missing some handy quick trick here?
    Also, the second part of my question:
    when I open the environment window, sometimes it only shows "midi" and the "GS instrument drum mapped" and some other times it shows "audio" and an "overview of my mixer". This seems to happen at random and I don't know why. The mixer view is what I want (especially when I need to add tracks as mentioned before), but when I get the midi view I don't know what to do to get the audio/mixer view. Any help?
    Powermac G5 dual 2,3 - 1,5Gig ram   Mac OS X (10.4.3)   Logic 7.1.1 / M audio Ozone / BCF2000 / Drumkat 3.8

    Ok,
    There is a way so you wont have to do the 10 setups.
    Run the Setup Assistant and when it asks how many
    audio tracks you want, always tell it more than you
    will possibly need. I use 101. I know I will probably
    never use that many but they are already and waiting
    in case I do need more. This way you dont have to do
    anything except go to the track menu and select create
    new or double click the arear below the last
    track and what ever track is highlighted, a exact duplicate
    will appear. Then you just click and hold on it to make it
    whatever kind of track you need from the menu that appears.
    This first answer takes care of the second question. Since you
    dont need to go into the enviroment to hook up new tracks.
    Just so you know if you click and hold on the name of the layer
    Midi, instruments, clicks and ports or whatever another menu
    will appear letting you choose what layer you want to go to.
    This is the easy way!

  • Audio Question re: iBook

    Hi all. Quick question on the iBook G4. My wife wanted to watch a movie so she plugged headphones in to the jack. She then complained that sound was only coming out of one speaker. Is this normal on the iBook? Do I need to download some software or something to provide stereo sound? I didn't know anything about the audio on the iBook.
    Thanks
    Scott

    Hi Scott,
    Open system preferences from the dock, choose the 'sound' option and ensure that the slider for the balance between left and right speakers is in the middle. I have read in previous posts that the ibook can sometimes move the slider. It happened to mine once.
    The other checks you can make is to ensure the headphones are fully plugged in, if the connection is loose this can affect the stero reproduction.
    Also the software that you using to watch the movie check the sound preferences.
    However I do think its it more than likley to be the sound setup in system preferences.
    Hope this helps.

  • Quick Notation Question - Data Rates/Frame Rates/Interlacing

    Finally upgraded to a decent prosumer camera and I'm trying to decipher what the manual is telling me about the many different formats it shoots and and the associated options.  I keep seeing things like "There are two basic shooting modes: 720p and 1080i/p.", which I'm finding confusing.  In my understanding, the "p" in 720p means progressive video and the "i" in 1080i means interlaced.  So what do I make of 1080i/p?
    On top of this, my camera shoots in "native" mode, which drops duplicate frames used in "over 60" formats.  This will give me variations in the notation like:
    720/24pN
    720p Native 60 fps
    1080i/24p
    1080/24PN
    Can someone give me a quick primer about frame rate vs data rate and explain how to read these notations?  I'd appreciate it quite a bit.
    Thanks!

    There are so many cameras, capable of so many different formats that providing a manufacturer and model could be helpful in this discussion.
    Jim's answer is absolutely correct but I'm going to re-state for clarification.
    The i/p designation means you can chose to record as interlaced or progressive for a given resolution.
    It sounds like your camera is designed to "capture" images at 60 frames per second, selecting "native" mode means extra frames are deleted and only the desired frames, based on frame rate setting, are recorded to memory. The advantage of "native" @ 24fps is you save space on your memory card. The advantage of NOT using "native" mode is that all 60 frames per second are recorded, but the file metedata tells playback software to only show the frames needed for the specified frame rate (i.e. 24). Since all 60 frames per second are recorded, you use more memory but you also have the option of retrieving all the those frames, if you so desire, at a later time (i.e. for smoother slo-mo).
    To be honest I don't know what your spec of 1080i/24p means. If that is truly an option then I would guess it means it will record a 24p image but the metedata would indicate the file should playback at 30fps interlaced by adding the proper 3:2 pulldown. This would give you that "film" look in a broadcast compatible format.
    For the most part, you don't want use use any interlaced settings. Very few display devices still in use can properly display interlaced images. Interlacing is only required in some broadcast specifications.
    To answer the second part of your question;
    Frame rates are an indication of how many times the moving image is captured over a given period (per second). Higher frame rates means smoother, more "real life" motion. Data rates can generally be considered an indication of image or audio quality. Higher levels of compression result in lower data rates and (generally) lower quality. If squeezing more hours of footage on fewer memory cards is more important than getting the best image quality, choose a lower data rate. Higher frame rates (more images per second) inherently require a higher data rate to retain the same quality as fewer frames at a lower data rate.

  • Several Pro Audio Questions re FCPX

    I'm a composer and music producer who uses Logic and Pro Tools.
    I'm wondering how I would deal with the following scenario:
    Footage is captured into FCX and edited. At this point I would like to export the audio (only on location sound from the footage) to PT with video.
    In Pro Tools or Logic I would score and mix the final soundtrack.
    My questions are....
    1 What frame rate would be correct to use in that this footage will be captured via Firewire from an amateur Sony handcam?
    2  What would be the suggested settings from exporting the audio from FCX for use in a 44.1/24 bit Pro Tools session? Or should that PT session be set to 48?
    And should I assume Pro Tools would be set to the same frame rate as the video capture was done in FCX?
    3 A reference video would need to be output from FCX  for use in PT during mixing/scoring....what would be the best way to do this?
    4 Finally, once the mix was done in Pro Tools, I assume I would create a master stereo file (at 48K?) and that this would easily be able to be imported back into FCX and used in place of the original source audio for the final output.
    Thanks and sorry for all the questions..but if you don't ask....
    Tom

    Tom Wolsky wrote:
    3. There is no reference output function in FCP.
    There should be.
    Apple ignores the fact that there are other ouput formats that customers demand besides Apple formats.  Yet FCPX and Compressor only output formats compatible with Apple products.  The "walled garden" approach of Apple overall is fine, but for "professional" apps like FCPX, it limits the capability of the professionals using the app.  That's just plain stupid.
    This is supposed to be a PROFESSIONAL product, right?  So why doesn't it offer output options that professionals would need?
    The best way to do this is to allow for QUICK TIME REFERENCE files, so editors can bring the reference file into a third-party encoding app (like Sorenson Squeeze, to name one) that will allow the editor output to a variety of non-Apple formats (Windows Media, for example).  (And for what it's worth, Squeeze is also much, much, much faster at encoding than Apple Compressor.)
    Yeah, you can output a self-contained Quick Time file and than re-encode that.  But to use a self-contained QT file as an intermediate file from which you'd encode another file, the best bet is to output the highest quality possible QT file.  So you're going to output an ENORMOUS file (what if the sequence is an hour or longer?  It could be tens of GBs.)  All this, just to create an intermediate file from which to encode the final output.  An enormous waste of time and hard drive space.  Whereas a QT Reference file is usually only KBs in size, as it's only a pointer file.
    Apple needs to pull their head out of their azz on this and make Quick Time Reference as an available output option.  To not allow it is to prevent FCPX from being a "professional" app.  And every pro editor knows it.

  • Urgent help with quick translation questions

    Hello,
    I am somewhat new to Java. I have a translation to hand in in a few hours (French to English). Argh! I have questions on how I worded some parts of the translation (and also if I understood it right). Could you, great developers, please take a look and see if what I wrote makes sense? I've put *** around the words I wasn't sure about. If it sounds strange or is just plain wrong, please let know. I also separated two terms with a slash, when I was in doubt of which one was the best.
    Many thanks in advance.
    1) Tips- Always ***derive*** the exceptions java.lang.Exception and java.lang.RuntimeException.
    Since these exceptions have an excessively broad meaning, ***the calling layers will not know how to
    distinguish the message sent from the other exceptions that may also be passed to them.***
    2) The use of the finally block does not require a catch block. Therefore, exceptions may be passed back to the
    calling layers, while effectively freeing resources ***attributed*** locally
    3) TIPS- Declare the order for SQL ***statements/elements*** in the constant declaration section (private static final).
    Although this recommendation slightly hinders reading, it can have a significant impact on performance. In fact, since
    the layers of access to data are ***low level access***, their optimization may be readily felt from the user’s
    perspective.
    4) Use “inlining.”
    Inlining is a technique used by the Java compiler. Whenever possible, during compilation, the compiler
    copies the body of a method in place of its call, rather than executing a ***memory jump to the method***.
    In the example below, the "inline" code will run twice as fast as the ***method call***
    5)tips - ***Reset the references to large objects such as arrays to null.***
    Null in Java represents a reference which has not been ***set/established.*** After using a variable with a
    large size, it must be ***reassigned a null value.*** This allows the garbage collector to quickly ***recycle the
    memory allocated*** for the variable
    6) TIPS Limit the indexed access to arrays.
    Access to an array element is costly in terms of performance because it is necessary to invoke a verification
    that ***the index was not exceeded.***
    7) tips- Avoid the use of the “Double-Checked Locking” mechanism.
    This code does not always work in a multi-threaded environment. The run-time behavior ***even depends on
    compilers.*** Thus, use the following ***singleton implementation:***
    8) Presumably, this implementation is less efficient than the previous one, since it seems to perform ***a prior
    initialization (as opposed to an initialization on demand)***. In fact, at runtime, the initialization block of a
    (static) class is called when the keyword MonSingleton appears, whether there is a call to getInstance() or
    not. However, since ***this is a singleton***, any occurrence of the keyword will be immediately followed by a
    call to getInstance(). ***Prior or on demand initializations*** are therefore equivalent.
    If, however, a more complex initialization must take place during the actual call to getInstance, ***a standard
    synchronization mechanism may be implemented, subsequently:***
    9) Use the min and max values defined in the java.lang package classes that encapsulate the
    primitive numeric types.
    To compare an attribute or variable of primitive type integer or real (byte, short, int, long, float or double) to
    ***an extreme value of this type***, use the predefined constants and not the values themselves.
    Vera

    1) Tips- Always ***derive*** the exceptions java.lang.Exception and java.lang.RuntimeException.***inherit from***
    ***the calling layers will not know how to
    distinguish the message sent from the other exceptions that may also be passed to them.***That's OK.
    while effectively freeing resources ***attributed*** locally***allocated*** locally.
    3) TIPS- Declare the order for SQL ***statements/elements*** in the constant declaration section (private static final).***statements***, but go back to the author. There is no such thing as a 'constant declaration section' in Java.
    Although this recommendation slightly hinders reading, it can have a significant impact on performance. In fact, since
    the layers of access to data are ***low level access***, their optimization may be readily felt from the user’s
    perspective.Again refer to the author. This isn't true. It will make hardly any difference to the performance. It is more important from a style perspective.
    4) Use “inlining.”
    Inlining is a technique used by the Java compiler. Whenever possible, during compilation, the compiler
    copies the body of a method in place of its call, rather than executing a ***memory jump to the method***.
    In the example below, the "inline" code will run twice as fast as the ***method call***Refer to the author. This entire paragraph is completely untrue. There is no such thing as 'inlining' in Java, or rather there is no way to obey the instruction given to 'use it'. The compiler will or won't inline of its own accord, nothing you can do about it.
    5)tips - ***Reset the references to large objects such as arrays to null.***Correct, but refer to the author. This is generally considered bad practice, not good.
    Null in Java represents a reference which has not been ***set/established.******Initialized***
    After using a variable with a
    large size, it must be ***reassigned a null value.*** This allows the garbage collector to quickly ***recycle the
    memory allocated*** for the variableAgain refer author. Correct scoping of variables is a much better solution than this.
    ***the index was not exceeded.******the index was not out of range***
    The run-time behavior ***even depends on compilers.***Probably a correct translation but the statement is incorrect. Refer to the author. It does not depend on the compiler. It depends on the version of the JVM specification that is being adhered to by the implementation.
    Thus, use the following ***singleton implementation:***Correct.
    it seems to perform ***a prior initialization (as opposed to an initialization on demand)***.I would change 'prior' to 'automatic pre-'.
    ***this is a singleton***That's OK.
    ***Prior or on demand initializations***Change 'prior' to 'automatic'.
    ***a standard
    synchronization mechanism may be implemented, subsequently:***I think this is nonsense. I would need to see the entire paragraph.
    ***an extreme value of this type******this type's minimum or maximum values***
    I would say your author is more in need of a technical reviewer than a translator at this stage. There are far too serious technical errors in this short sample for comfort. The text isn't publishable as is.

  • T410s/T410​/T510 DP- HDMI, audio questions, survey

    Hi,
    after all the confusion concerning DisplayPort-audio and the T-series, I decided to find out for myself and test it at my local Lenovo dealer.
    As my dealer had not a single HDMI and audio capable output device in his shop, I brought my own Medion MD 20226 LCD TV, which has 2 HDMI-in ports.
    The idea was to use a 2m DisplayPort->HDMI-cable provided by the dealer in order to connect the T410s in question to my little TV.
    Background: Due to the misleading information from Lenovo concerning the last generation T400s/T400/T500 models and their audio over DisplayPort issue (no audio at all), I expected to get a picture without any problems but that I would need to figure out how to enable the sound by changing some settings inside Windows 7.
    What happened: Actually neither me nor my dealer were able to get ANYTHING out of the DisplayPort, when using the DisplayPort->HDMI-cable. There was NEITHER video NOR audio!
    I should point out that at the time being my dealer only had T410s models without the (maybe) switchable NVidia graphics.
    Another point that I want to emphasize is that, after 45 minutes of trying everything we could to make it work, we switched to the T510 that was standing right beside the T410s in his show room. Unfortunately I was too confused to ask what kind of graphics setup this machine had, but the result was the same: no video, no audio at the TV.
    As it is apparent that there are quite a lot of confused Lenovo customers out there that have similar questions:
    I HEREBY FORMALLY ASK FOR A DETAILED AND IN-DEPTH INVESTIGATION/CLARIFICATION OF POSSIBLE DP->HDMI, DP-AUDIO AND DP->HDMI-AUDIO ISSUES WITH THE CURRENT T410s/T410/T510 SERIES (all combinations of graphics cards).
    Of course I think that it would be best if one of the Lenovo engineers would take care of that in one of the Lenovo blogs.
    But until then, it might be a good starting point to ask those of us, who already have a T410s/T410/T510.
    So I just start right away:
    MODEL:                   T410s (NUK39GE / 2912-39G)
    used GPU:              Intel GMA 5 / QM57
    DP->DP-video:       not tested
    DP->DP-audio:      not tested
    DP->HDMI-video:  tested->not working
    DP->HDMI-audio: tested->not working
    As I said, I was only able to test it at my local Lenovo dealer and I gave up after around 1 hour of testing. So it might be, that someone who has more time and resources (different adaptors) might be able to get it running.
    So to all of you out there with a new Tx10(s), please take the time, find your next HDMI-TV and try it.
    And to Lenovo: as long as there is no official statement concerning this, I will keep asking for an official response ;-) (and THIS time, don't blame the chipset, as the new Intel-Calpella has all the HD-video/audio goodness one could ask for: wiki article on Intel Calpella and its DP features).
    Thanks for reading all this!

    Hello all,
    please check out this thread too.
    Where Ken (Lenovo staff) explains this feature and possible problems.
    I would suggest to do a forum search before starting another thread.
    Follow @LenovoForums on Twitter! Try the forum search, before first posting: Forum Search Option
    Please insert your type, model (not S/N) number and used OS in your posts.
    I´m a volunteer here using New X1 Carbon, ThinkPad Yoga, Yoga 11s, Yoga 13, T430s,T510, X220t, IdeaCentre B540.
    TIP: If your computer runs satisfactorily now, it may not be necessary to update the system.
     English Community       Deutsche Community       Comunidad en Español

  • Bluetooth / audio question

    Hi Guys - i have a question which may be more related to a particular application http://www.sonomawireworks.com/forums/viewforum.php?id=2 but seeing as no-one there seems to be able t help me (and it may in fact be a Mac, rather than 'app' related issue - I thought i'd try here)... ok, so here's my problem....
    ight, I downloaded RW from Line 6 a while back (version X / Mac OSX). All was going well - great app then....(and this may be just coincidence) I tried to pair my Vaio with the Mac (unsuccessfully as it happens). After having done this, when booting up (which now takes a while) I get an alert saying
    "Bluetooth Audio Failed
    There was an error connecting to your headset / ignore / stop using your headset"
    Irrespective of the option I select, when RW does eventually fires up, there is no audio. I can see the app is playing OK (the master dials are registering) - but no output. Same problem even if I turn off Bluetooth on the MAC...
    Any ideas guys? - I use the app for teaching and this is a real headache...

    Cody21 wrote:
    This whole Bluetooth thing is new to me ... 
    1. Does a Bluetooth headphone set (for music only - don't need a mic for phone calls) require a Battery(s) to operate? If so, how often do you have to replace the battery(s)  say for 1 hour per day of use?
    There is stereo bluetooth headsets that can be used just for audio listing but most bluetooths are made for phone handsfree use, if you want to listen to audio through bluetooth you have to verify the headset support A2DP profile for streaming audio.
    2. Anyone recommend a very good headphone set that is comfortable & great sound? Do I have to buy something specific for the DX from Verizon? Moto?  Or can I walk into any store and buy a Bluetooth Audio headphone and expect it to work? I *really* don't want to spend $150+ for decent headphones.
    Basically all bluetooths can be used but it is a prefrence of what bluetooth works for you but I use Motorola H720 from http://www.bestbuy.com/site/Motorola+-+H720+Bluetooth+Headset+-+Black/9755234.p?id=1218167395767&skuId=9755234&st=bluetooth%20headset&cp=1&lp=5
    $59.99
    3. Are there any "gotchas" using Bluetooth for Audio music?  e.g., sound quality issues? interference? 
    Your streaming audio wirelessly and the quality can reflect this, if you want the better level of audio through a bluetooth give this a look at http://www.bestbuy.com/site/Rocketfish%26%23153%3B+Mobile+-+Mobile+Behind-the-Head+Bluetooth+Stereo+Headphones+-+Black/9828558.p?id=1218180649134&skuId=9828558&st=bluetooth&contract_desc=null
    $61.99
    Thanks in advance.

  • Quality of audio question

    Hello there,
    Watching Nigel's presentation at MAX I've noticed that there was a question about possibility to stream MP3 within the LCCS framework.
    Nigel, could you elaborate a bit on that (after the Holiday ). For example, wether it's possible to use 'codec' property in MicrophoneManager or AudioPublisher to integrate other than Speex audio codec?
    The reason I ask such question is that the audio quality - dynamic range, frequency range, sampling rate - for my project is of significant importance.
    Any recommendations as to how to approach the task of maximizing audio fidelity would be appreciated.
    Thanks,
    Igor Borodin

    Infact I said the Flash Player only has "encoders" for voice codecs (but it has decoders for much larger set of a/v formats, like MP3 and H264).
    Basically encoding is usually quite expensive so the player only has encoders for low quality / low processing power formats (voice for audio and lower quality video for webcams).
    Decoding is most of the time less resource intensive than encoding, and if available can leverage hardware accelleration so the player can supports higher quality formats.

  • Quick NativeWindow questions.

    Hi,
    Two Quick Questions about native window actions (I am using AIR with HTML and JS):
    1. How do you "refer" to minimize button ? - So, when a user clicks minimize, it should do an action defined in javascript.
    2. How to define click event for System tray icon ? - So I can display something when my system tray icon is double-clicked.
    Thanks.

    1. Add an event listener to the window.nativeWindow object, listening for the NativeWindowDisplayStateEvent.DISPLAY_STATE_CHANGING  or DISPLAY_STATE_CHANGE events.
    2. Add an event listener to your SystemTrayIcon object. You can listen for click, mouseUp or mouseDown events, but doubleClick events are not dispatched by this object.

Maybe you are looking for

  • I am trying to play cafe world and the screen is cut off so i can not play

    i am trying to play cafe world and the screen is cut off so i have half of a screen so how do i make it larger so i can play of i will have to go back to explorer

  • Bootcamp Windows 7 Install Problem

    Hi, I am having problems Installing Windows 7 via Bootcamp on My Macbook Pro 13" Early 2011 (running Mavericks) and was wondering if anyone could help/offer advice. I took out the optical drive and put in an SSD a while ago, and now I want to install

  • Issue using JSON.stringify on object

    I have the following code, which attempts to stringify the member1 object try {     var member1:Object = {       mediaId: meterEvent.mediaId,       publisherId: meterEvent.publisherId    var val:String = JSON.stringify(member1); } catch (err:Error) {

  • I have the deathly white screen. Help please !

    Hi There, My blackberry curve has the deathly white screen and I would love some help to fix it.  I have looked at older posts but my problem is that I work from a mac not a PC and the solution posted was for a PC.  Please can you help!

  • ThinkVantage Toolbox no uninstall file

    Hi, can anyone please assist... I want to uninstall ThinkVantage Toolbox from my Win7 machine but it is not listed in Add/remove programs and there is no uninstall file in the PC-Doctor directory folder. Is there anywhere on this site that I can down