Verify certificate in Safari

Hello,
While browsing the Web in Safari I frequently get a pop-up message that says, "Safari can't verify the indentity of the website 'platform.twitter.com' or 'platform.facebook.com'." This message appears randomly and indicates I need to select continue or cancel before I am able to view the site I was interested in browsing. If I select cancel I am still able to browse on the site, but everytime I click a hyperlink to continue browsing the same pop-up comes back. If I hit continue, I am brought to a blank page with an "access denied" message.
Everytime I look at the certificate it is linked to Facebook somehow (take a look at the screen shots) even though I am not using Facebook when the message appears. I actually don't have a Facebook account. I am not sure why this is happening and would love to make it stop. I do not want to jeopordize my security online; however, I cannot browse the internet with this message appearing eveytime I am navigating within a website.
Please help....
Thank you!

Check the time and date are correct and being updated to your location in system preferences
You know facebook tracks you when you log out right? it's these things that are doing this
Facebook changes it's cookies when you log out, so then on websites they can track you
http://www.zdnet.com/blog/facebook/facebook-tracks-you-online-even-after-you-log -out/4034

Similar Messages

  • Safari is unable to verify certificate.

    Safari is unable to verify certificate. Can someone pls advise how to fix this issue? Im getting an error while trying to access adcbactive.com/Login page.
    Many Thanks
    Aby

    abytoaby,
    When I attempt to access adcbactive.com I'm getting a "Phishing" warning through the Open Dns servers that I'm using.  In fact, Open Dns is blocking me from loading that site.  Be careful...

  • Provide steps to send Root CA certificate to the Lync client, getting error" There was a problem verifying certificate from the server"

    Hi,
      I Build an Lync 2013 set up with FEpool, Director pool and Exchange server is integrated. I have windows 8 client machine, with Lync client installed. When I try to login to the lync client, I am getting error like"There was a problem verifying
    certificate from the server".
    When I installed ROOT CA cert  manually on client machine I am able to login to the lync client. similarly if I add my client machine in my domain, I am able to login to the Lync client.
    Now is there any other way to send the certificate automatically to the client machine (Which are NOT part of the DOMAIN) from the server, instead of manual installation process.
    Please help me troubleshoot this problem

    Agree with S Guna, there is no easy way to push a certificate automatically to a client that you don't control other than building an installer package and asking them to run it.  In this situation, if there are a lot of non-domain joined machines
    a third party certificate is the way you need to go.
    Please remember, if you see a post that helped you please click "Vote As Helpful" and if it answered your question please click "Mark As Answer".
    SWC Unified Communications

  • Verify certificate using Bouncycastle (J2ME)

    Good evening. I have a problem.. I'm trying to verify certificate but signatures doesn't match!!!
    byte[] cert_decoded = Base64.decode(pem_cert);
    ASN1InputStream ais = new ASN1InputStream(cert_decoded);
    DERObject obj = ais.readObject();
    ASN1Sequence seq = (ASN1Sequence)obj;
    ais.close();
    X509CertificateStructure cert = new X509CertificateStructure(seq);
    // getting certificate signature
    byte[] signature = cert.getSignature().getBytes();
    // trying to get "to be signed" structure
    TBSCertificateStructure tbs = cert.getTBSCertificate();
    // is it correct? trying to get bytes array of TBS..
    byte[] tbs_byte = tbs.getEncoded();
    RSAEngine engine = new RSAEngine();
    // Is it correct? Cert uses "RSAwithSHA1"..
    SHA1Digest digest = new SHA1Digest();
    // Public key i'v got before from signing CA cert...
    PSSSigner signer = new PSSSigner(engine, digest, 0);
    signer.init(false, pub);
    signer.update(tbs_byte, 0, tbs_byte.length);
    boolean istrue = signer.verifySignature(signature);
    In all cases i'm getting FALSE 8( what's wrong, please help! 8(
    I tried to sign TBS data using CA's private key but signatures doesn't match anyway...

    I found example code here: http://www-128.ibm.com/developerworks/library/j-midpds.html
    Below is that code pieced together with some minor fixes (seems they
    had outdated calls to verifySignature() and generateSignature()).
    This program runs and returns true for me. Maybe this can
    help you figure out what's going on with your code...
    import java.math.BigInteger;
    import java.security.SecureRandom;
    import org.bouncycastle.crypto.AsymmetricCipherKeyPair;
    import org.bouncycastle.crypto.digests.SHA1Digest;
    import org.bouncycastle.crypto.engines.RSAEngine;
    import org.bouncycastle.crypto.generators.RSAKeyPairGenerator;
    import org.bouncycastle.crypto.params.RSAKeyGenerationParameters;
    import org.bouncycastle.crypto.params.RSAKeyParameters;
    import org.bouncycastle.crypto.params.RSAPrivateCrtKeyParameters;
    import org.bouncycastle.crypto.signers.PSSSigner;
    import org.bouncycastle.util.encoders.Base64;
    public class RSASigBCLW {
        private static BigInteger pubExp = new BigInteger("11", 16);
        private static RSAPrivateCrtKeyParameters privKey;
        private static RSAKeyParameters pubKey;
        public static void main(String[] args) {
            try {
                _main(args);
            } catch (Exception e) {
                System.out.println("ERROR: " + e.getMessage());
         * @param args
        public static void _main(String[] args) throws Exception {
            SecureRandom sr = new SecureRandom();
            RSAKeyGenerationParameters RSAKeyGenPara = new RSAKeyGenerationParameters(
                    pubExp, sr, 1024, 80);
            RSAKeyPairGenerator RSAKeyPairGen = new RSAKeyPairGenerator();
            RSAKeyPairGen.init(RSAKeyGenPara);
            AsymmetricCipherKeyPair keyPair = RSAKeyPairGen.generateKeyPair();
            privKey = (RSAPrivateCrtKeyParameters) keyPair.getPrivate();
            pubKey = (RSAKeyParameters) keyPair.getPublic();
            String message = "this is a test message.";
            String signature = getSignature(message);
            boolean b = verify(message, signature, getMod(), getPubExp());
            System.out.println("verify? =" + b);
        // Public key specific parameter.
        public static String getMod() throws Exception {
            return (new String(Base64.encode(pubKey.getModulus().toByteArray())));
        // General key parameter. pubExp is the same as pubKey.getExponent()
        public static String getPubExp() throws Exception {
            return (new String(Base64.encode(pubExp.toByteArray())));
        static public String getSignature(String mesg) throws Exception {
            SHA1Digest digEng = new SHA1Digest();
            RSAEngine rsaEng = new RSAEngine();
            PSSSigner signer = new PSSSigner(rsaEng, digEng, 64);
            signer.init(true, privKey);
            byte[] mbytes = mesg.getBytes();
            signer.update(mbytes, 0, mbytes.length);
            byte[] sig = signer.generateSignature();
            String result = new String(Base64.encode(sig));
            return result;
        static public boolean verify(String mesg, String signature, String mod, String pubExp) {
            BigInteger modulus = new BigInteger(Base64.decode(mod));
            BigInteger exponent = new BigInteger(Base64.decode(pubExp));
            SHA1Digest digEng = new SHA1Digest();
            RSAEngine rsaEng = new RSAEngine();
            RSAKeyParameters pubKey = new RSAKeyParameters(false, modulus, exponent);
            PSSSigner signer = new PSSSigner(rsaEng, digEng, 64);
            signer.init(false, pubKey);
            byte[] mbytes = mesg.getBytes();
            signer.update(mbytes, 0, mbytes.length);
            boolean res = signer.verifySignature(Base64.decode(signature));
            return res;
    }

  • Verify Certificate when opening Mail

    Hi,
    I hope someone can help. Every time I open up Mail,on my iMac, I get a "Verify Certificate" dialogue box. With the following message;
    "Mail can't verify the identity of mail.me.com.
    The certificate for this server is invalid.You might be connecting to a server that is pretending to be"mail.me.com" which could put your confidential information at risk. Do you want to connect to the server anyway?
    I click connect and the mail works fine. However, the message reappears every time on opening mail.
    I have tried the following,
    1. I have opened the certificate and clicked on the "Always trust "mail.me.com" when connecting to "mail.me.com"" but this will be not ticked the next time I open Mail.
    2. I have deleted then reopened the account.
    3. I have deleted the ByHost file in User/library/preferences.
    4. I have used the Keychain access and selected always trust for the certificate. It will not stay selected.
    Is there any way I can get rid of this message. It does not occur when opening the account from my MBP.
    Thanks

    Greetings,
    If you have the same account(s) setup on your Macbook Pro and it works fine there, I'd say your Mail preferences file is corrupt. So, if you make a copy of the com.apple.mail.plist file on your Macbook Pro and move it to Home/Library/Preferences on the problem Mac (which will overwrite the current file), then restart Mail, it should work fine again.

  • Verify Certificate Mail blocked

    After opening mail verify certificate popped up and will not allow me to connect, cancel, shut down, or restart my macbook air. 
    Both the connect and cancel buttons are grey and not letting me click them. Also even when I try to close the window or quit mail it will say that I can't.

    Then no window accepts any clicks, so restart is not possible any more. I have to press the kill-button an the back. Not good at all.

  • Verify Certificate - Mail

    Hello,
    I have came across the problem of Verify Certificate that started just after renewign the old one.
    To fix this on the users side and only if you are sure the server that writen is yours or you trust it just follow those stepps:
    Click  - GO - Utilities - Keychain Access.
    Under the Category Click on Certificates and on your right click Get info on the one you face problems with.
    Click on the arrow near the Trust and then choose on the "When using this certificate:" scrool down Always Trust.
    Then just restart Mail and give it a min to resync.
    I hope it helps.
    Alon.

    Then no window accepts any clicks, so restart is not possible any more. I have to press the kill-button an the back. Not good at all.

  • Constant Verify Certificate Message in Mail

    Hi Forum,
    in mail on my Mac Mini i get a constant message of:
    Verify Certificate
    The Identity of "Server" cvannot be verified.
    the server it mentions is an old email i used to use but now dont. Its been deleted from my accounts and doesntr exist. I cant find anywhere in this or internet accounts that makes reference to this server?!?!?! How can i find it. Its constant. I cancel the message and it reappears.

    First, and most important, never change the trust settings of any SSL certificate unless you created it yourself. That's one of the most dangerous things you can do with a computer.
    Back up all data, then take each of the following steps that you haven't already taken. Stop when the problem is resolved.
    Step 1
    From the menu bar, select
     ▹ System Preferences... ▹ Date & Time
    Select the Time Zone tab in the preference pane that opens and check that the time zone matches your location. Then select the Date & Time tab. Check that the data and time shown (including the year) are correct, and correct them if not.
    Check the box marked
    Set date and time automatically
    if it's not already checked, and select one of the Apple time servers from the menu next to it.
    Step 2
    Triple-click anywhere in the line below on this page to select it:
    /System/Library/Keychains/SystemCACertificates.keychain
    Right-click or control-click the highlighted line and select
    Services ▹ Show Info
    from the contextual menu.* An Info dialog should open. The dialog should show "You can only read" in the Sharing & Permissions section.
    Repeat with this line:
    /System/Library/Keychains/SystemRootCertificates.keychain
    If instead of the Info dialog, you get a message that either file can't be found, reinstall OS X.
    *If you don't see the contextual menu item, copy the selected text to the Clipboard (command-C). Open a TextEdit window and paste into it (command-V). Select the line you just pasted and continue as above.
    Step 3
    Launch the Keychain Access application in any of the following ways:
    ☞ Enter the first few letters of its name into a Spotlight search. Select it in the results (it should be at the top.)
    ☞ In the Finder, select Go ▹ Utilities from the menu bar, or press the key combination shift-command-U. The application is in the folder that opens.
    ☞ Open LaunchPad. Click Utilities, then Keychain Access in the icon grid.
    In the upper left corner of the window, you should see a list headed Keychains. If not, click the button in the lower left corner that looks like a triangle inside a square.
    In the Keychains list, there should be items named System and System Roots. If not, select
    File ▹ Add Keychain
    from the menu bar and add the following items:
    /Library/Keychains/System.keychain
    /System/Library/Keychains/SystemRootCertificates.keychain
    From the Category list in the lower left corner of the window, select Certificates. Look carefully at the list of certificates in the right side of the window. If any of them has a a blue-and-white plus sign or a red "X" in the icon, double-click it. An inspection window will open. Click the disclosure triangle labeled Trust to disclose the trust settings for the certificate. From the menu at the top, select
    When using this certificate: Use System Defaults
    Close the inspection window. You'll be prompted for your administrator password to update the settings. Revert all the certificates with non-default trust settings. Never again change any of those settings.
    Step 4
    Select My Certificates from the Category list. From the list of certificates shown, delete any that are marked with a red X as expired or invalid.
    Export all remaining certificates, delete them from the keychain, and reimport. For instructions, select
    Help ▹ Keychain Access Help
    from the menu bar and search for the term "export" in the help window. Export each certificate as an individual file; don't combine them into one big file.
    Step 5
    From the menu bar, select
    Keychain Access ▹ Preferences ▹ Certificates
    There are three menus in the window. Change the selection in the top two to Best attempt, and in the bottom one to  CRL.
    Step 6
    Triple-click anywhere in the line of text below on this page to select it:
    /var/db/crls
    Copy the selected text to the Clipboard by pressing the key combination command-C. In the Finder, select
    Go ▹ Go to Folder...
    from the menu bar and paste into the box that opens (command-V). You won't see what you pasted because a line break is included. Press return.
    A folder named "crls" should open. Move all the files in that folder to the Trash. You’ll be prompted for your administrator login password.
    Step 7
    Reboot, empty the Trash, and test.

  • Exchange mail setup - unable to verify certificate

    When i set up my exchange mail account, just after i enter the exchange server details, i get a message saying "unable to verify certificate" and the option to "accept", which i did.
    Thereafter i get the error message "failed account verification"
    Does anyone know what the issue / workaround here is?

    OK, here is my information from Outlook OMA.
    =============================================
    Outlook(R) Mobile Access
    Copyright (C) 2001-2003, Microsoft Corp. All rights reserved.
    Ok
    Outlook(R) Mobile Access Server: EDCOWA02
    Outlook(R) Mobile Access Server, Microsoft(R) Exchange: 6.5.7226.0
    Outlook(R) Mobile Access Server, Microsoft(R) Windows: 5.2.3790.0
    Outlook(R) Mobile Access Server, Microsoft(R) .Net Framework: 1.1.4322.2407
    Mailbox Server: EDCEXC01
    Mailbox Server, Microsoft(R) Exchange: 6.5.7226
    User Mailbox: Luis.Cavada
    Rendering Format: html32
    User Agent: Mozilla/4.0 (compatible; MSIE 7.0; Windows NT 5.1; .NET CLR 2.0.50727; .NET CLR 1.1.4322; .NET CLR 3.0.04506.30; .NET CLR 3.0.04506.648)
    ========================================================
    Can someone help me in figuring out what is the user name and exchage server which i need to setup in my iphone 3G Exchnage settings.
    I have tried everything I cound think of, but no luck !
    Thanks,

  • Owsm policy step verify certificate

    We try to use the OWSM for client authentication using "verify certificate". for what i understand of it i have to send along the public certificate with my request and that certificate should be in the trusted store. Can this store be the same store as the wallet the http server is already using.
    when i look for the details of the verify certificate step i see that there are a few prerequisites
    Prerequisite Steps      Verify Signature, Decrypt and Verify, or if the transport security uses SSL.
    i use a https://<server>/gateway/services/SID0003006?wsdl as endpoint from within the webserviceproxy and added the following before setting the endpoint in de proxy.
    System.setProperty("javax.net.ssl.keyStore", "/home/maqish/keystore");
    System.setProperty("javax.net.ssl.keyStoreType", "JKS");
    System.setProperty("javax.net.ssl.keyStorePassword", "changeit");
    System.setProperty("javax.net.ssl.trustStore", "/home/maqish/keystore");
    System.setProperty("javax.net.ssl.trustStoreType", "JKS");
    System.setProperty("javax.net.ssl.trustStorePassword", "changeit");
    I have added the server certificate in my trusted keystore and the public key is send to the server to be added as a trusted certificate.
    using verify certificate it should be possible to verify that a request is from a trusted source. but this does not seem to work very well. or else there could be some other problem in my thoughts.
    anyone who tried the same? or has ever used the policy step verify certificate?

    i do use the soa suite and jdeveloper 10.1.3.3 i have created a webservice which i have deployed to the soa application server. using this webservice works using http and https
    when i use owsm to add this webservice as a service this also works. using http and https
    when i add the request policystep verify certificate i get the following error
    Failed to initialize pipeline 'Request' in policy 'repeater(0.1)

  • Can't verify certificate

    I've just changed email provider and I'm starting to get the mail can't verify certificate message every time I open up Mail. I remember I had this before but can't for the life of me remember what I did to finally resolve the issue! I've checked the "always trust" checkbox but the certificate message still appears. Please help!

    I'm having the same problem, and checking and unchecking the "Always trust..." box. I've even tried closing mail and reopening it. I've tried sending an email from the account to my gmail account, confirming the email has been received, and then closing and reopening Mail. Still I get the "Mail can't verify" message.
    I'm NOT using SSL for my mail. HOWEVER, since I have a hosting account, and since my email on that account is IMAP, and since there's special group of emails that I want to access on my cell and laptop too, I created another email address and am making sure that these particular emails are going there.
    That means that two email accounts are going to the same mailserver address - mail.[mydomainname].com. The MTP is the same for incoming and outgoing.
    I've repaired permissions. I've even attempted to throw away my plist, but that will be a nightmare of epic proportions, since getting rid of the plist means that all my accounts and mailboxes are gone and I'd have to recreate everything.
    This is a fairly new issue.
    Can anyone help Alan and me?

  • Safari isn't recognising any websites at all. It is saying "can't verify certificate or server". I have reset my router, reset the Mac Air and still nothing. If there are updates it also won't let me open the App Store...

    I Have tried everything and it still won't let me open anything in Safari. I have reset the Mac and router. It's just not working.

    This could be a complicated problem to solve, as there are several possible causes for it.
    Back up all data, then take each of the following steps that you haven't already taken. Stop when the problem is resolved.
    Step 1
    From the menu bar, select
               ▹ System Preferences... ▹ Date & Time
    Select the Time Zone tab in the preference pane that opens and check that the time zone matches your location. Then select the Date & Time tab. Check that the data and time shown (including the year) are correct, and correct them if not.
    Check the box marked 
              Set date and time automatically
    if it's not already checked, and select one of the Apple time servers from the menu next to it.
    Step 2
    Start up in safe mode and log in to the account with the problem.
    Note: If FileVault is enabled in OS X 10.9 or earlier, or if a firmware password is set, or if the startup volume is a software RAID, you can’t do this. Ask for further instructions.
    Safe mode is much slower to start up and run than normal, with limited graphics performance, and some things won’t work at all, including sound output and Wi-Fi on certain models. The next normal startup may also be somewhat slow.
    The login screen appears even if you usually login automatically. You must know your login password in order to log in. If you’ve forgotten the password, you will need to reset it before you begin.
    If the problem is not reproducible in safe mode, then it's caused by third-party "anti-virus" or "security" software. If you know what that software is, remove it as directed by the developer after backing up all data. If you don't know what it is, ask for instructions.
    Step 3
    Triple-click anywhere in the line below on this page to select it:
    /System/Library/Keychains/SystemCACertificates.keychain
    Right-click or control-click the highlighted line and select
              Services ▹ Show Info
    from the contextual menu.* An Info dialog should open. The dialog should show "You can only read" in the Sharing & Permissions section.
    Repeat with this line:
    /System/Library/Keychains/SystemRootCertificates.keychain
    If instead of the Info dialog, you get a message that either file can't be found, reinstall OS X.
    *If you don't see the contextual menu item, copy the selected text to the Clipboard by pressing the key combination command-C. Open a TextEdit window and paste into it by pressing command-V. Select the line you just pasted and continue as above.
    Step 4
    Launch the Keychain Access application in any of the following ways:
    ☞ Enter the first few letters of its name into a Spotlight search. Select it in the results (it should be at the top.)
    ☞ In the Finder, select Go ▹ Utilities from the menu bar, or press the key combination shift-command-U. The application is in the folder that opens.
    ☞ Open LaunchPad and start typing the name.
    In the upper left corner of the window, you should see a list headed Keychains. If not, click the button in the lower left corner that looks like a triangle inside a square.
    In the Keychains list, there should be items named System and System Roots. If not, select
              File ▹ Add Keychain
    from the menu bar and add the following items:
    /Library/Keychains/System.keychain
    /System/Library/Keychains/SystemRootCertificates.keychain
    Open the View menu in the menu bar. If one of the items in the menu is
              Show Expired Certificates
    select it. Otherwise it will show
              Hide Expired Certificates
    which is what you want.
    From the Category list in the lower left corner of the window, select Certificates. Look carefully at the list of certificates in the right side of the window. If any of them has a blue-and-white plus sign or a red "X" in the icon, double-click it. An inspection window will open. Click the disclosure triangle labeled Trust to disclose the trust settings for the certificate. From the menu labeled
              Secure Sockets Layer (SSL)
    select
              no value specified
    Close the inspection window. You'll be prompted for your administrator password to update the settings.
    Now open the same inspection window again, and select
              When using this certificate: Use System Defaults
    Save the change in the same way as before.
    Revert all the certificates with non-default trust settings. Never again change any of those settings.
    Step 5
    Select My Certificates from the Category list. From the list of certificates shown, delete any that are marked with a red X as expired or invalid.
    Export all remaining certificates, delete them from the keychain, and reimport. For instructions, select
              Help ▹ Keychain Access Help
    from the menu bar and search for the term "export" in the help window. Export each certificate as an individual file; don't combine them into one big file.
    Step 6
    From the menu bar, select
              Keychain Access ▹ Preferences... ▹ Certificates
    There are three menus in the window. Change the selection in the top two to Best attempt, and in the bottom one to  CRL.
    Step 7
    Triple-click anywhere in the line of text below on this page to select it:
    /var/db/crls
    Copy the selected text to the Clipboard by pressing the key combination command-C. In the Finder, select
              Go ▹ Go to Folder...
    from the menu bar and paste into the box that opens by pressing command-V. You won't see what you pasted because a line break is included. Press return.
    A folder named "crls" should open. Move all the files in that folder to the Trash. You’ll be prompted for your administrator login password.
    Restart the computer, empty the Trash, and test.
    Step 8
    Triple-click anywhere in the line below on this page to select it:
    open -e /etc/hosts
    Copy the selected text to the Clipboard by pressing the key combination command-C.
    Launch the built-in Terminal application in the same way you launched Keychain Access.
    Paste into the Terminal window by pressing command-V. I've tested these instructions only with the Safari web browser. If you use another browser, you may have to press the return key after pasting. A TextEdit window should open. At the top of the window, you should see this:
    # Host Database
    # localhost is used to configure the loopback interface
    # when the system is booting.  Do not change this entry.
    127.0.0.1                              localhost
    255.255.255.255          broadcasthost
    ::1                                        localhost
    If that's not what you see, post the contents of the window.

  • Safari 5.1.4 verify certificate errors

    After upgrading to Safari 5.1.4 I'm constantly getting error meesage pop-ups similar to these...
    Currently I'm running Lion 10.7.3  My computer time & date is correct.  I have reset Safari's cache / cookies, etc to no no avail.
    On some websites its no displaying graphics properly and its starting to get extremely frustrating...
    Safari is running in 64-bit mode
    Is it time to uninstall Safari 5.1.4 and install the previous release???
    Message was edited by: blads

    Please read this whole message before doing anything.
    This procedure is a test, not a solution. Don’t be disappointed when you find that nothing has changed after you complete it.
    Step 1
    The purpose of this step is to determine whether the problem is localized to your user account.
    Enable guest logins and log in as Guest. For instructions, launch the System Preferences application, select Help from the menu bar, and enter “Set up a guest account” (without the quotes) in the search box.
    While logged in as Guest, you won’t have access to any of your personal files or settings. Applications will behave as if you were running them for the first time. Don’t be alarmed by this; it’s normal. If you need any passwords or other personal data in order to complete the test, memorize, print, or write them down before you begin.
    Test while logged in as Guest. Same problem(s)?
    After testing, log out of the guest account and, in your own account, disable it if you wish. Any files you created in the guest account will be deleted automatically when you log out of it.
    Note: If you’ve activated FileVault in Mac OS X 10.7 or later, then you can’t enable the Guest account. Create a new account in which to test, and delete it, including its home folder, after testing.
    Step 2
    The purpose of this step is to determine whether the problem is caused by third-party system modifications that load automatically at startup or login.
    Disconnect all wired peripherals except those needed for the test, and remove all aftermarket expansion cards. Boot in safe mode and log in to the account with the problem. The instructions provided by Apple are as follows:
    Be sure your Mac is shut down.
    Press the power button.
    Immediately after you hear the startup tone, hold the Shift key. The Shift key should be held as soon as possible after the startup tone, but not before the tone.
    Release the Shift key when you see the gray Apple icon and the progress indicator (looks like a spinning gear).
    Safe mode is much slower to boot and run than normal, and some things won’t work at all, including wireless networking on certain Macs.
    The login screen appears even if you usually log in automatically. You must know your login password in order to log in. If you’ve forgotten the password, you will need to reset it before you begin.
    Test while in safe mode. Same problem(s)?
    After testing, reboot as usual (i.e., not in safe mode.) Post the results of steps 1 and 2.

  • I am being repetedly asked to verify certificates and also cannot use xmarks as it does not appear to work correctly with my current version of firefox (8.0) and my mac 10.6.8. I tried removing and reinstalling but unsuccesfully.

    whenever i start firefox i receive a message saying that the certificate is not recognised - it is a certificate relating to xmarks.
    in fact upon installation i received another message stating that it wouldnt work correctly with my version of firefox. now i have updated firefox but receive the same message.
    thinking that it was an issue relating to certificates i went into "preferences" and removed all the certificates in the "authorities" section also given that i didnt recongnise any of them (e.g. turktrust!!).

    Hi,
    /Users/sarahschadek/Desktop/Safari.app/Contents/MacOS/Safari
    Move the Safari app from the Desktop to the Applications folder.
    Restart your Mac.
    That's why you see this:
    When I try to do the updates my computer says it has ready it goes through like it is downloading them then at the end it says some of the files could not be saved to "/" files.
    After your restart your Mac, click the Apple  menu (top left in your screen) then click:  Software Update ...
    Carolyn  

  • Certificate problem--safari says it couldn't establish a secure connection.

    Certificate problem. How do I fix a corrupted cert? I think what's going on is that the cert that is installed for this site is bad. But Safari just gives an error and I can't find a way to remove the bad one and add a new one? Can anyone help me?

    I haven't experienced any issues like this.
    What's a corrupted certificate?

Maybe you are looking for

  • Midi ports line in ports Fire Wire etc on the Audigy 2 platinum, new Creative Driver for Vis

    Hi, I have been using my Audigy 2 platinum dri've for a few years now and have been very pleased with it, the main things I do on my pc is music creation mainly Midi but also some analogue audio as well, I also do lots of video making. I am just abou

  • Subtotals in dynamic internal table using alv grid

    hi experts i have created one dynamic table.  The requirement is to display the subtotals in the output using reuse_alv_grid. Dynamic itab (field-symbols) and ALV event BEFORE_LINE_OUTPUT the above is the thread related and could any one please provi

  • Cannot invoke remote method

    can you please tell whatis wrong in the program. //the interface package com.nanotech.nanopos.synchronize.actions.user; import java.rmi.Remote; import java.rmi.RemoteException; import java.security.Key; import org.w3c.dom.Document; public interface I

  • Can I import movies from ...

    Good Morning, I was wondering if someone could help me pls. I have a sony camcorder and I made some movies of a trip and stuff. I just got a new Ipod video 30gb and I would like to know if it possible to import the movies from the camcorder to the ip

  • IPhone turns "old " podcast to "new"

    I listen to many podcast, and I use the function that syncs only podcast marked as "new" to my iPhone. With the ver2.0 on my iPhone I have noticed that the phone turns "old" (and podcast that I already listened to) to "new" and syncs them back to my