Generic working in eclipse compiler but not through builds

The following code snippet works fine in my eclipse development environment (1.6.0_06), but the build system running 1.6.0_06 throws exception:
MyClass:343: incompatible types
found : java.util.List<C>
required: java.util.List<B>
entries = createListFromSmartCopy(myAList, new B(), true);
Types:
A is an interface
B is an interface of A
C is an implementation of B
List<A> aList = new ArrayList<A>();
aList.add(new A());
List<B> return = createListFromSmartCopy(aList, new C(), true);
    * <p>Creates a copy of a list where the source list could be an ancestor
    * type of the returned list. It also uses a reference object to actually
    * construct the objects that populate the return list.</p>
    * @param <T> - The ancestor type of the source list
    * @param <R> - The derived type of the destination list
    * @param <S> - The more derived type of the prototype object used to
    * construct the list of R's
    * @param sourceList - The source list
    * @param referenceObject - The object used to construct the return list
    * @param deepCopy - Deep copy serializable objects instead of just copying
    * the reference
    * @return a list of R's (as defined by the caller) of entries with the
    * object constructed as a copy of referenceObject with the properties of the
    * sourceList copyied in after construction
public static <T extends Serializable, R extends T, S extends R> List<R> createListFromSmartCopy(
            List<T> sourceList, S referenceObject, boolean deepCopy)
      List<R> retr = new ArrayList<R>();
      for(int i = 0; i < sourceList.size(); i++)
         retr.add(copyOf(referenceObject));
         copyInto(sourceList.get(i), retr.get(i), deepCopy);
      return retr;
   }Any thoughts on either:
1. How does this pass the compiler validation inside eclipse, even through 'R' has not been defined? I believe that the code is doing some sort of return type inference to return the exactly correct type of list as referred by the return result or else it is simply ignoring the invariant capture of R all together and silently dropping the error. The funny thing is that the code does work just fine in practice in my development system without an issue.
or
2. Why if the code is valid does the independent build system disallow this generic return type 'inference' to occur? Are there compiler flags I can use to withhold this special condition?

Thanks for the response, I wasn't trying to show a full example but just my implementation's snippet. I'll list one now:
package test;
import java.io.ByteArrayInputStream;
import java.io.ByteArrayOutputStream;
import java.io.IOException;
import java.io.ObjectInputStream;
import java.io.ObjectOutputStream;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.List;
public class TestMe
    * <p>This method performs a deep copy of an object by serializing and
    * deserialzing the object in question.</p>
    * @param <T> - The type of data to copy
    * @param original - The original object to copy
    * @return The object who's state should be the same as the original. This
    * call uses serialization to guarantee this copy is fully separate from the
    * original, so all sub-object references are also deep copies of their
    * originals
   @SuppressWarnings("unchecked")
   public static <T extends Serializable> T clone(T original)
      T obj = null;
      try
         ByteArrayOutputStream bos = new ByteArrayOutputStream();
         ObjectOutputStream out = new ObjectOutputStream(bos);
         out.writeObject(original);
         out.flush();
         out.close();
         ObjectInputStream in = new ObjectInputStream(new ByteArrayInputStream(
                  bos.toByteArray()));
         obj = (T)in.readObject();
      catch(IOException e)
         e.printStackTrace();
      catch(ClassNotFoundException cnfe)
         cnfe.printStackTrace();
      return obj;
    * <p>Copies the properties from one object to another. The destined object
    * in this method must be derived from the source object. This allows for a
    * faster and smoother transition.</p>
    * @param <T> The type of source
    * @param <R> The type of destination
    * @param source - The source object
    * @param destination - The destination object
    * @param deepCopy - Copies the reference objects instead of just passing
    * back the reference pointer reference
   public static <T, R extends T> void copyInto(T source, R destination,
            boolean deepCopy)
   // Stubbed because it links into a ton of unnecessary methods
    * <p>Copies the values of a list of an ancestor class into the values of
    * another list who's value is derived from the ancestor.</p>
    * @param <T> - The ancestor type of the source list
    * @param <R> - The derived type of the destination list
    * @param sourceList - The source list
    * @param destinationList - The destination list
    * @param deepCopy - Deep copy serializable objects instead of just copying
    * the reference
   public static <T, R extends T> void copyIntoList(List<T> sourceList,
            List<R> destinationList, boolean deepCopy)
      if(sourceList.size() > destinationList.size())
         throw new IllegalArgumentException(
                  "Cannot copy entire source set into destination list");
      for(int i = 0; i < sourceList.size(); i++)
         copyInto(sourceList.get(i), destinationList.get(i), deepCopy);
    * <p>Creates a copy of a list where the source list could be an ancestor
    * type of the returned list. It also uses a reference object to actually
    * construct the objects that populate the return list.</p>
    * @param <T> - The ancestor type of the source list
    * @param <R> - The derived type of the destination list
    * @param <S> - The more derived type of the prototype object used to
    * construct the list of R's
    * @param sourceList - The source list
    * @param referenceObject - The object used to construct the return list
    * @param deepCopy - Deep copy serializable objects instead of just copying
    * the reference
    * @return a list of R's (as defined by the caller) of entries with the
    * object constructed as a copy of referenceObject with the properties of the
    * sourceList copyied in after construction
   public static <T extends Serializable, R extends T, S extends R> List<R> createListFromSmartCopy(
            List<T> sourceList, S referenceObject, boolean deepCopy)
      List<R> retr = new ArrayList<R>();
      for(int i = 0; i < sourceList.size(); i++)
         retr.add(clone(referenceObject));
         copyInto(sourceList.get(i), retr.get(i), deepCopy);
      return retr;
   public static void main(String[] args)
      List<A> aList = new ArrayList<A>();
      aList.add(new AImpl());
      aList.add(new AImpl());
      List<B> bList = createListFromSmartCopy(aList, new C(), true);
      for(B bItem : bList)
         System.out.println("My String = "
                  + bItem.getString() + " and my number = " + bItem.getInt());
   public static interface A extends Serializable
      public void setString(String string);
      public String getString();
   public static class AImpl implements A
      private static final long serialVersionUID = 1L;
      @Override
      public void setString(String string)
      @Override
      public String getString()
         return null;
   public static interface B extends A
      public void setInt(int number);
      public String getInt();
   public static class C implements B
      private static final long serialVersionUID = 1L;
      public C()
      @Override
      public String getInt()
         return null;
      @Override
      public void setInt(int number)
      @Override
      public String getString()
         return null;
      @Override
      public void setString(String string)
}In my eclipse (20090920-1017), this compiles and runs just fine. I stripped out the functional pieces that weren't pertinent to the discussion.

Similar Messages

  • Chapter buttons work fine in preview but not in build

    Hi,
    I am using video as a back ground and overlaying buttons that highlight when selected. The button routing is fine, default button set up, no overrides and it works fine in preview, however when I build it to disk no buttons are highlighted, cannot navigate or select any chapters. I deleted the menu are recreated it but same problem, anybody have any ideas?,
    Regards,
    Colin Browne - Irish Video Productions

    Irish Video wrote:
    thanks for your help. The problem was with the aspect ratio of the menu and the background video. Even though it is a 16:9 project the only way I could get it to work was to export the background video again in 4:3, change the menu aspect and re-position the buttons.
    Hmmm.  If there is a mismatch between menu, video and project PARs, it's possible that things got moved around enough during transcoding to make the close-but-not-overlapping button hit areas actually overlap when the project was built.  The fact that repositioning the buttons and adjusting PAR fixed the problem is the biggest clue, IMHO.
    At least that's my theory...
    Regardless, thanks for posting back with your solution!
    -Jeff

  • SQL query works in access 2000 but not through JDBC

    Hello to all as my first posted message, I have a bit of a pickle on my hands. I have a query which is critical to for my application to function.
    In Access 2000
    SELECT sb.SeatName
    FROM SeatBooking sb, Movie m, MovieSession ms, Booking b
    WHERE m.MovieId = ms.MovieId
    AND ms.MovieSessionId = b.MovieSessionId
    AND b.BookingId = sb.BookingId
    AND ms.DateOfSession = #2003/04/16 07:15:00 PM#;
    This query works fine. When I insert it into my code
    String query = "SELECT sb.SeatName \n" +
    "FROM SeatBooking sb, Movie m, MovieSession ms, Booking b \n" +
    "WHERE m.MovieId = ms.MovieId \n" +
    "AND ms.MovieSessionId = b.MovieSessionId \n" +
    "AND b.BookingId = sb.BookingId \n" +
    "AND ms.DateOfSession = #" +
    cp.getMovieSessionAt(i).getTrueTimeOfSession() + "#;";
    The last line of code returns #2003/04/16 07:15:00 PM#; Which is the exact same as in Access.
    To rule out some possibilities
    - there are other less complicated queries which access the same database but work fine. so my code seems to be ok
    - I have tried to use Format() on ms.DateOfSession to match the return value of the java statement (Which is a general date in Access in the format of 16/04/2003 7:15:00 PM)
    Any suggestions would be appreciated!

    Hi Simon,
    On my Windows XP system with J2SE SDK version 1.4.1_02 and Micro$oft Access 2002, I have the following table:
    column name    column type
    id             Number
    name           Text
    updated        Date/TimeUsing the JDBC-ODBC bridge driver (that is part of the J2SE distribution), the following code uses the JDBC "escape" syntax -- and it works.
    import java.sql.*;
    public class JdbcOdbc {
      public static void main(String[] args) {
        Connection dbConn = null;
        ResultSet rs = null;
        Statement stmt = null;
        String sql =
          "SELECT * FROM Table1 WHERE updated = {ts '2003-04-13 07:53:23'}";
        try {
          Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
          dbConn = DriverManager.getConnection("jdbc:odbc:db1");
          stmt = dbConn.createStatement();
          rs = stmt.executeQuery(sql);
          if (rs.next()) {
            System.out.println("id      = " + rs.getInt(1));
            System.out.println("name    = " + rs.getString(2));
            System.out.println("updated = " + rs.getTimestamp(3));
        catch (SQLException sqlEx) {
          System.err.println("Database operation failed.");
          sqlEx.printStackTrace();
        catch (ClassNotFoundException cnfEx) {
          System.err.println("JDBC driver class not found");
          cnfEx.printStackTrace();
        finally {
          if (rs != null) {
            try {
              rs.close();
            catch (SQLException sqlEx) {
              System.err.println("ERROR: Failed to close result set");
              sqlEx.printStackTrace();
          if (stmt != null) {
            try {
              stmt.close();
            catch (SQLException sqlEx) {
              System.err.println("ERROR: Failed to close statement");
              sqlEx.printStackTrace();
          if (dbConn != null) {
            try {
              dbConn.close();
            catch (SQLException sqlEx) {
              System.err.println("ERROR: Failed to close DB connection");
              sqlEx.printStackTrace();
    }More details about the JDBC escape syntax are available here:
    http://java.sun.com/j2se/1.4.1/docs/guide/jdbc/getstart/statement.html#999472
    Hope this helps you.
    Good Luck,
    Avi.

  • The screen on my iPhone is frozen and I can access apps through Siri. The touch screen works within the apps but not in the home screen. What do I do?

    the screen on my iPhone is frozen and I can access apps through Siri. The touch screen works within the apps but not in the home screen. What do I do?

    Have you tried a reset which is similar to a computer restart and is done by pressing and holding the home button and the sleep/wake or on/off button simultaneously until you see the Apple logo and then release?

  • HP Pavilion 15-p027ne, Audio working through headphones/earphones but not through speakers

    HP Pavilion 15-p027ne:
    Audio working through headphones/earphones but not through speakers.
    I downgraded from windows 8.1 to Windows 7 (64-bit) and the problem is still not resolved. 
    Appreciate any troubleshooting tips.
    Thanks.
    - HP Pavilion User.

    Hi there @donimuha 
    Welcome to the HP Support Forums! It is a great place to find the help you need, both from other users, HP experts and other support personnel.
    I understand that you are getting sound from the headphones/earplugs but not from the system speakers. I am happy to assist you with this.
    As the sound is working through the audio jack, I will assume for now that the audio driver is fine. Please check through the following page, which is very comprehensive. If you are still having a problem it is possibly a hardware issue with the speakers.
    No Sound from the Speakers (Windows 7)
    Let me know if that works for you.
    Malygris1
    I work on behalf of HP
    Please click Accept as Solution if you feel my post solved your issue, it will help others find the solution.
    Click Kudos Thumbs Up on the right to say “Thanks” for helping!

  • I have a bluetooth headset that only works in phone feature but not in itunes or apps on my iphone, please help

    I have a bluetooth headset that only works in phone feature but not in itunes or apps on my iphone, please help.
    It works fine through my macbook, can't find anything in settings on iphone to resolve problem

    The headset has to have A2DP capability, which most (I believe) do not.
    http://en.wikipedia.org/wiki/Bluetooth_profile

  • Connecting computer to tv for viewing EPIX,ETC.. but not through router?????

    I need to start connecting computer to tv for viewing EPIX,ETC.. but not through router?????  I have a workroom with a TV but without cable connection, so I thought I would connect my computer to my TV.  I have an Acer Aspire laptop. and a 27" tv.  Please can anyone tell me how to get this to work.  I need something to watch while I am working.

    I'm a little confused here as to what you're looking for. Are you simply trying to get Internet Connectivity to the computer using the best method possible or are you looking to try and send a signal to the TV without a cable connection going to it? The computer's Internet portion is easy if that is the case. If we can just get some additional information on that, we'll figure out how to approach it.
    1: Does this Workroom have any Coaxial cabling going to it that can be connected back to the cabling the FiOS equipment is using?
    2: Is Ethernet cabling available and running to the location of the router, or nearby?
    3: Would Wireless work for you (as much as it is not ideal)?
    4: Are you looking for a Physical connection to the network?
    Now if what you're trying to accomplish is the actual connection between the Computer and the TV, check to see what inputs the TV supports (HDMI, VGA, DVI, Component, Composite) and see what the laptop supports (DisplayPort, VGA, HDMI, DVI). More than likely the Laptop would have a VGA connection along with the TV. Your best bet would be to honestly just connect a VGA Cable between the two machines, and then for audio, just use a 3.5" to Composite connection for the TV (Unless the TV has a 3.5" Input jack for the PC Input). If HDMI is available on both devices, by all means use that. Same with DVI as both give better picture quality over a VGA Cable.
    If you can give us exact model numbers, that would help.
    ========
    The first to bring me 1Gbps Fiber for $30/m wins!

  • Html link to pdf works ok on mac but not on ipad. adobe reader for ipad downloaded.

    HTML link to pdf works ok on Mac but not on ipad. Adobe Reader for ipad downloaded. What's wrong?

    Hi pwillener,
    Thank for reply. The pdf’s are in a subfolder “PDF” of the folder holding the web page. The web page itself uses
    . This works in full size computer browsers but not in an iPad.
    My excursion through the search engine has produced the idea of adding #page = requesting page to the URL but I have not had time to try it perhaps without the = sign.
    Bryan

  • Button hyperlinks work in project preview but not in published .swf

    Captivate 6, button hyperlinks work in project preview but not in published .swf, the cursor changes the “the hand” but the hyperlink does not redirect.
    Any ideas?
    Like I said my buttons work great in preview mode after publishing, one click and the PDF opens in a new browser window. Open the project through the published .swf files and the links will not work.
    Using Captivate 6 on WIndows 7

    Hello,
    Welcome to Adobe Forums.
    Once your project published, add the .swf file in Flash Global Setting :
    1) Right Click on the content (Published .swf file) and click on Global Settings
    2) Go to Advanced Tab and Click on Trusted Location Settings  (Scrool down to see this button)
    3) Click on "Add" button and then "Add file", browse for the Captivate 6 published file and click on OK
    4) Launch the .htm file again (Location where Captivate publish your project)
    Hope this helps !!
    Thanks,
    Vikram

  • How to publish iWeb online but not through iCloud but someone else?

    How to publish iWeb online but not through iCloud but someone else?
    Mybe Google or woodpress, 
    Or publish iWeb online with iCloud WITHOUT upgrading Lion?

    iWeb will still be around but as Jeff pointed out if you want a blog with visitors comments you should consider converting your iWeb blog to  WordPress.  Rage Software has created an applicaiton that will convert your current iWeb blog w/visitor comments to a Wordpress blog. You can get the application here: Convert Your iWeb Blog to a WordPress Blog.
    If you don't have visitor comments then the iWeb blog will continue to work for you on a 3rd party FTP server.
    If you have photo pages in your website with the accompanying slideshow you'll need to read the following:
    It's now confirmed that iWeb and iDVD have been discontinued by Apple. This is evidenced by the fact that new Macs are shipping with iLife 11 installed but without iWeb and iDVD.
    On June 30, 2012 MobileMe will be shutdown. HOWEVER, iWeb will still continue to work but without the following:
    Features No Longer Available Once MobileMe is Discontinued:
    ◼ Password protection
    ◼ Blog and photo comments
    ◼ Blog search
    ◼ Hit counter
    ◼ MobileMe Gallery
    All of these features can be replaced with 3rd party options.
    I found that if I published my site to a folder on my hard drive and then uploaded with a 3rd party FTP client subscriptions to slideshows and the RSS feed were broken.  If I published directly from iWeb to the FPT server those two features continued to work correctly.
    There's another problem and that's with iWeb's popup slideshows.  Once the MMe servers are no longer online the popup slideshow buttons will not display their images.
    Click to view full size
    However, Roddy McKay and I have figured out a way to modify existing sites with those slideshows and iWeb itself so that those images will display as expected once MobileMe servers are gone.  How to is described in this tutorial: #26 - How to Modify iWeb So Popup Slideshows Will Work After MobileMe is Discontinued.
    In addition the iLife suite of applications offered on disc is now a discontinued product and the remaining supported iApps will only be available thru the App Store from now on.
    HOWEVER, the iLife 11 boxed version that is still currently available at the online Apple Store (Store button at the top of the page) and those copies still on the shelves of retailers will include iWeb and iDVD.
    OT

  • Audio works in audio chat, but not in video chats.

    So, when I start an audio chat with a friend, we can hear each other just fine. I then switch over to a video chat, and she can hear me, but I can't hear her. I already had to do all sorts of port forwarding in the firewall settings and router in order to rid myself of error -8... this is kind of frustrating!
    I fixed the problem a week or so back by simply restarting iChat. When I tried that this time, no dice. Any ideas? Seems odd that it would work in audio chat but not in video chat...

    I am having the same issue. Last night my sister and I did a video chat (which took some doing- we are both neophytes which it comes to this technology). It was great! But we had no audio. So we typed our conversation for quite awhile till my sister turned on her speakers...... Then she could hear me!! Now we were excited. But I never could hear them. On the video window there were 3 icons at the bottom, one being a microphone icon which had a line through it. So we are assuming the audio problem is on her end (she's using a Dell) and not at my end (since she could hear me)- is that correct? I checked all my settings and I had my speakers on the whole time with the volume maxed out. I could hear clicks when she wiggled something on her speakers but that was it. Any clue what she needs to check? I know I am posting in a Mac forum but we are giving it try again tomorrow and it would be nice to hear her. I know that there are plenty of us Mac users that have relatives that use PC's so maybe someone might have an answer. Will keep searching though. Judy

  • Sound through speakers but not through headphones

    hello i have an hp envy 15-k002ne laptop wtih beats audio. i recently reinstalled windows 8.1 on the machine and was able to get all my drivers from the hp support website and unortunately the realtek high definition audio driver for sound on my machine made it in such a way that sound only comes from my speakers but not through my headphones. i tried using different headsets but it recognises some of them as microphones only because of that feature. someone please help me for i have been restless for days. thanks in advance

    Hi @aflokko ,
    Welcome to the HP Forums!
    I would like to take a moment and thank you for using the forum, it is a great place to find answers. For you to have the best experience in the HP forum, I would like to direct your attention to the HP Forums Guide First Time Here? Learn How to Post and More.
    I understand that you recently reinstalled Windows 8.1 and were able to get all the drivers from the HP support website.
    You have audio through your speakers but not your headsets.
    Have you ran The HP Support Assistant  to aid with HP updates and resolving issues?
    Have you tried Using Automated Troubleshooting (Windows 8) to aid with this difficulty?
    Here is a link to Troubleshooting Audio Problems with External Speakers, Headphones, and HDMI Sound Devices that should help.
    If you are still having an issue, I suggest contacting HP support for further assistance.
    Please call our technical support at 800-474-6836. If you live outside the US/Canada Region, please click the link below to get the support number for your region Technical Support Sitemap .
    Sparkles1
    I work on behalf of HP
    Please click “Accept as Solution ” if you feel my post solved your issue, it will help others find the solution.
    Click the “Kudos, Thumbs Up" on the bottom right to say “Thanks” for helping!

  • Applets work under older compilers, but not newest

    The applets I compile using the latest release of javac (with the JDK 1.4 package) work in the appletviewer but not in IE 6.0. However, if I use an older version of javac from a couple years ago (not sure the version), the applets work in IE suddenly. Is there something I need to install in IE to make it compatible with the Sun 1.4 javac compiler? Should I just reinstall the JRE? Has anyone heard of this before? Thanks!!

    You could try installing the Java 1.4 plugin.
    http://java.sun.com/getjava/

  • Superdrive works on XP/bootcamp but not on OSX?

    So, I've been through this a billion times. Even time-machined & formatted. But nothing works..
    I went through about 200 DVD's trying to put together a proposal for school and it kept failing to burn. With Toast, Disk Utility, Drag&Drop notta. Finally pulled the data onto my external, booted into Windows using boot camp, used nero, and worked without a Hitch.
    I've tried every trick on this site and on every other site possible. Tech support says that i'm free to pay em to replace the drive and tried arguing with em bout the bootcamp working etc.. (long story), but eh... fail! (mac support = worse then windows at this point)
    I have a hard time feeling this is a Hardware issue since it works on the Windows BootCamp partition but not on the Mac OSX 10.5.4 partition.
    MATSHITA DVD-R UJ-857E:
    Firmware Revision: ZA0E
    Interconnect: ATAPI
    Burn Support: Yes (Apple Shipping Drive)
    Cache: 2048 KB
    Reads DVD: Yes
    CD-Write: -R, -RW
    DVD-Write: -R, -R DL, -RW, +R, +R DL, +RW
    Write Strategies: CD-TAO, CD-SAO, DVD-DAO
    Media: Insert media and refresh to show available burn speeds
    I'm not as fluent in mac as i am with windows (MCSE/MCSA) but going to 2 years of electrical school I damned well know this most likely is a software issue not hardware.
    After spending three days reading in this forum i havn't found anything that works or similar to someone saying it works in bootcamp partition but not osx... sooo just curious if anyone's got any ideas worth while..
    thanks!

    There is no way to do this and I don't believe Apple would view this as an "issue"; in my humble opinion, it is because iMacs have a gorgeous display (your choice of 21.5 or 27") and therefore were not necessarily designed to be used with a second display, whereas laptops were - hence the available option to use it in clamshell mode:
    http://support.apple.com/kb/HT3131
    Edit: You can create a totally black image and use that as your desktop picture if you like.
    Message was edited by: Barbara Daniels1

  • Have Sony reader 505, ADE doesn't recognize when attached to mac OX 10.6.8. works with reader library but not with ADE

    Have Sony reader 505, ADE doesn't recognize when attached to mac OX 10.6.8. works with reader library but not with ADE

    YEAY!
    I just got the solution (that worked for me, anyway) from a Sony support rep. No PC or VMWare needed.
    OK, you've installed Sony eBook Library v3, and Adobe Digital editions, you've set up your acocunts and authorized your computer on both of them, and you've authorized your Reader with the Sony Library application.
    You go to the public library ebook download page, either through the Sony Library or just through a bookmark.
    You check out a book, and open it in Adobe Digital Editions, which still won't recognize your Reader.
    BUT, in the Sony Library app, you can now click "File, Import.." and go find the pdf you downloaded with the Adobe app.
    On my Mac, it was in ~/Documents/Digital Editions
    Import it, and drag it to your Reader.
    The first time you do this, it will ask you to authorize the Reader with your Adobe ID.
    Worked like a charm.

Maybe you are looking for

  • Memory leak in ODBC driver

    I have a serious problem with the maxdb ODBC Driver. I tested Version 7.06.03.00 and some older Versions. Here is a little example for MS Access to show the problem. The table "artikel" is a linked maxdb table. The example code opens and closes a rec

  • BAPI FM to set the  "Material Number used by Vendor" and the "Order Unit"

    Hi, is there any bapi or fm to set these two fields in the purchase view of the material? to create the material i've used the "BAPI_MATERIAL_SAVEDATA" but i don't have a clue where those field's can be set. thkzs to all in advanced Regards Jaime

  • I can not make fMMS work on my N900 in Brazil - CL...

    Hello! I am using my N900 for 1 month so far... However I can not use fMMS in my N900. I already have the latest version, but nothing so far... I have looked at many types of configurations as well and noting... I am in Brazil, Sao Paulo and I use Cl

  • Regarding return type in JDBC coding

    We write code like Class.forName(<some string>) to load particular DriverClasses for database connectivity. As the Class.forName() returns a class and we don't catch it into particular variable during JDBC programming. Why there are no exceptions rai

  • IPhoto 9.1.1 crashes upon photo import

    I've done everything posted and I'm at my breaking point. I've reset the cache, rebuilt the library, deleted the prefs, created a new library, repaired permissions, created a whole new user for the machine, reinstalled iLife, reinstalled OS X. Any ot