Error with either GMail or getMessages()

Hi everybody,
I've written a program to backup files to my gmail account. Each of the individual pieces seems to be working, but for some reason, the getMessages() function doesn't get the messages that the program itself has sent. It recognizes email from other clients, but if my program sends it, getMessages() will ignore it. It's there, 'cause I can log in to gmail and view it. Is this a problem with gmail, with getMessages(), or with me?
Below is a simple program to demonstrate the problem. You'll need mail.jar, activation.jar, and pop3.jar in your classpath. It's usage is:
java gmailTest userName password subjectLine
It reads your gmail acct., lists the message subjects, looks for a message with the subject you entered on the command line, then sends a new message with that subject, then checks again for a message with that subject. It should always get a match on the second run, but it doesn't.
I've got gmail invites for anybody who thinks he or she can help.
import java.util.Properties;
import java.util.StringTokenizer;
import java.io.File;
import com.sun.mail.pop3.POP3SSLStore;
import java.security.Security;
import javax.mail.*;
import javax.mail.internet.*;
import javax.activation.*;
public class gmailTest
public static String usage = "Usage: java gmailTest user password subject";
public static void main(String[] args)
  if(args.length != 3)
   System.out.println(usage);
   System.exit(0);
  Properties pop3Props = new Properties();
  pop3Props.setProperty("mail.pop3.user", args[0]);
  pop3Props.setProperty("mail.pop3.passwd", args[1]);
  pop3Props.setProperty("mail.pop3.ssl", "true");
  pop3Props.setProperty("mail.pop3.host", "pop.gmail.com");
  Properties smtpProps = new Properties();
  smtpProps.setProperty("mail.smtp.user", args[0]);
  smtpProps.setProperty("mail.smtp.passwd", args[1]);
  smtpProps.setProperty("mail.smtp.ssl", "true");
  smtpProps.setProperty("mail.smtp.host", "smtp.gmail.com");
  String toAndFromAddress = pop3Props.getProperty("mail.pop3.user") + "@gmail.com";
  try
   checkForMessage(pop3Props, args[2]);
   sendMail(smtpProps, args[2], null, toAndFromAddress, null, null, toAndFromAddress, null, true);
   checkForMessage(pop3Props, args[2]);
  catch(Exception e)
   e.printStackTrace();
public static  boolean checkForMessage(Properties props, String msgSubject)
        throws NoSuchProviderException, MessagingException
  Session session = null;
  Store store = null;
  String user = ((props.getProperty("mail.pop3.user") != null) ? props.getProperty("mail.pop3.user") : props.getProperty("mail.user"));
  String passwd = ((props.getProperty("mail.pop3.passwd") != null) ? props.getProperty("mail.pop3.passwd") : props.getProperty("mail.passwd"));
  String host = ((props.getProperty("mail.pop3.host") != null) ? props.getProperty("mail.pop3.host") : props.getProperty("mail.host"));
  if((props.getProperty("mail.pop3.ssl") != null) && (props.getProperty("mail.pop3.ssl").equalsIgnoreCase("true")))
   String SSL_FACTORY = "javax.net.ssl.SSLSocketFactory";
   props.setProperty("mail.pop3.socketFactory.class", SSL_FACTORY);
   props.setProperty("mail.pop3.socketFactory.fallback", "false");
   String portStr = ((props.getProperty("mail.pop3.port") != null) ? props.getProperty("mail.pop3.port") : "995");
   props.setProperty("mail.pop3.port",  portStr);
   props.setProperty("mail.pop3.socketFactory.port", portStr);
   URLName url = new URLName("pop3://"+user+":"+passwd+"@"+host+":"+portStr);
   session = Session.getInstance(props, null);
   store = new POP3SSLStore(session, url);
  else
   session = Session.getInstance(props, null);
   store = session.getStore("pop3");
//session.setDebug(true);
  store.connect(host, user, passwd);
  Folder folder = store.getFolder("INBOX");
  folder.open(Folder.READ_WRITE);
  Message[] allMsgs = folder.getMessages();
  boolean msgFound = false;
  for(int i = 0; i < allMsgs.length; i++)
   System.out.println(allMsgs.getSubject());
if(allMsgs[i].getSubject().equals(msgSubject))
msgFound = true;
if(msgFound)
System.out.println("-----------!!!A Matching Message was found!!!------------");
else
System.out.println("------------------No Matching Messages were found :{--------------------");
folder.close(true);
store.close();
return msgFound;
public static int sendMail(final Properties props, String subject, String body, String to, String cc, String bcc, String from, File[] attachments, boolean toStdOut)
     throws javax.mail.internet.AddressException, javax.mail.MessagingException, javax.mail.NoSuchProviderException
Session sess;
//props.setProperty("mail.debug", "true");
if(props.getProperty("mail.smtp.ssl") != null && props.getProperty("mail.smtp.ssl").equalsIgnoreCase("true"))
Security.addProvider(new com.sun.net.ssl.internal.ssl.Provider());
String portStr = ((props.getProperty("mail.smtp.port") != null) ? (props.getProperty("mail.smtp.port")) : "465");
props.put("mail.smtp.auth", "true");
props.put("mail.smtp.socketFactory.port", portStr);
props.put("mail.smtp.socketFactory.class", "javax.net.ssl.SSLSocketFactory");
props.put("mail.smtp.socketFactory.fallback", "false");
sess = Session.getDefaultInstance(props,
new javax.mail.Authenticator()
protected PasswordAuthentication getPasswordAuthentication()
     String userName = ((props.getProperty("mail.smtp.user") != null) ? props.getProperty("mail.smtp.user") : props.getProperty("mail.user"));
     String passwd = ((props.getProperty("mail.smtp.passwd") != null) ? props.getProperty("mail.smtp.passwd") : props.getProperty("mail.passwd"));
if(userName == null || passwd == null)
return null;
return new PasswordAuthentication(userName , passwd);
else
String portStr = ((props.getProperty("mail.smtp.port") != null) ? (props.getProperty("mail.smtp.port")) : "25");
sess = Session.getInstance(props, null);
//sess.setDebug(true);
MimeMessage mess = new MimeMessage(sess);
mess.setSubject(subject);
StringTokenizer toST = new StringTokenizer(to, ",;");
while(toST.hasMoreTokens())
Address addr = new InternetAddress(toST.nextToken());
mess.addRecipient(Message.RecipientType.TO, addr);
if(from != null)
StringTokenizer fromST = new StringTokenizer(from, ",;");
InternetAddress[] fromAddrs = new InternetAddress[fromST.countTokens()];
for(int i = 0; fromST.hasMoreTokens(); i++)
fromAddrs[i] = new InternetAddress(fromST.nextToken());
mess.addFrom(fromAddrs);
if(cc != null)
StringTokenizer ccST = new StringTokenizer(cc, ",;");
while(ccST.hasMoreTokens())
Address addr = new InternetAddress(ccST.nextToken());
mess.addRecipient(Message.RecipientType.CC, addr);
if(bcc != null)
StringTokenizer bccST = new StringTokenizer(bcc, ",;");
while(bccST.hasMoreTokens())
Address addr = new InternetAddress(bccST.nextToken());
mess.addRecipient(Message.RecipientType.BCC, addr);
BodyPart messageBodyPart = new MimeBodyPart();
Multipart multipart = new MimeMultipart();
if(body != null)
messageBodyPart.setText(body);
multipart.addBodyPart(messageBodyPart);
if(attachments != null)
for(int i = 0; i < attachments.length; i++)
messageBodyPart = new MimeBodyPart();
DataSource source = new FileDataSource(attachments[i]);
messageBodyPart.setDataHandler(new DataHandler(source));
messageBodyPart.setFileName(attachments[i].getName());
multipart.addBodyPart(messageBodyPart);
mess.setContent(multipart);
Address[] allRecips = mess.getAllRecipients();
if(toStdOut)
System.out.println("done.");
//System.out.println("Sending message (\"" + mess.getSubject().substring(0,10) + "...\") to :");
System.out.println("Sending message (\"" + mess.getSubject() + "...\") to :");
for(int i = 0; i < allRecips.length; i++)
System.out.print(allRecips[i] + ";");
System.out.println("...");
Transport.send(mess);
if(toStdOut)
System.out.println("done.");
return 0;

In first place, sorry about my English (I'm spanish).
I think the code is good. I have got a similar problem and I think the problem is from GMAIL.
When I log in in one of my GMAIL accounts and put POP3 enabled (in Settings / Forwarding and Pop ) and don�t logout of the account , I can getmessages without problems, but if I try get the messages when I've logout , getmessages() don�t return messages.
I think the problem is: when you put pop3 enabled in the account say "POP is enabled for all mail that has arrived since", and say the time when you log in and enabled it. When you do a new log in say the new time, it mean, the account don�t remenber that you have set pop enabled and then, when you logout and try getMessages POP is not enabled.
In another account (I have one more old GMAIL account), when I enabled POP3, it remain enabled and i can getMessages from this account without problems.
In resume, log in in your account, PUT enable POP in "Settings / Forwarding and Pop" in the GMAIL account, and without logout try you code.
If you can get the messages, the problems is the same that I had, and it�s caused by that account. Try to get another GMAIL account that remenber the POP enabled selection when you logout.

Similar Messages

  • Installation error with 9.2 deleting older version of Apple Software Update

    Have tried installing directly from Apple.com and have tried downloading and
    then installing. Get the error with either method. Have even tried to install
    Quick Time standalone directly and from a Quick Time download with same error.
    I've even tried ALL Apple's trouble shooting methods to no avail. When I attempt to remove most of the programs with windows the error received is network resource is unavailable. Even when I remove/delete etc following Apple's trouble shooting I hit a brick wall and am hoping for advice/solutions.

    When I attempt to remove most of the programs with windows the error received is network resource is unavailable.
    Doublechecking, Mister Russell. Is it also saying that the AppleSoftwareUpdate.msi is missing?

  • When I compose an email in either gmail or yahoo, the cursor lags behind for about 2 seconds. This does not happen when I compose an email with Safari or Chrome. I am using a Mac with Firefox version 3.6.3. Any idea why this happens?

    When I compose an email in either gmail or yahoo, the cursor lags behind for about 2 seconds. This does not happen when I compose an email with Safari or Chrome. I am using a Mac with Firefox version 3.6.3. Any idea why this happens?
    == This happened ==
    Every time Firefox opened

    try
    The Reset Firefox feature can fix many issues by restoring Firefox to its factory default state while saving your essential information.
    Note: ''This will cause you to lose any Extensions, Open websites, and some Preferences.''
    To Reset Firefox do the following:
    #Go to Firefox > Help > Troubleshooting Information.
    #Click the "Reset Firefox" button.
    #Firefox will close and reset. After Firefox is done, it will show a window with the information that is imported. Click Finish.
    #Firefox will open with all factory defaults applied.
    Further information can be found in the [[Reset Firefox – easily fix most problems]] article.
    Did this fix your problems? Please report back to us!
    Thank you.

  • Error message: "Warning: unresponsive script". Afterward, the system freezes and will then crash. Crash reports have been submitted many, many times without response. I have tried the fore-mentioned solutions with either no results or very bad results

    Error message: "Warning: unresponsive script". Afterward, the system freezes and will then crash. Crash reports have been submitted many, many times without response. I have tried the fore-mentioned solutions with either no results or very bad results which I filed a report but did not receive an answer. The application to block scripts actually worsened the problem and I could not correct the situation for a while (no response from Firefox, at all). I have also been through this procedure without any one contacting me, AT ALL.
    == URL of affected sites ==
    http://http://www.facebook.com (always) and www.YouTube.com (sometimes)

    There does appear to be any support whatsoever from mighty "non caring" FIREFOX & people are getting fed up. We may as well try another system, if they can't be bothered to provide any support for their system, we can't be bothered to use their system.
    Brianeng

  • HT204053 I changed my AppleID in System Preferences, but the old ID comes up under iCloud and I get an error box saying my "ID or password are incorrect".  How do I get rid of the old ID which now doesn't work with either my old or new password??

    I changed my AppleID in System Preferences, but the old ID comes up under iCloud and I get an error box saying my "ID or password are incorrect".  How do I get rid of the old ID which now doesn't work with either my old or new password??

    Yes that makes sense, however have you updated it at My Apple ID before trying to change it in your system preferences > iCloud settings, you must do that first.

  • Infopath cannot submit the form because it contains errors. Errors are marked with either a red asterik(required fields) or a red, dashed border (invalid values)

    Infopath cannot submit the form because it contains errors. Errors are marked with either a red asterik(required fields) or a red, dashed border (invalid values).
    Press Ctrl+Shift+O for next error or Press Ctrl+Shift+I for error details
    Please help me, Thank in advance.
    Sravan.

    Hi Sravan, this means that one or more of the fields are required to be filled in or have validation set up on them so that the information entered matches a certain criteria. Make sure what's entered matches what's required. If the form still can't be
    submitted, check the rules set in InfoPath and the list/library to see what's causing the error(s).
    cameron rautmann

  • I work with a Mac & I had to restore my computer for my time machine back-up.  When I attempt to open/edit a photo with either camera raw or photoshop I get the following error message: Error 150:30 , it also sys that licensing for the product has stopped

    I work with a Mac & I had to restore my computer for my time machine back-up.  When I attempt to open/edit a photo with either camera raw or photoshop I get the following error message: Error 150:30 , it also sys that licensing for the product has stopped working?

    Unfortunately when Adobe products are restored from backup, especial CS4 and especially Mac, it breaks licensing.
    There is a python script included in the license recovery kit that should work if you are familiar with Terminal.
    If not, you must reinstall your CS4 suite.  You don't need to delete your preferences, so it should be the same as before.
    Error "Licensing has stopped working" | Mac OS
    Gene

  • Since last weekend (3-15-15) I have been unable to send/receive text messages with a friend who has Sprint service. The messages send with no errors on either side, but neither side is receiving the messages. Is anyone else having any similar issues?

    Since last weekend (3-15-15) I have been unable to send/receive text messages with a friend who has Sprint service. The messages send with no errors on either side, but neither side is receiving the messages. It seems to be only this one person affected by this issue, everyone else that I've tried sending messages to has responded with no trouble. Is anyone else having any similar issues?

    Retrohacker, Your text messages are too important to be missed! Let's figure this out, together. Are you able to successfully make and receive calls from your friend? Which phone do you have with us? Any new messaging applications or changes that you can recall on the phone since this issue began? Please share details so we can get to the bottom of this for you.  TanishaS1_VZW Follow us on Twitter @VZWSupport  If my response answered your question please click the "Correct Answer" button under my response. This ensures others can benefit from our conversation. Thanks in advance for your help with this!!

  • Safari/gmail error with an internet plug-in

    After a recent security update have been getting a box indicating error with an internet plug-in. This ouccurs with gmail "attempted to load an internet plug-in, but a plug-in error occurred." Close the box and e-mail seems to work fine. Same issue with websites and moving to different pages within the sites. Plug-in error, but afer closing the box can use the page. Each change to another page results in the pop-up error box.

    What's the plug-in that's being requested, and what's the text of the error message you're receiving?
    Which version of OS X or OS X Server are you working with?
    Which version of Safari, if that's the browser you're using?
    Strictly as a guess and as two products that have security issues and updates in recent times, maybe there's a down-revision version of Adobe Flash or of Oracle Java around?  Updates to those can be required.

  • Error -36 with either USB 2.0 or firewire cable(Read inside)

    After updating to iTunes 4.9 and then updating my iPod 60 GB Photo to the latest firmware 1.2, the iPod won´t sync my songs. All I get is the fatal error -36. I have tried with either a firewire or USB 2.0 cables. I get the error when it reaches about 50% of syncing.
    Any ideas??
    Thanks,
    AJ

    I, too, have had this error message - I plugged my wife's new Color 60GB iPod into a powered hub plugged into the back of my G5 Dual 2.7GHz, and got it to work.
    Transfers with the USB 2.0 supplied cable are excruciating slow.
    I have been thinking about buying a Firewire connected iPod dock, but from this thread ... I am not sure whether this would be "throwing good money after bad".
    Something seems to be seriously wrong -
    I have the fastest computer Apple sells, and the newest most capable iPod.
    I have owned Apple Macintosh Computers since 1984 ( no typo ).
    My daughters both have had iPods for years with no problems or questions from their Dad ...
    I buy my wife the latest and greatest iPod to go along with the significant investment in the G5 so that she can easily carry music and photos wherever she wants ... and she sees me struggling with even getting it to work.
    Unfortunately, she uses Windows for work and has lost faith in Apple's "ease of use"
    Can anyone recommend a Firewire Dock in this situation?
    Thanks -

  • After downloading OSX Mavericks, my AOL mailbox has disappeared and all the AOL messages get dumped into the inbox along with the gmail messages. How can I get the AOL mailbox back?

    After downloading OSX Mavericks, my AOL mailbox has disappeared and all AOL messages have been lumped in the inbox along with my gmail messages. What do I have to do to get my AOL mailbox back?

    Linking AOL and gmail?  I don't know what that means.  But if it means what I think it does - that you have the AOL and gmail servers chatting directly with each other through some configuration, I'd definitely disable that.
    In general, the messages either aren't deleted, or aren't correctly deleted, or there's a protocol or network error, or some sort of a mail server error.
    First diagnostic is a mailbox repair.  Mail.app > Mailbox > Rebuild
    Then verify that the credentials are correct and the connection is reliable:
    Mail.app > Window > Connection Doctor
    And yes, if you have gmail and AOL chatting directly with each other, undo that.

  • RE: [Adobe Reader] when i open pdf file it open all the pages but some pages give error massage (there was error processing a page,there was a problem reading this document 110) but if i open this page which give me error with google chrome it's work ? i

    HelloThank's for your helpsI hope this document is helpfulBest Regards,
    Date: Sun, 22 Jun 2014 17:10:17 -0700
    From: [email protected]
    To: [email protected]
    Subject:  when i open pdf file it open all the pages but some pages give error massage (there was error processing a page,there was a problem reading this document 110) but if i open this page which give me error with google chrome it's work ? if you can help me th
        when i open pdf file it open all the pages but some pages give error massage (there was error processing a page,there was a problem reading this document 110) but if i open this page which give me error with google chrome it's work ? if you can help m
        created by Anoop9178 in Adobe Reader - View the full discussion
    Hi,
    Would it be possible for you to share the document?
    Regards,
    Anoop
         Please note that the Adobe Forums do not accept email attachments. If you want to embed a screen image in your message please visit the thread in the forum to embed the image at https://forums.adobe.com/message/6485431#6485431
         Replies to this message go to everyone subscribed to this thread, not directly to the person who posted the message. To post a reply, either reply to this email or visit the message page:
         To unsubscribe from this thread, please visit the message page at . In the Actions box on the right, click the Stop Email Notifications link.
         Start a new discussion in Adobe Reader by email or at Adobe Community
      For more information about maintaining your forum email notifications please go to http://forums.adobe.com/thread/416458?tstart=0.

    thank's for reply and your help
    i did the step's that you told me but  i still have the same problem
                                     i have the latest v.11.0.7
    i
    i disable the protected mode

  • Win 8.1 2010 Outlook Error message: "Either there is no default mail client or the current mail client cannot fulfill..."

    When trying to open Outlook in Win 8.1 I get the error message: 
    "Either there is no default mail client or the current mail client cannot fulfill the messaging request. Please run Microsoft Office Outlook and set it as the default mail client."
    It eventually opens but none of my Mail accounts load. When I click on one of the accounts I get 
    "Cannot expand the folder. Internet mail is not registered properly. Re-install and try again."
    Outlook is set with all its defaults. I've tried going through the Repair routine for Microsoft Office but it doesn't help.

    Hi,
    To delete a profile, you may try the steps below:
    Important This section, method, or task contains steps that tell you how to modify the registry. However, serious problems might occur if you modify the registry incorrectly. Therefore, make sure that you follow these steps
    carefully. For added protection, back up the registry before you modify it. Then, you can restore the registry if a problem occurs.
    1. Press Windows key + R to open the Run command.
    2. Type regedit in the Open field and click OK.
    3. Locate the key then right click on it and choose Rename:
    HKEY_CURRENT_USER\Software\Microsoft\Windows NT\CurrentVersion\Windows Messaging Subsystem
    4. Type OLD at the end of the name.
    5. Try opening Outlook and it may prompt that you need to create a new profile.
    I hope this can help.
    Regards,
    Melon Chen
    TechNet Community Support

  • OIM 11g R2 - SOA error with Auto Approval

    Hi,
    I am trying to provision a resource through catalog wizard as an end user .I have created both Operational Level and Request level approval policies with Auto Approval Enabled.The RequestID is getting generated but I am getting the following error in screen
    [Security:090304]Authentication Failed: User SOAAdminPassword javax.security.auth.login.FailedLoginException: [Security:090302]Authentication Failed: User SOAAdminPassword denied
    May I know where should I go and change the SOAAdmin Password ?.Thanks.

    I've run into the same error with oim 11gr2 bp04:
    <Mar 18, 2013 11:07:09 AM CDT> <Notice> <Stdout> <BEA-000000> <<Mar 18, 2013 11:07:09 AM CDT> <Error> <oracle.soa.services.identity>
    <BEA-000000> <<oracle.tip.pc.services.identity.jps.AuthenticationServiceImpl.authenticateUser()> authentication FAILED>>
    <Mar 18, 2013 11:07:09 AM CDT> <Notice> <Stdout> <BEA-000000> <<Mar 18, 2013 11:07:09 AM CDT> <Error> <oracle.soa.services.identity>
    <BEA-000000> <<.> Identity Service Authentication failure.
    Identity Service Authentication failure.
    Either the user name or password is incorrect. Check the error stack and fix the cause of the error. Contact Oracle Support Services if error is not fixable.
    ORABPEL-10528
    Identity Service Authentication failure.
    Identity Service Authentication failure.
    Either the user name or password is incorrect. Check the error stack and fix the cause of the error. Contact Oracle Support Services if error is not fixable.
         at oracle.tip.pc.services.identity.jps.JpsProvider.authenticateUser(JpsProvider.java:2337)
    Caused By: javax.security.auth.login.LoginException: [Security:090304]Authentication Failed: User SOAAdminPassword javax.security.auth.login.FailedLoginException:
    [Security:090302]Authentication Failed: User SOAAdminPassword denied
         at oracle.security.jps.internal.jaas.module.authentication.JpsUserAuthenticationLoginModule.login(JpsUserAuthenticationLoginModule.java:71)
         ...Did you find what the issue is? I'm finding scant information about this user named "SOAAdminPassword" (who makes up these usernames :-/).

  • Tips for blue screen (BSOD) errors with Windows Vista and Intel Turbo Memory on X61/X61s

    Important note: The symptoms and solutions described below address only a small subset of the possible causes for blue screen errors, aka BSOD.
    This information can help address blue screen errors specifically
    related to Turbo Memory, but may not solve errors related to other
    issues. Please read through the instructions completely, make sure they
    apply to your system, and after attempting the solutions please post
    back with your feedback for the community.
    Some users may experience random blue screen errors with ThinkPad
    systems running Windows Vista with Intel Turbo Memory hardware. These
    blue screens may occur during normal usage on the system or they may
    occur when booting into Windows Vista. Blue screens related to the
    Intel Turbo Memory hardware may reference a stop code of 8086 with
    memory address locations of {0, 0, 0, 0}.
    There are two main steps that you can take to help resolve blue screen issues related to Intel Turbo Memory.
    Step 1: Update Intel Turbo Memory Driver
    If the driver version is before version 1.0.1.1004-7.0.3.1001, please
    update to this version.
    To determine what version of the Intel Turbo Memory driver is installed:
    1.    Click Start, then click Control Panel.
    2.    Click System and Maintenance.
    3.    Click System.
    4.    Click Device Manager.
    5.    Expand the Storage controllers category.
    6.    Double-click Intel Flash Cache Logic Chip.
    7.    Click the Driver tab. Then you will see the driver version (for example, 1.0.1.1004).
    The new driver and installation instructions can be found here.
    Note: The Intel Matrix Storage Driver is updated with this package.
    Step 2: BIOS version
    If your BIOS version is older than those listed below, please update to the version listed.
    How to check your BIOS version:
    Turn off the system.
    Turn on the system.
    While the To interrupt normal startup, press the blue ThinkVantage button message is displayed at the lower-left area of the screen, press the F1 key.
    The
    BIOS Setup Utility menu will be displayed. If you have set a supervisor
    password, the BIOS Setup Utility menu appears after you enter the
    password.
    Check BIOS Version and Embedded Controller Version.
    Turn off the system.
    System BIOS versions:
    ThinkPad X61 or X61s - BIOS version 1.06 (7NET25WW)
    Please
    remember that these updates do not solve every possible system blue
    screen, but they do resolve several problems related to the Intel Turbo
    Memory driver.
    Tim Supples
    Lenovo Social Media
    Got a question? Don't PM me, post it on the forum!
    Lenovo Blogs
    X60 Tablet SXGA+ primary, Z61p fully loaded workhorse

    Dear Tim,
    First off, many thanks for the tips for resolving BSOD with Vista + Turbo Memory on X61.  I've been suffering from this BSOD for countless times since I bought in my X61 7673-CW9 in April 2008.
    Even prior to having the pleasure to visit this wonderful forum, I followed both steps as indicated, and updated my Intel Turbo Memory driver to 1.5.0.1013 and my BIOS to 7NETB4WW (2.14).  However, the BSOD recurrs.
    For the past two months, I've recovered my system to factory default settings using Rescue and Recovery for over twenty times, each time with the latest Intel Turbo Memory driver and BIOS.  Notwithstanding that, BSOD recurrs.
    During these painful experiences, I tried two options: 1) making my X61 up-to-date by using System Update and Windows Update (including Vista SP1 or excluding Vista SP1); 2) keeping my X61 the status as factory default (i.e. without updating through either System Update or Windows Update (the automatic/scheduled update function of both is turned off)).  In either case, BSOD recurrs.
    I'm 100% positive that the BSOD does not arise from any hardware or software/firmware I install.  I never install any hardware (e.g. RAM).  And, it is not caused by any software/firmware I install: the clear and unequivocal evidence is that at one time,I encountered BSOD while having restored back to factory setting and booting for the first time.
    I live in Taiwan, and I seldom heard this BSOD here.  All of my friends (as most of Taiwan residents) using X61 operate in Traditional Chinese environment, whereas I operate in English environment.  In Taiwan, when booting for the first time after purchase/recovery, the Windows Vista Business system provides for lanuage choice (Traditional Chinese or English), and, once chosen, the language cannot be altered later on (unless, of course, the system is restored back to factory default settings).
    My system specs are the same as the day I purchased it and are listed below (as I'm not sure if my machine type X61 7673-CW9 is applicable outside Taiwan):
    Processor: Intel(R) Core(TM)2 Duo CPU T8300 @ 2.4GHz
    Memory: 1.00 G.B.
    System: Windows Vista Business (32-bit)
    Hard Drive: 160 G.B. @ 7,200 r.p.m.
    And, of course, with Intel Turbo Memory 1 G.B.
    I contacted the Lenovo support staff here in Taiwan for countless times, but they seem to be clueless.  I learned that some friends at this forum downgraded their OS back to Windows XP, but I chose not to.  The reason is simple: my purchase price for X61 7673-CW9 includes the Intel Turbo Memory, which cannot function under Windows XP (at least so far).
    Therefore, I just wish to share my experience here and perhaps I can get some advice from you and other friends here.  Any advice will be tremendously and enormously appreciated.
    Kevin Chen @ Taiwan

Maybe you are looking for

  • Cannot edit Reminders in iCal

    I cannot edit some of the Reminders in iCal on my MacPro. I tried to figure out what's different about the ones I can't edit, and it may be that they are set to "repeat every day" - I can change them on my iPhone with the Reminders app, but it doesn'

  • Export / import tablespace with all objects (datas, users, roles)

    Hi, i have a problem or question to the topic export / import tablespace. On the one hand, i have a database 10g (A) and on the other hand, a database 11g (B). On A there is a tablespace called PRO. Furthermore 3 Users: PRO_Main - contains the datas

  • SharePoint lists.asmx web service error in InfoPath and SOAPUI

    We have a SharePoint 2013 farm with web applications using Claims Authentication. I'm trying to create an InfoPath 2013 form where I want to add lists.asmx (https://servername/_vti_bin/lists.asmx) web service to receive/submit data, but I'm getting b

  • XML Output

    Could you explain in simple words what is XML output used for? We don't use it now, but we have to decide whether we need it or not.

  • My FaceTime isn't working

    I am able to call and it will say it is connecting, but the call never goes through