TargetDataLine unsupported

I downloaded the following example,
import javax.swing.*;
import java.awt.*;
import java.awt.event.*;
import java.io.*;
import javax.sound.sampled.*;
public class AudioCapture02 extends JFrame{
boolean stopCapture = false;
ByteArrayOutputStream byteArrayOutputStream;
AudioFormat audioFormat;
TargetDataLine targetDataLine;
AudioInputStream audioInputStream;
SourceDataLine sourceDataLine;
public static void main(String args[]){
new AudioCapture02();
}//end main
public AudioCapture02(){//constructor
final JButton captureBtn =
new JButton("Capture");
final JButton stopBtn = new JButton("Stop");
final JButton playBtn =
new JButton("Playback");
captureBtn.setEnabled(true);
stopBtn.setEnabled(false);
playBtn.setEnabled(false);
//Register anonymous listeners
captureBtn.addActionListener(
new ActionListener(){
public void actionPerformed(
     ActionEvent e){
captureBtn.setEnabled(false);
stopBtn.setEnabled(true);
playBtn.setEnabled(false);
//Capture input data from the
// microphone until the Stop button is
// clicked.
captureAudio();
}//end actionPerformed
}//end ActionListener
);//end addActionListener()
getContentPane().add(captureBtn);
stopBtn.addActionListener(
new ActionListener(){
public void actionPerformed(
     ActionEvent e){
captureBtn.setEnabled(true);
stopBtn.setEnabled(false);
playBtn.setEnabled(true);
//Terminate the capturing of input data
// from the microphone.
stopCapture = true;
}//end actionPerformed
}//end ActionListener
);//end addActionListener()
getContentPane().add(stopBtn);
playBtn.addActionListener(
new ActionListener(){
public void actionPerformed(
     ActionEvent e){
//Play back all of the data that was
// saved during capture.
playAudio();
}//end actionPerformed
}//end ActionListener
);//end addActionListener()
getContentPane().add(playBtn);
getContentPane().setLayout(new FlowLayout());
setTitle("Capture/Playback Demo");
setDefaultCloseOperation(EXIT_ON_CLOSE);
setSize(250,70);
setVisible(true);
}//end constructor
//This method captures audio input from a
// microphone and saves it in a
// ByteArrayOutputStream object.
private void captureAudio(){
try{
//Get and display a list of
// available mixers.
Mixer.Info[] mixerInfo =
AudioSystem.getMixerInfo();
System.out.println("Available mixers:");
for(int cnt = 0; cnt < mixerInfo.length;
cnt++){
     System.out.println(mixerInfo[cnt].
     getName());
}//end for loop
//Get everything set up for capture
audioFormat = getAudioFormat();
DataLine.Info dataLineInfo =
new DataLine.Info(
TargetDataLine.class,
audioFormat);
System.out.println(dataLineInfo.getLineClass());
//Select one of the available
// mixers.
Mixer mixer = AudioSystem.
getMixer(mixerInfo[1]);
mixer.open();
if (mixer.isLineSupported(dataLineInfo))
     System.out.println("Supported");
else
     System.out.println("Not supported");
//Get a TargetDataLine on the selected
// mixer.
targetDataLine = (TargetDataLine)
mixer.getLine(dataLineInfo);
//Prepare the line for use.
targetDataLine.open(audioFormat);
targetDataLine.start();
//Create a thread to capture the microphone
// data and start it running. It will run
// until the Stop button is clicked.
Thread captureThread = new CaptureThread();
captureThread.start();
} catch (Exception e) {
System.out.println(e);
System.exit(0);
}//end catch
}//end captureAudio method
//This method plays back the audio data that
// has been saved in the ByteArrayOutputStream
private void playAudio() {
try{
//Get everything set up for playback.
//Get the previously-saved data into a byte
// array object.
byte audioData[] = byteArrayOutputStream.
toByteArray();
//Get an input stream on the byte array
// containing the data
InputStream byteArrayInputStream =
new ByteArrayInputStream(audioData);
AudioFormat audioFormat = getAudioFormat();
audioInputStream = new AudioInputStream(
byteArrayInputStream,
audioFormat,
audioData.length/audioFormat.
getFrameSize());
DataLine.Info dataLineInfo =
new DataLine.Info(
SourceDataLine.class,
audioFormat);
sourceDataLine = (SourceDataLine)
AudioSystem.getLine(dataLineInfo);
sourceDataLine.open(audioFormat);
sourceDataLine.start();
//Create a thread to play back the data and
// start it running. It will run until
// all the data has been played back.
Thread playThread = new PlayThread();
playThread.start();
} catch (Exception e) {
System.out.println(e);
System.exit(0);
}//end catch
}//end playAudio
//This method creates and returns an
// AudioFormat object for a given set of format
// parameters. If these parameters don't work
// well for you, try some of the other
// allowable parameter values, which are shown
// in comments following the declartions.
private AudioFormat getAudioFormat(){
float sampleRate = 8000.0F;
//8000,11025,16000,22050,44100
int sampleSizeInBits = 16;
//8,16
int channels = 1;
//1,2
boolean signed = true;
//true,false
boolean bigEndian = false;
//true,false
return new AudioFormat(
sampleRate,
sampleSizeInBits,
channels,
signed,
bigEndian);
}//end getAudioFormat
//=============================================//
//Inner class to capture data from microphone
class CaptureThread extends Thread{
//An arbitrary-size temporary holding buffer
byte tempBuffer[] = new byte[10000];
public void run(){
byteArrayOutputStream =
new ByteArrayOutputStream();
stopCapture = false;
try{//Loop until stopCapture is set by
// another thread that services the Stop
// button.
while(!stopCapture){
//Read data from the internal buffer of
// the data line.
int cnt = targetDataLine.read(tempBuffer,
0,
tempBuffer.length);
if(cnt > 0){
//Save data in output stream object.
byteArrayOutputStream.write(tempBuffer,
0,
cnt);
}//end if
}//end while
byteArrayOutputStream.close();
}catch (Exception e) {
System.out.println(e);
System.exit(0);
}//end catch
}//end run
}//end inner class CaptureThread
//===================================//
//Inner class to play back the data
// that was saved.
class PlayThread extends Thread{
byte tempBuffer[] = new byte[10000];
public void run(){
try{
int cnt;
//Keep looping until the input read method
// returns -1 for empty stream.
while((cnt = audioInputStream.read(
     tempBuffer, 0,
tempBuffer.length)) != -1){
if(cnt > 0){
//Write data to the internal buffer of
// the data line where it will be
// delivered to the speaker.
sourceDataLine.write(tempBuffer,0,cnt);
}//end if
}//end while
//Block and wait for internal buffer of the
// data line to empty.
sourceDataLine.drain();
sourceDataLine.close();
}catch (Exception e) {
System.out.println(e);
System.exit(0);
}//end catch
}//end run
}//end inner class PlayThread
//=============================================//
But, it shows the following error. I tried with all of the available mixers. When I used DataLine.Info dataLineInfo =
new DataLine.Info(
SourceDataLine.class,
audioFormat);
it supports this format. I dont know, why its not supporting the class TargetDataLine.class
interface javax.sound.sampled.TargetDataLine
Not supported
java.lang.IllegalArgumentException: Line unsupported: interface TargetDataLine supporting format PCM_SIGNED 8000.0 Hz, 16 bit, mono, 2 bytes/frame, little-endian
All suggestions will be appreciated.

Sruthi_Gayathri, this forum is for special help with the Java Media Framework API and is not a catch-all for "I have media problems. There isn't a single line of code related to JMF in your posted code (although it does look like there's some JavaSound code, but even then, you'd need to be posting on the JavaSound forum, not the JMF one)
If you need help with your "rabbitmq server", then you need to find a forum that's setup for that. This forum is not.

Similar Messages

  • HT3986 Hi, i have a macbook pro version 10.6.8 with boot camp version 3.0.4. I managed to install windows 7 professional x64, however when i insert my OS CD to install the drivers using the boot camp method, it says unsupported to this computer model

    Hi, i have a macbook pro version 10.6.8 with boot camp version 3.0.4. I managed to install windows 7 professional x64 bits but however when i tried to install the drivers using the OSX MAC CD using boot camp, it prompt me boot camp x 64 is unsupported with this computer model. Then i tried the method by right click the bootcamp x64 and managed to install the drivers. However, i still couldnt manage access the internet and it prompts me no networking hardware detected...Any idea how can i solve it?
    P.S i tried updating my bootcamp version 3.0.4 in mac os with bootcamp x64 version 3.1 exe but it shows me weird wording..
    my bootcamp version in windows 7 is 2.1..

    Uninstall 2.x totally
    Use CCleaner Registry tool
    Do whatever you need to to nuke the existing Apple programs and folders hidden here and there also.
    BC 2.2 was XP and Vista only

  • Can't open adobe files in my documents. Message says may be unsupported or corrupted.

    Cannot open Adobe files in my documents. They opened fine before.  Get a message that file is unsupported or possibly corrupted. But they were not e-mailed and I could open them a week ago.

    Hi,
    Please refer to the help article here for probable cause and workarounds: http://helpx.adobe.com/acrobat/kb/pdf-error-1015-11001-update.html
    Thanks,
    Ashu

  • Upgrade from SCCM 2012 SP1 CU4 to R2 Fails - Unsupported Upgrade Path

    Hi everybody,
    I'm currently upgrading our SCCM infrastructure to SCCM 2012 R2 after have finished with the upgrade from SCCM 2012 RTM to SP1 CU4, thus far everything works fine, but when I try to update any
    of the site servers, whether CAS or Primary, I'm getting the following error message in the Prerequisites Check:
    I've gone through the system requirements and prerequisites over and over again and I can assure you that every possible update, supported OS, feature set, SQL Server, check list, etc,
    etc, have been followed as per the official documentation available, however I'm stuck in this point, and surely enough I haven't been able to find out a similar case.Additionally I'm adding
    the ConfigMgrPrereq log (the relevant portion of it) in case someone could kindly take a look at it.
    <04-25-2014 02:06:46> ******* Start Prerequisite checking. *******
    <04-25-2014 02:06:47> ********************************************
    <04-25-2014 02:07:00> INFO: Detected current installed build version [7711] for sitecode [BRA]. For Upgrade,
    minimum supported installed build version is [7804].
    <04-25-2014 02:07:00> INFPROSCCMCMS.usersad.everis.int;   
    Unsupported upgrade path;    Error;   
    Configuration Manager has detected that one or more sites in the hierarchy are installed with a version of Configuration Manager that is not supported for upgrade.
    <04-25-2014 02:07:00> INFO: This rule only apply to primary site, skip checking.
    <04-25-2014 02:07:00> INFPROSCCMCMS.usersad.everis.int;   
    Active Replica MP;    Passed
    <04-25-2014 02:07:00> INFO: This rule only applies to primary or secondary site in hierarchy, skip checking.
    <04-25-2014 02:07:00> INFPROSCCMCMS.usersad.everis.int;   
    Parent site replication status;    Passed
    <04-25-2014 02:07:00> <<<RuleCategory: Database Upgrade Requirements>>>
    <04-25-2014 02:07:00> <<<CategoryDesc: Checking the target ConfigMgr database is ready to upgrade...>>>
    <04-25-2014 02:07:00> ===== INFO: Prerequisite Type & Server: SQL:INFPROSCCMCDB.usersad.everis.int
    =====
    <04-25-2014 02:07:00> <<<RuleCategory: Access Permissions>>>
    <04-25-2014 02:07:00> <<<CategoryDesc: Checking access permissions...>>>
    <04-25-2014 02:07:00> INFPROSCCMCDB.usersad.everis.int;   
    SQL Server sysadmin rights;    Passed
    <04-25-2014 02:07:00> INFPROSCCMCDB.usersad.everis.int;    SQL Server sysadmin rights
    for reference site;    Passed
    <04-25-2014 02:07:00> INFO: CheckLocalSys is Admin of <INFPROSCCMCDB.usersad.everis.int>.
    <04-25-2014 02:07:09> INFPROSCCMCDB.usersad.everis.int;   
    Site server computer account administrative rights;    Passed
    <04-25-2014 02:07:09> INFPROSCCMCDB.usersad.everis.int;   
    SQL Server security mode;    Passed
    <04-25-2014 02:07:09> <<<RuleCategory: System Requirements>>>
    <04-25-2014 02:07:09> <<<CategoryDesc: Checking system requirements for ConfigMgr...>>>
    <04-25-2014 02:07:09> INFO: OS version:601, ServicePack:1.
    <04-25-2014 02:07:09> INFO: Target computer is a Windows server.
    <04-25-2014 02:07:09> INFPROSCCMCDB.usersad.everis.int;   
    Unsupported site server operating system version for Setup;    Passed
    <04-25-2014 02:07:09> INFPROSCCMCDB.usersad.everis.int;   
    Domain membership;    Passed
    <04-25-2014 02:07:09> INFPROSCCMCDB.usersad.everis.int;   
    Pending system restart;    Passed
    <04-25-2014 02:07:09> <<<RuleCategory: Dependent Components>>>
    <04-25-2014 02:07:09> <<<CategoryDesc: Checking dependent components for ConfigMgr...>>>
    <04-25-2014 02:07:09> INFO: Return code:0, Major:10, Minor:50, BuildNum:4000
    <04-25-2014 02:07:09> INFPROSCCMCDB.usersad.everis.int;   
    SQL Server version;    Passed
    <04-25-2014 02:07:09> INFO: Get Sql edition:Enterprise Edition.
    <04-25-2014 02:07:09> INFPROSCCMCDB.usersad.everis.int;   
    SQL Server Edition;    Passed
    <04-25-2014 02:07:09> INFO: Checking Tcp is enabled to Static port, SQL Server:INFPROSCCMCDB.usersad.everis.int,
    Instance:.
    <04-25-2014 02:07:09> INFPROSCCMCDB.usersad.everis.int;   
    SQL Server Tcp Port;    Passed
    <04-25-2014 02:07:09> INFO: Checking if SQL Server memory is limited.
    <04-25-2014 02:07:09> INFO: SQL Server memory is limited.
    <04-25-2014 02:07:09> INFPROSCCMCDB.usersad.everis.int;   
    Configuration for SQL Server memory usage;    Passed
    <04-25-2014 02:07:09> INFO: Checking if SQL Server memory is configured to reserve minimum memory.
    <04-25-2014 02:07:09> INFO: Installing the central administration site or primary site, requires SQL
    Server to reserve a minimum of 8 gigabytes (GB) of memory.
    <04-25-2014 02:07:09> WARN: SQL Server minimum memory is 8000 MB.
    <04-25-2014 02:07:09> INFPROSCCMCDB.usersad.everis.int;    SQL Server process memory allocation;   
    Warning;    Configuration Manager requires SQL Server to reserve a minimum of 8 gigabytes (GB) of memory for the central administration site and primary site and a minimum of 4 gigabytes (GB) for the secondary site. This memory is reserved by
    using the Minimum server memory setting under Server Memory Options and is configured by using SQL Server Management Studio. For more information about how to set a fixed amount of memory, see
    http://go.microsoft.com/fwlink/p/?LinkId=233759.
    <04-25-2014 02:07:09> INFPROSCCMCDB.usersad.everis.int;   
    Case-insensitive collation on SQL Server;    Passed
    <04-25-2014 02:07:09> INFO: Check Machine FQDN: <INFPROSCCMCDB.usersad.everis.int>.
    <04-25-2014 02:07:09> INFO: getaddrinfo returned success.
    <04-25-2014 02:07:09> INFPROSCCMCDB.usersad.everis.int;   
    Validate FQDN of SQL Server Computer;    Passed
    <04-25-2014 02:07:09> INFO:CheckSupportedFQDNFormat <INFPROSCCMCDB.usersad.everis.int>
    <04-25-2014 02:07:09> INFO: NetBIOS <INFPROSCCMCDB>
    <04-25-2014 02:07:09> INFPROSCCMCDB.usersad.everis.int;   
    Primary FQDN;    Passed
    <04-25-2014 02:07:09> <<<RuleCategory: Site Upgrade Requirements>>>
    <04-25-2014 02:07:09> <<<CategoryDesc: Checking if the target ConfigMgr site is ready to upgrade...>>>
    <04-25-2014 02:07:09> <<<RuleCategory: Database Upgrade Requirements>>>
    <04-25-2014 02:07:09> <<<CategoryDesc: Checking the target ConfigMgr database is ready to upgrade...>>>
    <04-25-2014 02:07:09> ===== INFO: Prerequisite Type & Server: SDK:INFPROSCCMCMS.usersad.everis.int
    =====
    <04-25-2014 02:07:09> <<<RuleCategory: Access Permissions>>>
    <04-25-2014 02:07:09> <<<CategoryDesc: Checking access permissions...>>>
    <04-25-2014 02:07:09> INFO: The rule 'Administrative rights on site system' has been run on server 'INFPROSCCMCMS.usersad.everis.int',
    skipped.
    <04-25-2014 02:07:09> <<<RuleCategory: System Requirements>>>
    <04-25-2014 02:07:09> <<<CategoryDesc: Checking system requirements for ConfigMgr...>>>
    <04-25-2014 02:07:09> INFO: The rule 'Unsupported site server operating system version for Setup' has
    been run on server 'INFPROSCCMCMS.usersad.everis.int', skipped.
    <04-25-2014 02:07:09> INFO: The rule 'Domain membership' has been run on server 'INFPROSCCMCMS.usersad.everis.int',
    skipped.
    <04-25-2014 02:07:09> INFO: Windows Cluster not found on INFPROSCCMCMS.usersad.everis.int.
    <04-25-2014 02:07:10> INFPROSCCMCMS.usersad.everis.int;   
    Windows Failover Cluster;    Passed
    <04-25-2014 02:07:10> INFO: The rule 'Pending system restart' has been run on server 'INFPROSCCMCMS.usersad.everis.int',
    skipped.
    <04-25-2014 02:07:10> <<<RuleCategory: Dependent Components>>>
    <04-25-2014 02:07:10> <<<CategoryDesc: Checking dependent components for ConfigMgr...>>>
    <04-25-2014 02:07:10> INFPROSCCMCMS.usersad.everis.int;   
    Windows Deployment Tools installed;    Passed
    <04-25-2014 02:07:10> INFO: CheckAdkWinPeInstalled on INFPROSCCMCMS.usersad.everis.int.
    <04-25-2014 02:07:10> INFPROSCCMCMS.usersad.everis.int;    Windows Preinstallation Environment
    installed;    Passed
    <04-25-2014 02:07:10> INFPROSCCMCMS.usersad.everis.int;   
    SMS Provider machine has same domain as site server;    Passed
    <04-25-2014 02:07:10> <<<RuleCategory: Site Upgrade Requirements>>>
    <04-25-2014 02:07:10> <<<CategoryDesc: Checking if the target ConfigMgr site is ready to upgrade...>>>
    <04-25-2014 02:07:10> <<<RuleCategory: Database Upgrade Requirements>>>
    <04-25-2014 02:07:10> <<<CategoryDesc: Checking the target ConfigMgr database is ready to upgrade...>>>
    <04-25-2014 02:07:10> ***************************************************
    <04-25-2014 02:07:10> ******* Prerequisite checking is completed. *******
    <04-25-2014 02:07:10> ******************************************<04-25-2014 02:07:10> INFO: Updating
    Prerequisite checking result into the registry
    <04-25-2014 02:07:10> INFO: Connecting to INFPROSCCMCMS.usersad.everis.int registry
    <04-25-2014 02:07:10> INFO: Setting registry values
    If you wonder whether it might be related to this error:
    -2014 02:07:00> INFO: Detected current installed build version [7711] for sitecode [BRA]. For Upgrade, minimum supported installed build version is [7804].
    I confirm that this one site is a secondary one that's attached to a primary site and this log is from the CAS server, I managed to tall it and delete it from that site, but still appears listed
    on the CAS management console, any idea how to force the removal of a secondary site that's attached to a primary from the CAS site when it has been removed already from said primary?
    I've already tried the
    Preinst /DELSITE XXX  command but it only works when the site to remove it's attached to the local site and certainly not from a CAS
    Finally,  the version, build number and everything is correct, no idea what could be the problem, does anybody know a way to bypass this or force the re-evaluation of this rules, I've got
    the impression that it's being cached somehow.
    Any help would be highly appreciated,
    Thank you.
    Marcelo Estrada MCP-MCTS-MCITP-MCSA-MCSE

    Hello again everybody,
    I've finally managed to fix this up, in the end I had to delete those entries manually from the database as Garry suggested. After this was done the upgrade has gone through as expected with no further ado and has finalized already, now moving on to the
    primary sites.
    If anybody out there is facing the same issue, what I did was to delete those "stubborn" records executing the following statements over the CAS database:
    DELETE
    FROMServerDataWHERESiteCode='XXX'
    DELETE
    FROMSC_SiteDefinitionWHERESiteCode='XXX'
    And this is pretty much about it. I'd recommend to take a proper backup first though as best practice.
    Thank you all anyways for your answers and comments,
    Marcelo Estrada MCP-MCTS-MCITP-MCSA-MCSE

  • I have a new Toshiba Thrive tablet and do not see it on the list of tested, supported, or unsupported devices. Will Firefox work on my tablet?

    I have a new Toshiba Thrive tablet and do not see it on the list of tested, supported, or unsupported devices. Will Firefox work on my tablet?

    You should be able to find Firefox by searching for it in the Android market on the device.

  • Open library from AFP share - Unsupported File System - Aperture 3

    Testing Aperture 3 - Exported a project as a library to an AFP (10.5) share.
    I then tried to reopen the library and got an error Unsupported File System ?
    Is there possibly a network file system that will support Aperture 3 libraries ?

    Temp solution in this thread - tested it and it works
    http://discussions.apple.com/thread.jspa?threadID=2330306&tstart=30
    I have found an workaround for this issue. Do the following:
    First, upgrade the library to version 3 using Aperture on the computer where you have the disk containing the library; if this is not possible, copy the library on the computer running Aperture and do the update there, then copy the updated library back;
    Then navigate to the network disk where you have the updated library and double-click it: a dialog box will come out saying something like <There was an error opening the database for the library "/Volumes/Media/Pictures/Aperture Library.aplibrary". The library could not be opened because the file system of the library's volume is unsupported> Click OK.
    A new dialog box will appear asking "Which library do you want Aperture to use?" and a list with all libraries; among them, the library situated on the network disk. Select it and click "Choose".
    Voila, after a delay depending on the speed of your network and remote disk, the library will open.
    Note that this "show" will repeat each time you will start-up Aperture. Anyway, it's better than nothing. I hope that Apple will correct this soon.
    And yes, I am using the Trial Version, I will buy a license only after Apple solves this issue! "

  • Mac Mini G4 Unsupported Video Format DVI to HDMI 42 Phillips 1080P LCD TV

    When connecting my Mac Mini G4 to my 42" Phillips 1080P LCD TV using a DVI to HDMI cable I get a message on the TV "Unsupported Video Format" message. I can connect my PowerBook G4 using the same cable and it connects great.
    One thing I have noticed is when connecting my Mini via DVI cable to my 17" LCD monitor the screen is a fated red. But using a VGA cable the screen is fine. I don't know if this is having to do anything with the issue of connecting to my LCD TV.
    Any suggestions?

    Make sure the connections are good and tighten down the thumb screws on all connectors. If two monitors are giving problems with DVI, it could be there is a hardware problem with the DVI port on the mini.
    Also, try starting in Safe mode (boot while holding down the shift key) and see if you get a useable screen in that case. If you still get the unsupported video format message, then that would further suggest some hardware problem with DVI.

  • My Apple TV is not working. On tv display, I'm getting unsupported signal. Check your device output. Can anyone help plz.

    My Apple TV is not working. On tv display, I'm getting a message 'unsupported signal. Check your device output. ' Can anyone help plz.

    connect it to a tv which support full hd and go into the settings and lower the resolution as much as possible and then connect it with your tv once more

  • I'm trying to connect my MacBook Pro running on OS 10.8.2 to a Linksys EA3500 router and when I go to click on the set up icon I get an "unsupported operating system". Any suggestions on what to do? The Linksys site is useless.

    I'm trying to connect my MacBook Pro running on OS 10.8.2 to a Linksys EA3500 router and when I go to click on the set up icon I get an "unsupported operating system". Any suggestions on what to do? The Linksys site is useless. Do I need some kind of upgrade?

    Don't use the CD software its not necessary.
    Infact put it in the trash.
    Your router will have an IP address in the range 192.168.1.1
    Connect your router to your Mac via Ethernet cable (They usually supply one with the router and don't worry which end goes where the Mac LAN socket is bi-directional)
    Also connect your router to your telephone line.
    Now open your Web browser Safari . Type in the IP address above and a Javascript control panel will launch
    Enter the default password and username (They are on a label on the router )
    Your now have the ability to set up your router.
    Your will need the password and user name supplied to you by your ISP at a minimum.
    Enter these and most modern routers automatically configure the basic networking setting.
    You now need to go to the security setting and set this as WPA2 Personal (NOT Enterprise) or WPA2 with AES and TKIP which ever it refers to and create a pass-phase. WRITE it down
    You should be online.
    Now remove the cable and connect to the Wifi and enter that passphase.

  • ITunes on XP unsupport Vunerable?

    Hello Friends,
    I am on an XP machine and now unsupported, what can I use for a calendar that iTunes will sync with?
    I had thought of trying to use iCloud, (in the clouds), meaning not on my machine, but how can that work? For instance I have always thought that using iCloud this way was strictly to have a backup of my iPhone 4s calendar in the clouds.
    Then I thought of putting iCloud on my machine, but unless I am missing something, would that not be the same as using my Outlook 2010 as it would be susceptible to all the XP breaches, correct..?
    Any advice or suggestions would be more that appreciated.
    Thank you Friends.

    Hi David,
    Since you are using iCloud to sync your calendar, you could also use the icloud.com website for your email needs if you wish.  However, this would involve creating an email address that ends in @icloud.com.   You could forward your existing email account to the @icloud address.  Doing this will enable you to send and receive emails from the web at www.icloud.com.  The email activity from this email address will be synced to your iPhone.  Here's some additional information:
    iCloud: Set up an @icloud.com email address
    http://support.apple.com/kb/ph2620
    I hope this information helps ....
    - Judy

  • How to handle an unsupported RAW format (Canon EOS T2i/550D)

    I just got the Canon EOS T2i Digital Rebel today. I wasn't expecting Aperture to support its RAW files yet and it doesn't. My plan is to shoot RAW + JPEG until RAW support arrives. I've noticed some strange things happening during import. At first only a few files showed up in the import window. Checking/unchecking the import duplicates box did nothing. Eventually somehow all the photos showed up. I couldn't tell you what I did that made any difference.
    The camera writes separate CR2 and JPG files to the card. The first time I imported I set the RAW + JPEG Pairs setting to "Both (JPEG as Master)". For some reason only the CR2 was imported and as expected it showed the unsupported icon. I couldn't see any JPEGs. I did the import again and now all the files are there but the CR2 and JPEGs are not linked in any way. I guess I don't understand how this should work.
    Does anyone have any experience with RAW+JPEG shooting?

    On a retry, the import seems to be working correctly with RAW + JPEG pairs. The first time I tried this I was using an SD card formatted and used (with images on it) from a Canon EOS T1i. Maybe that was confusing Aperture.
    I formatted the card with the T2i, reshot some images and re-imported with the setting of Both (JPEG as Master). The imported images have the "J" badge which means RAW + JPEG pairs with JPEG as master. If there was an "R" badge it means the RAW file is the master. When you right click the images there's a new menu entry for "Set RAW as master". Selecting that menu item shows the RAW file with the unsupported image icon.
    Once Apple delivers RAW support for the T2i I can just select the "Set RAW as master" menu item to start using the RAW file.

  • E1200 V2 upgraded to OS 10.8.2, Cisco Connect unsupported OS, also update firmware?

    I purchased myu E1200 Jan 2012. Have been intermittent loss of connection & not sure whether it is old cable modem or router or? ISP came out & checked & changed some cable fittings said looked ok, but could be my old modem. (I'm getting ready to move out of area so don't want to buy a new modem now). But also a lot of my neighbors w Cox report intermittent loss of connection.
    I will get messages saying I'm not connected to internet. Usually if i go up & turn off wireless & then turn it back on, it will search & find my router.  Frequently though I notice that when I check it has switched to my guest rather than primary for some reason.
    I was having some of this before I even went to wifi a yr ago. 
    Just upgraded to Mountain Lion a couple weeks ago or so. Last night computer had a panic. I received advice to make sure all software as well as router firmware up to date. Found & updated MacBookPro Firmware update. Backed up.
    Opened CiscoConnect & got message unsupported Operating System.
    Reading about upgrading firmware, saw warnings about doing it hard wired or it could permanently damage router. Because of the intermittent connectivity problems & the warning, I think I would be safest to do this  manually by downloading it 1st & then updating the firmware from the download.
    I see that instructions say to determine Firmware version. & it also says it will ask for router IP address. I'm guessing all that was in Cisco Connect. I know it has my passwords, but now I can't get to it. It also says I can use the web set up page to get the current firmware version. For updates (but it says for pc) it shows 8/2011 & 8/2012. Since mine was purchased in 1/2012 & unless it self updated, I'm guessing it is running the 8/2011 firmware. But just noticed in the User Guide it says that when I run Cisco Connect it checks for updates & installs them.  But that's kind of interesting w all the warnings about running it w a wired connection to make sure no interruptions.  Not sure how I have it set up, but I usually set software updates to prompt me so I can control when they actually run.
    Once I have gotten that, will I be able to manually download the appropriate firmware version? Or if I click on that, will that start a set up or update process?
    If I download Cisco Connect, will it update the already installed version, keeping all my existing info?  & then will that be compatible w Mountain Lion & then show me whether the firmware needs to be updated?
    Kathi

    But anyway, I can't even open the old version!!! I just get a message about unsupported OS! So kind of hard to uninstall if I can't open it.
    & for some reason when I was installing Mountain Lion, upgrading from Snow Leopard it found an old version of Parallels which I knew was not compatible.  Didn't even think about this.
    Its sort of working but something is not working very well. I sure wish I hadn't listened to those who said to save the $ & not get the Apple Airport Express. Their stuff works & its not hard to set up like this!
    This is SO LAME!!!
    & Where is lists the info, I have so far found NO INFO about updating. I usually have my software set to notify me so I control when it updates. & I think the last times I was in Cisco Connect it was under pressure just trying to get the router working again.
    Right now I feel like throwing it at something.
    Well, I have twice tried to download from the list for my model & when I click on the set up icon I get a message that "Setup" is damaged and can't be opened. You shold eject the disk image." But when I click for more info it says:
    The app has been modified or damaged
    The app’s code does not match the original code that was signed. The app has been modfied, or it may be broken or corrupted or have been tampered with. If you feel that an app has been damaged or tampered with, you should delete it by dragging it to the Trash.
    Some apps and tools, such as AppleScript applications and some legacy tools, modify themselves after signing. These types of apps cannot be opened unless the Gatekeeper settings in the Security & Privacy preferences is set to “Anywhere.”
    Open the General pane of Security & Privacy preferences
    For more information about protecting your Mac from harmful software, see this help topic:
    Protect your Mac from malware
    Kathi

  • I am unable to load some web pages, I get an error message saying unable to load page due to invalid or unsupported form of compression, this happens on the BBC news page for example. Any ideas how to overcome???

    OS is Windows7. I'm using the latest version of Mozilla Firefox
    I am unable to load some web pages, I get an error message saying unable to load page due to invalid or unsupported form of compression, this happens on the BBC news page for example. Any ideas how to overcome???

    Reload web page(s) and bypass the cache.
    * Press and hold Shift and left-click the Reload button.
    * Press "Ctrl + F5" or press "Ctrl + Shift + R" (Windows,Linux)
    * Press "Cmd + Shift + R" (MAC)
    Clear the cache and the cookies from sites that cause problems.
    "Clear the Cache":
    * Tools > Options > Advanced > Network > Offline Storage (Cache): "Clear Now"
    "Remove Cookies" from sites causing problems:
    * Tools > Options > Privacy > Cookies: "Show Cookies"

  • Report Error only for some users - Unsupported RPL stream version detected: 101.116.1047292257. Expected version: 10.6.

    Hi,
    We have certain SSRS report  (which includes subreports) which
    many users are able to access, but
    some users cannot access- they get this error:
    "Unsupported RPL stream version detected: 101.116.1047292257. Expected version: 10.6."
    (We are not using SP integrated mode)(using SSRS 2008 R2)
    No problem in VS or on server when trying to run this report.
    User having this problem has the sam ewindows and explorer versions.
    Please advice
    Namnami

     have the user clear their temporary internet cache
    How? 
    Another detail- on the problematic user's computer if I run the explorer using my credentials, the report runs fine. 
    Thanks
    Namnami

  • OEM Apple nVidia GeForce 7300 GT is on Adobe's list of unsupported GPUs for Open GL rendering-

    My Mac Pro's Radeon X1900 XT is retired to my computer grave yard, in my basement, but going back to the OEM Apple nVidia GeForce 7300 GT, which shipped with my Mac Pro, brought some encouraging results.
    When I first got the 2007 Mac Pro, in 2009, I was running it in Mac OS 10.4.4.11 Tiger and Photoshop CS4 (11.0.0) would disable Open GL rendering when it detected the stock nVidia GeForce 7300 GT card, which was on Adobe's list of unsupported graphics GPUs.   So, I purchased a refurbished Apple Radeon X1900 XT.  This card allowed Photoshop CS4 and Bridge CS4 to enable Open GL Rendering.  Over the last year, the Radeon X1900 XT graphics card has been creating stripes on my screen when it is running hot and sometimes the dual displays would just shut off while I was working.  Also, the computer was doing hardware freezes about once a day.   This morning the Mac Pro shut down it's dual displays, while I was working, and I had to do another cold shut off in order to restart.  I then manually shut the computer down and did a manual boot-up so that Snow Leopard would employ disk maintenance.
    I shut the computer off and pulled the Radeon X1900 XT card and re-inserted the OEM Apple nVidia GeForce 7300 GT card.  Now I'm running Mac OS 10.6.8 Snow Leopard with Photoshop CS4 (11.0.2) instead of Photoshop CS4 (11.0.0).
    Now, the updated Photoshop CS4, under the newer OS, is enabling Open GL rendering instead of disabling it. This graphics card's hardware limitation is now fixed, so I see no reason to buy the ATI Radeon HD 5770 Graphics Upgrade Kit for my Mac Pro:
    http://eshop.macsales.com/item/Apple/6615718/
    Some who have purchased the Apple  ATI Radeon HD 5770 say they still got the striping on their display when the Radeon HD 5770 card was running hot,  just like with the Radeon X1900 XT.
    So far, the OEM Apple nVidia GeForce 7300 GT is working fine and I'm not getting any striping on my displays with no display shut-offs or hardware freezes.
    I'm glad to have Adobe's Open GL rendering enabled with an OEM graphics GPU that runs cool and requires no imbedded cooling fan.  Apples OEM nVidia GeForce 7300 GT, for the Mac Pro, is on Adobe's list of unsupported GPUs for Open GL rendering under Photoshop CS4, so why is it supported now?  Is that just one of the benefits of the Photoshop CS4 11.0.2 update?

    Chirs, thanks for your info but you are talking about Photoshop CS5, which does not support OpenGL drawing on the Mac nVidia 7300 or the Mac Radeon X1900.  As long as I am using Photoshop CS4 and have not yet upgraded to CS5, I can continue to use the Mac nVidia 7300 and get limited OpenGL drawing support from Photoshop.  And it is working fine.
    Today I found out that Adobe has updated their OpenGL support information and apparemntly when I upgraded my Mac from Tiger to Leopard, and later, I gained Photoshop's Open GL support for the Apple nVidia GeForce 7300 GT:
    Supported video cards (Mac OS)
    Intel-based Macintosh, tested on Mac OS X 10.4.11 and 10.5.4
    17-inch iMac x1600, 128 MB
    ATI HD 2600, 256 MB
    MacBook Air intel GMA X3100
    Nvidia Quadrofx 4500, 512 MB
    Radeon x1900, 512 MB
    Intel-based Macintosh, tested on Mac OS X 10.5.4 only
    8800 GT, 512 MB
    iMac 8800 GS, 512 MB
    Nvidia 8600M, 256 MB
    The following Power PC cards work in Photoshop CS4: Nvidia 7800 (256 MB), Nvidia GeForce 7800 GT, and the Nvidia Quadro FX 4500.
    Note: OpenGL is enabled for the GeForce 7300GT, but Advanced Drawing and 3D Acceleration are disabled.
    So, when I upgrade to Photoshop CS5, I will need to replace my video card with something compatible with Photoshop CS5s OpenGL drawing engine.  Do you think the ATI Radeon HD 5770 Graphics Upgrade Kit, for my Mac Pro, will get Photoshop CS5 to make OpenGL drawing availible and active?
    I appriciate an Adobe employee, like yourself, providing the information I need to make the right hardware choices when upgrading to Adobe CS5.

Maybe you are looking for

  • IPhone 4 Remote App Not working

    Hello, Sorry for posting another 'not working' thread, but having searched the forum I cannot find my answer. I am not very technical, but I have iTunes and an iPhone 4. I have the remote app and the app has worked perfectly up until recently. I have

  • How to view customer line items in S_ALR_87012197

    Hi frends, what is the selection criteria for customer line items list in S_ALR_87012197 as i am preparing the EU document for it and till now i didnot use that one.so that i dont have much idea about the icons in that screen.the concept is i need to

  • How can update the "Reason" in tcode CRMD_ORDER

    Hi, I've done the below customizations to change the "Reason" for the service ticket status: 1. Define Catalog: IMG > CRM > Basic Functions > Catalogs, Codes and Profiles > Define Catalogs 2. Define Code Groups and Codes IMG > CRM > Basic Functions >

  • Labview code for flowmeter sensor

    Hi all I am using NI USB 6229 DAQ and Omega FTB-1302 flowmeter sensor.I made the proper wire connection.Now its time to labview coding but i dont know what to do.i am new in labview.Please help Best regards

  • Embedded Flash Background Color Changes in iWeb

    Bit of an odd one this. I built a Flash movie with a black background, published it out, uploaded it to my web server, then successfully embedded it in iWeb. The trouble is when I view it in iWeb the background color of the Flash file changes to whit