MySQL and Java - getting program to work

I am setting up mysql to run sql from a Java program on my pc at home and probably biting off more than I can chew. I get these messages when executing the java program ExecuteSQL.java:
Exception in thread "main" java.lang.NoClassDefFoundError: Test2 <wrong name: MyProjects/test2/Test2>
at java.lang.ClassLoader.defineClass0<Native Method>
at java.lang.ClassLoader.defineClass<Unknown Source>
at java.security.SecurityClassLoader.defineClass<Unknown Source>
at java.net.URLClassLoader.defineClass<Unknown Source>
at java.net.URLClassLoader.access$100<Unknown Source>
at java.net.URLClassLoader$1.run<Unknown Source>
at java.security.AccessController.ddPrivileged<Native Method>
at java.lang.ClassLoader.findClass<Unknown Source>
at java.lang.ClassLoader.loadClass<Unknown Source>
at sun.misc.Launcher$AppClassLoader.loadClass<Unknown Source>
at java.lang.ClassLoader.loadClass<Unknown Source>
at java.lang.ClassLoader.loadClassInternal<Unknown Source>
This is what I did.
I created a folder on my C: drive named MySQL.
I downloaded these two zip files form the MySQL website
     * mysql-connector-java-3.0.11-stable
     * mysql-4.0.18-win.zip
Installed both of these in folder MySQL.
I modified this line in the program ("ExecuteSQL" 1st pgm in chapter 17) I got from "Java Examples In a Nutshell" and compiled it into directory jwork.
String driver = "com.mysql.jdbc.driver", url = "jdbc:mysql://", user = "", password = "";
The readme file talks about putting a jar file in $JAVA_HOME/jre/lib/ext.
the word "Java_Home" (I now know) is not literally the name but represents the
name of the folder where the JDK to be used exists. So I put a copy of
mysql-connector-java-3.0.11-stable-bin.jar in folder C:\JDK14/jre/lib/ext.
Then I get a ClassNotFoundException error com.mysql.jdbc.driver.
After finding
http://forum.java.sun.com/thread.jsp?forum=31&thread=439796
and
http://forum.java.sun.com/thread.jsp?forum=31&thread=499888
and others, I copied (a second copy) the jar file to the directory where I am create my java objects.
Then I unzipped it to that directory, creating three folders that hold the unzipped objects.
I tried executing the program again. I get the messages at the top of this post.
The Manifest file is in one of the three folders unzipped to my java work directory.
In the second of the two above threads, jsalonen says:
the problem can be solved by mentioning mysql.jar in the Class-Path attribute
in the manifest of the jar file:
In this "manifest" file, there are only three lines and I added a fourth and it looks like this
(there are two, one in directory MySQL\META-INF and one in directory jwork\META-INF:
Manifest-Version: 1.0
Ant-Version: Apache Ant 1.6.1
Created-By: 1.4.0_01-b03 (Sun Microsystems Inc.)
Main-Class:jwork\ExecuteSQL
How do I "mention" mysql.jar in the class path attribute?
In the index.list file (in the directory with the manifest file, do I need to add anything to refer that "com.mysql.jdbc.driver" is the driver?
Do I need index.list in MySQL\META-INF ?
Thank you for your help. The program ExecuteSQL follows.
* Copyright (c) 2000 David Flanagan. All rights reserved.
* This code is from the book Java Examples in a Nutshell, 2nd Edition.
* It is provided AS-IS, WITHOUT ANY WARRANTY either expressed or implied.
* You may study, use, and modify it for any non-commercial purpose.
* You may distribute it non-commercially as long as you retain this notice.
* For a commercial use license, or to purchase the book (recommended),
* visit http://www.davidflanagan.com/javaexamples2.
/** package com.davidflanagan.examples.sql; */
import java.sql.*;
import java.io.*;
* A general-purpose SQL interpreter program.
public class ExecuteSQL {
public static void main(String[] args) {
Connection conn = null; // Our JDBC connection to the database server
try {
String driver = "com.mysql.jdbc.driver", url = "jdbc:mysql://",
user = "", password = "";
// Parse all the command-line arguments
for(int n = 0; n < args.length; n++) {
if (args[n].equals("-d")) driver = args[++n];
else if (args[n].equals("-u")) user = args[++n];
else if (args[n].equals("-p")) password = args[++n];
else if (url == null) url = args[n];
else throw new IllegalArgumentException("Unknown argument.");
// The only required argument is the database URL.
if (url == null)
throw new IllegalArgumentException("No database specified");
// If the user specified the classname for the DB driver, load
// that class dynamically. This gives the driver the opportunity
// to register itself with the DriverManager.
if (driver != null) Class.forName(driver);
// Now open a connection the specified database, using the
// user-specified username and password, if any. The driver
// manager will try all of the DB drivers it knows about to try to
// parse the URL and connect to the DB server.
conn = DriverManager.getConnection(url, user, password);
// Now create the statement object we'll use to talk to the DB
Statement s = conn.createStatement();
// Get a stream to read from the console
BufferedReader in =
          new BufferedReader(new InputStreamReader(System.in));
// Loop forever, reading the user's queries and executing them
while(true) {
System.out.print("sql> "); // prompt the user
System.out.flush(); // make the prompt appear now.
String sql = in.readLine(); // get a line of input from user
// Quit when the user types "quit".
if ((sql == null) || sql.equals("quit")) break;
// Ignore blank lines
if (sql.length() == 0) continue;
// Now, execute the user's line of SQL and display results.
try {
// We don't know if this is a query or some kind of
// update, so we use execute() instead of executeQuery()
// or executeUpdate() If the return value is true, it was
// a query, else an update.
boolean status = s.execute(sql);
          // Some complex SQL queries can return more than one set
          // of results, so loop until there are no more results
do {
if (status) { // it was a query and returns a ResultSet
ResultSet rs = s.getResultSet(); // Get results
printResultsTable(rs, System.out); // Display them
else {
// If the SQL command that was executed was some
// kind of update rather than a query, then it
// doesn't return a ResultSet. Instead, we just
// print the number of rows that were affected.
int numUpdates = s.getUpdateCount();
System.out.println("Ok. " + numUpdates +
                         " rows affected.");
// Now go see if there are even more results, and
// continue the results display loop if there are.
status = s.getMoreResults();
} while(status || s.getUpdateCount() != -1);
// If a SQLException is thrown, display an error message.
// Note that SQLExceptions can have a general message and a
// DB-specific message returned by getSQLState()
catch (SQLException e) {
System.err.println("SQLException: " + e.getMessage()+ ":" +
                    e.getSQLState());
// Each time through this loop, check to see if there were any
// warnings. Note that there can be a whole chain of warnings.
finally { // print out any warnings that occurred
          SQLWarning w;
for(w=conn.getWarnings(); w != null; w=w.getNextWarning())
System.err.println("WARNING: " + w.getMessage() +
                         ":" + w.getSQLState());
// Handle exceptions that occur during argument parsing, database
// connection setup, etc. For SQLExceptions, print the details.
catch (Exception e) {
System.err.println(e);
if (e instanceof SQLException)
System.err.println("SQL State: " +
                    ((SQLException)e).getSQLState());
System.err.println("Usage: java ExecuteSQL [-d <driver>] " +
               "[-u <user>] [-p <password>] <database URL>");
// Be sure to always close the database connection when we exit,
// whether we exit because the user types 'quit' or because of an
// exception thrown while setting things up. Closing this connection
// also implicitly closes any open statements and result sets
// associated with it.
finally {
try { conn.close(); } catch (Exception e) {}
* This method attempts to output the contents of a ResultSet in a
* textual table. It relies on the ResultSetMetaData class, but a fair
* bit of the code is simple string manipulation.
static void printResultsTable(ResultSet rs, OutputStream output)
     throws SQLException
// Set up the output stream
PrintWriter out = new PrintWriter(output);
// Get some "meta data" (column names, etc.) about the results
ResultSetMetaData metadata = rs.getMetaData();
// Variables to hold important data about the table to be displayed
int numcols = metadata.getColumnCount(); // how many columns
String[] labels = new String[numcols]; // the column labels
int[] colwidths = new int[numcols]; // the width of each
int[] colpos = new int[numcols]; // start position of each
int linewidth; // total width of table
// Figure out how wide the columns are, where each one begins,
// how wide each row of the table will be, etc.
linewidth = 1; // for the initial '|'.
for(int i = 0; i < numcols; i++) {             // for each column
colpos[i] = linewidth; // save its position
labels[i] = metadata.getColumnLabel(i+1); // get its label
// Get the column width. If the db doesn't report one, guess
// 30 characters. Then check the length of the label, and use
// it if it is larger than the column width
int size = metadata.getColumnDisplaySize(i+1);
if (size == -1) size = 30; // Some drivers return -1...
     if (size > 500) size = 30; // Don't allow unreasonable sizes
int labelsize = labels.length();
if (labelsize > size) size = labelsize;
colwidths[i] = size + 1; // save the column the size
linewidth += colwidths[i] + 2; // increment total size
// Create a horizontal divider line we use in the table.
// Also create a blank line that is the initial value of each
// line of the table
StringBuffer divider = new StringBuffer(linewidth);
StringBuffer blankline = new StringBuffer(linewidth);
for(int i = 0; i < linewidth; i++) {
divider.insert(i, '-');
blankline.insert(i, " ");
// Put special marks in the divider line at the column positions
for(int i=0; i<numcols; i++) divider.setCharAt(colpos[i]-1,'+');
divider.setCharAt(linewidth-1, '+');
// Begin the table output with a divider line
out.println(divider);
// The next line of the table contains the column labels.
// Begin with a blank line, and put the column names and column
// divider characters "|" into it. overwrite() is defined below.
StringBuffer line = new StringBuffer(blankline.toString());
line.setCharAt(0, '|');
for(int i = 0; i < numcols; i++) {
int pos = colpos[i] + 1 + (colwidths[i]-labels[i].length())/2;
overwrite(line, pos, labels[i]);
overwrite(line, colpos[i] + colwidths[i], " |");
// Then output the line of column labels and another divider
out.println(line);
out.println(divider);
// Now, output the table data. Loop through the ResultSet, using
// the next() method to get the rows one at a time. Obtain the
// value of each column with getObject(), and output it, much as
// we did for the column labels above.
while(rs.next()) {
line = new StringBuffer(blankline.toString());
line.setCharAt(0, '|');
for(int i = 0; i < numcols; i++) {
Object value = rs.getObject(i+1);
          if (value != null)
          overwrite(line, colpos[i] + 1, value.toString().trim());
overwrite(line, colpos[i] + colwidths[i], " |");
out.println(line);
// Finally, end the table with one last divider line.
out.println(divider);
out.flush();
/** This utility method is used when printing the table of results */
static void overwrite(StringBuffer b, int pos, String s) {
int slen = s.length(); // string length
int blen = b.length(); // buffer length
if (pos+slen > blen) slen = blen-pos; // does it fit?
for(int i = 0; i < slen; i++) // copy string into buffer
b.setCharAt(pos+i, s.charAt(i));

Don't put those JARs in the lib/ext directory. Only language extensions (e.g., packages that start with "javax") belong in there.
Learn how to set the CLASSPATH properly for starters:
http://java.sun.com/j2se/1.4.2/docs/tooldocs/windows/classpath.html
You might want to look at the JDBC tutorial, too:
http://java.sun.com/docs/books/tutorial/jdbc/
Do one thing at a time. Get the program to work, then worry about packaging it into an executable JAR.

Similar Messages

  • Trying to install the newest version of itunes on my pc and am getting  "program cant start because msvcr80.dll is missing from your computer"  reinstalling doesnt work.  and then it says error 7 (windows error 126)

    trying to install the newest version of itunes on my pc and am getting  "program cant start because msvcr80.dll is missing from your computer"  reinstalling doesnt work.  and then it says error 7 (windows error 126).  Any help would be appreciated.  Using Windows 7 enterprise on an hp Z600

    Go to Control Panel > Add or Remove Programs (Win XP) or Programs and Features (later)
    Remove all of these items in the following order:
    iTunes
    Apple Software Update
    Apple Mobile Device Support (if this won't uninstall move on to the next item)
    Bonjour
    Apple Application Support
    Reboot, download iTunes, then reinstall, either using an account with administrative rights, or right-clicking the downloaded installer and selecting Run as Administrator.
    The uninstall and reinstall process will preserve your iTunes library and settings, but ideally you would back up the library and your other important personal documents and data on a regular basis. See this user tip for a suggested technique.
    Please note:
    Some users may need to follow all the steps in whichever of the following support documents applies to their system. These include some additional manual file and folder deletions not mentioned above.
    HT1925: Removing and Reinstalling iTunes for Windows XP
    HT1923: Removing and reinstalling iTunes for Windows Vista, Windows 7, or Windows 8
    tt2

  • Set up ipod touch to cox email, ive tried everything and cant get it to work. thanks!

    set up ipod touch to cox email, ive tried everything and cant get it to work. thanks!

    Here's an answer from the net:
    Go to Settings/Mail,contacts,calendars/Add account choose other, choose Add Mail Account. Fill in name, email address, password and description on the screen that comes up. Save those.
    One the next screen tat comes up click om POP in the first line then fil in the host name as
    spop.west.cox.net or spop.east.cox.net or the one to go with your region.
    Note that is not a misprint, that is spop (secure pop)
    Fill in your username one more time (the password should have carried over from previously)
    Fill in your outgoing mail server like smtp.west.cox.net (change for your region) and click Save.
    When all the settings are verified a checkmark will appear next to them all and you are good to go.
    If it says something like "can't connect via SSL would you like to ..." then you probably missed the step about selecting POP on the second screen and are trying IMAP so go back and try over with POP. Or perhaps mistyped soemthing.
    Once everything is working you can go back into the settings and see that it has automatically connected on port 995 and that SSL is on
    Note that you probably won't be able to send email from a wifi in a cafe or similar as cox won't let you connect to their smtp from outside their network.
    I haven't tried receiving mail from a non cox connected wifi yet but I suspect it will work just fine. Anyway these settings work for me using my ipod to my home wifi router connected to cox.
    I could not find a definitive guide when I searched so I hope this helps other folks trying to configure this.
    I got the spop from "Mail for Mac OS X 10.5 configure SSL / POP" here:
    http://support.cox.com/sdccommon/asp...c-7f95e8bcaf39

  • I've downloaded and installed flashplayer five times and cannot get it to work

    I've downloaded and installed flashplayer five times and cannot get it to work.  Each time I go back to espn3 it tells me to install a new flashplayer.

    To give you any useful advice, I'm going to need to know more about your computer and browser:
    https://forums.adobe.com/thread/1195540

  • I have an old itunes gift card and cannot get it to work.

    I have an old itunes gift card and cannot get it to work.
    Any suggestions?  It's about 10 years old.
    Thanks,
    BuffalomarkM

    Can you provide more detail than just "doesn't work"? What happens when you attempt to redeem the card?

  • Mysql and Java

    Hi,
    can you do me a favor got the following exception when I run the below code in the JBuilder4.
    java.lang.NoClassDefFoundError: java/sql/Savepoint
         at com.mysql.jdbc.NonRegisteringDriver.connect(NonRegisteringDriver.java:266)
         at java.sql.DriverManager.getConnection(DriverManager.java:517)
         at java.sql.DriverManager.getConnection(DriverManager.java:177)
         at ucsc.Connect.main(Connect.java:17)
    Exception in thread "main"
    and When I run this program in the command prompt, I got the following exception
    D:\>java Connect
    Exception in thread "main" java.lang.NoClassDefFoundError: Connect
    D:\>
    I set CLASSPATH as %JAVA_HOME%\lib\jre\ mysql-connector-java-5.0.4-bin in the Environmental variables.
    Can anyone please tell me the reason for that.
    Code
    Thanks
    import java.sql.*;
       public class Connect
           public static void main (String[] args)
               Connection conn = null;
               try
                   String userName = "root";
                   String password = "";
                   String url = "jdbc:mysql://localhost:3306/ucsc";
    // ucsc is the database name      
                   Class.forName ("com.mysql.jdbc.Driver");
                   conn = DriverManager.getConnection(url,"root","");
                   System.out.println ("Database connection established");
               catch (Exception e)
                   System.err.println ("Cannot connect to database server");
               finally
                   if (conn != null)
                       try
                           conn.close ();
                           System.out.println ("Database connection terminated");
                       catch (Exception e)
       }

    Hi
    Now I got the following message for that code
    D:\>javac Connect.java
    D:\>java Connect
    Cannot connect to database server
    D:\>
    my code
    import java.sql.*;
    import javax.sql.*;
       public class Connect
           public static void main (String[] args)
               Connection conn = null;
               try
                   String userName = "root";
                   String password = "";
                   String url = "jdbc:mysql://localhost:3306/ucsc";
                   Class.forName ("com.mysql.jdbc.Driver");
                   conn = DriverManager.getConnection (url, userName, password);
                   System.out.println ("Database connection established");
               catch (Exception e)
                   System.err.println ("Cannot connect to database server");
               finally
                   if (conn != null)
                       try
                           conn.close ();
                           System.out.println ("Database connection terminated");
                       catch (Exception e) { /* ignore close errors */ }
       }can you tell me the where the error is
    Thanks

  • New user - cannot get programs to work??

    I just signed up for the full version of creative cloud and paid the $49.95.  When I try to open the applications, that were previously installed as the trial versions, they still wont open?  How do I get the programs to work?
    Annoying.  It is still asking me for a licence number?  Am I meant to have one?  Do I need to reinstall all programs???!!
    Some better instructions would be great Adobe....!
    The email you sent is not very helpful... Surely I am not the only person who downloaded the trial versions before subscribing... Your email is worded that I need to download the programs to make them work...
    How to get started:
    1. Log in http://www.adobe.com/go/cc_appsservices_au?trackingid=KDUMO to Creative Cloud with your Adobe ID and password.
    2. Choose products to download on the Apps page.http://www.adobe.com/go/cc_appsservices_au?trackingid=KDUMO
    3. Need Help? Visit the Download and Installation Support Center.http://www.adobe.com/go/cc_downloadhelp_au?trackingid=KDUMM

    Hi GennoAustralia,
    To license your already installed products running in trial, please follow below instructions:
    1. Remove all adobe entries present in host file. Host file is located at: C:\Windows\System32\\drivers\etc\hosts(win)  and /private/etc/hosts(mac)
    2. Launch any of your product,you want to license.Follow step a) or b) whichever applicable:
    a) If you have bought subscription for same adobe id which you used while installing your product in trial, you will get a "Sign In" screen. Click on "SIgn In", your      product is now licensed.
    b) If your adobe id having subscription is different from adobe id used while installing product in trial, a trial screen which has two butttons : "License This Software" and "Continue Trial" is shown. Click on "License This Software". On next screen,  click on "Not your Adobe Id" and enter the adobe id carrying subscription.
    You will now be able to license your product.
    Thanks,
    Manjri

  • EPub export issues and e-book programs that work with it

    Hey Ladies and Gents,
    I'm working with my coworker on ePUBS for our company products but we're pretty much noobs when it comes to these. We've hit a few snags that I'm hoping someone on here might be able to clear up.
    So far we've managed to export our white papers as fixed layout but when we open them up in adobe digital editions a lot of the text content seems to overlap like below:
    We don't have that problem in reflowable layout but some of our anchored points and captions get misplaced (which is almost worse). Is there anyway to fix this issue in the settings with Fixed layout without having to switched over to reflowable?
    We have them layed out for ipads and iphones. They include products photos/tables along with their descriptions.We primarily would love to have them up on iBooks and amazon for free for our clients to view.
    Only thing is, we haven't found a good program to download/publish our ePUBS to the correct format they need.
    Currently, Apple has seven approved iBookstore aggregators we've heard of that could work:
    • BiblioCore—www.bibliocore.com
    • BookBaby—www.bookbaby.com
    • Constellation—www.perseusdigital.com
    • INgrooves—www.ingrooves.com/digital-publishing
    • Ingram—www.ingramcontent.com/apple
    • Lulu—www.lulu.com/apple-ipad-publishing
    • Smashwords—www.smashwords.com/about/how_to_publish_ipad_ebooks
    However, Lulu is expensive and doesn't bring in photos. we've seen a program that does that for $800
    BUT we're hoping for a cheaper route; That's not exactly in our budget. We don't know much about the other ones. I'm hoping someone on here could give us some good insight on what would be the best choice for publishing our books onto ibooks and amazon.
    Thanks,
    Kristen

    I don't know what was running in the background that was causing InDesign to crash when I ran the epub export but now that I've restarted the machine (Windows 7) and restarted InDesign CS 5.5 the epub export works fine.  Though I'm still noticing problems with both the TOC and Cover image being exported at the same time.  When that is done the TOC is not incorporated into the epub.  This isn't much of a concern at the moment since I can always use some freeware to add that in.  I'm also puzzled that I can't add the author information in bridge.  InDesign locks the epub up so that the author, title, etc can not be edited in bridge.  But once again I can always use freeware to do this.  Thanks for the help you two.

  • Osx 10.8.5 and Java 7.40 not working

    Hi there,
    as a newly Apple user I get frustrated... 
    Many online services require JAVA installation, for instance Cisco webex. As i have osx 10.8.5 and Java 7.40 installed I thought I had done all there is. But...
    The Java test site (http://www.java.com/en/download/testjava.js) pregonises the JAVA installation (it doesn't say install) but there is no information about my device. The square stays white.
    I have checked the java insallation, enable browser-boxes, decreased security levels, cleared the cache, reinstalled, I have the admin rights etc etc. This didn't help.
    Besides that. Many application require JAVA installation. These applications don't work.
    At this point, I can use solution directions.... I doubt if I'm the only one with this problem and ther isn't a solution..
    Thanks in front,
    Jonkman

    Uninstall 7.40 and download and install 7 Update 25.
    Currently, this is what I have on my system and works just fine.
    As a matter of fact, in the Java Control Panel in System Preferences
    claims that this is the recommended version.
    There may be bugs (it is Java after) in the 40 release which is why the update
    to 40 has not been flagged.

  • Running PS CS4 on Windows7 (64-bit) and constantly getting "program error" messages

    I don't stop getting "program error" messages and I cannot open camera raw files despite having subsequently downloaded and installed the new ACR plug in.  Also, program errors often keep me from saving work.  Any known issues that might speed up solving this?

    Are there crash reports for these program error messages if so what is the failing module???

  • I am trying to install Appletv with an iPad2 and cannot get Homesharing to work

    I am trying to install Appletv with an iPad2 and cannot get Homesharing to work

    Homesharing only works with computers. If your using an ipad you want to use Airplay instead.
    http://support.apple.com/kb/ht4437?viewlocale=de_de&locale=de_de

  • Iv got a new macbook air. and cannot get it to work on my iMac? can anyone help??

    Iv just bought a macbook air external dvd drive. and i cant get it to work on my imac? Can anyone help???

    I don't believe the "Apple MacBook Air SuperDrive" is advertised to work with anything except a MacBook Air or a Mac Mini.
    According to a MacWorld article, the reason that it won't work on other models is not a hardware issue, but a Mac OS X one.  The MacWorld column described modifying a kernel extension file (dicey; a good way to make your Mac non-bootable if you mess it up); readers suggested a method that involved modifying only property list files.'
    I'm not sure I believe that it is just a software issue, or a "what is Apple willing to test and support?" one.  At the very end of the page, someone reported seeing "Extra Operating Current (mA): 600" in a USB device tree report.
    I think this drive can draw more than the standard amount of power for a USB port.  The USB ports on the MacBook Air  (and now on the versions of the Mini that lack internal optical drives) have probably been designed with that in mind.  The USB ports on the other Macs may only be supplying standard amounts of power, which might (educated guess) be insufficient for some operations (like burning DVDs).

  • TS1702 I have installed a new version of an APP (mViewer).   This app allows me to view security cameras in my office when I'm away.  I've tried istalling it several times, put in all the information, including passwords and cannot get it to work.?

    I have installed a new version of an APP (mViewer).  This app allows me to view security cameras in my office from anywhere.  I've tried installing several times, put in all the information, including passwords, but cannot get it to work either on my iPhone or iPad. Is anyone familiar with this app?  Thank you.

    I don't know this app, but I did look it up in the iTunes Store, thinking I would suggest you could visit the developer's (vendor's) site and seek assistance there.
    But when I found the app and went to the vendor's site, I found garbage (nothing useful).
    Oh well.

  • Lion 10.7.5 on a mid 2012 27" iMac and cannot get remote to work...

    I just bought apple remote, lovely. Only it doesn't work with my iMac. It works with iTunes on my macbook pro so doesn't seem to be the remote itself. Also I was assuming I'd be able to use it for all media that I'm streaming through my mac... Netflix, iPlayer etc. The more I read the more I get the feeling it is only supposed to work with content sourced through Apple. ie. iTunes and Apple TV.. is this really the case? Please help, I was looking forwards to being able to catch up episodes of Heroes, with the help of a remote!

    Okay, I managed to get remote connected to the iMac. Enable and pairing controls were in:
    system preferences > security & privacy > advanced
    iTunes and DVD's work.
    Now I'm interested if there is some way of getting it to work for browser streaming content like iPlayer and Netflix?
    Also, can it be used for keynote presentations?
    Thanks.

  • I have the new i-pad and cannot get signal at work.  My original i-pad did not have this problem

    I have the new i-pad and cannot get a signal at work.  My original i-pad did not have this problem.  Any clue?

    Look at iOS Troubleshooting Wi-Fi networks and connections  http://support.apple.com/kb/TS1398
    iPad: Issues connecting to Wi-Fi networks  http://support.apple.com/kb/ts3304
    Additional things to try.
    Try this first. Turn Off your iPad. Then turn Off (disconnect power cord) the wireless router & then back On. Now boot your iPad. Hopefully it will see the WiFi.
    Change the channel on your wireless router. Instructions at http://macintoshhowto.com/advanced/how-to-get-a-good-range-on-your-wireless-netw ork.html
    How to Quickly Fix iPad 3 Wi-Fi Reception Problems
    http://osxdaily.com/2012/03/21/fix-new-ipad-3-wi-fi-reception-problems/
    If none of the above suggestions work, look at this link.
    iPad Wi-Fi Problems: Comprehensive List of Fixes
    http://appletoolbox.com/2010/04/ipad-wi-fi-problems-comprehensive-list-of-fixes/
    Fix iPad Wifi Connection and Signal Issues  http://www.youtube.com/watch?v=uwWtIG5jUxE
     Cheers, Tom

Maybe you are looking for

  • How to tell Windows to open photos in Lightroom?

    I have Lightroom and Elements 12 on my computer (Windows Vista Home Premium). The computer automatically opens every photo in Elements 12.  However, I want to open my photos in Lightroom.  How can I change this setting?  Thank you.  June E.

  • Soundtrack Pro: Moving Mulitple "locked" style Clips at once.

    Hi Guys, Thanks very much for your help with previous problems by the way. I was wandering if it was possible to select multiple clips on multiple channels and move them all in bulk up the timeline? for instance, If I need to drop in a new interview

  • Idoc INVOIC error Baseline date for payment does not exist

    Dear All, I am facing the following error message when processing an idoc to do an MM invoice reception (operation similar to a MIRO). The payment term is correctly maintained in the purchase order. Idoc message type INVOIC MM. Baseline date for paym

  • Help on Form Actionscript

    I really need help on this one thing. The titles come to my email but the typed info from viewer does not. Must be something in the Actionscript for the form or submit button. Mary Alice Php seems fine because the form titles come to my email. Just n

  • My internet shuts dowsn

    Internet will shut down all of a sudden