Applying brute force on a huge problem

hi guys ,
i m kinda stuck with this ..
this is a project euler problem ... the problem is this
The following iterative sequence is defined for the set of positive integers:
n → n/2 (n is even)
n → 3n + 1 (n is odd)
Using the rule above and starting with 13, we generate the following sequence:
*13 → 40 → 20 → 10 → 5 → 16 → 8 → 4 → 2 → 1*
It can be seen that this sequence (starting at 13 and finishing at 1) contains 10 terms. Although it has not been proved yet (Collatz Problem), it is thought that all starting numbers finish at 1.
Which starting number, under one million, produces the longest chain?
NOTE: Once the chain starts the terms are allowed to go above one million.
i just went for straightforward bruteforce approach ...
heres my code
import java.io.*;
import java.util.*;
public class pro14
     public static void main(String args[])
          int j=0,pos=0;
                int upperlimit=1000000;
          ArrayList<Integer> temp = new ArrayList<Integer>();
          ArrayList<Integer> longest = new ArrayList<Integer>();
          for(int i=1;i<upperlimit;i++)
               temp.add(new Integer(i));
               j=i;
               while(j!=1)
                   if(j%2==0)
                       j=j/2;      
                      else
                           j=3*j+1;
                     temp.add(new Integer(j));
                if(longest.size() < temp.size())
                     longest.clear();
                     for(int k=0;k<temp.size();k++)
                         longest.add(temp.get(k));               
                    pos=i;
                temp.clear();          
        System.out.println("The starting number that produces longest chain="+pos);   
        for(int i=0;i<longest.size();i++)
            System.out.print(longest.get(i)+"->");
{code}the above code works for 100,1000,10000,100000 but not a million ... for example if i change upperlimit variable to 100000 (hundred thousand) i get the output as
{code:java}
The starting number that produces longest chain=77031
77031->231094->115547->346642->173321->519964->259982->129991->389974->194987->584962->292481->877444->438722->219361->658084->329042->164521->493564->246782->123391->370174->185087->555262->277631->832894->416447->1249342->624671->1874014->937007->2811022->1405511->4216534->2108267->6324802->3162401->9487204->4743602->2371801->7115404->3557702->1778851->5336554->2668277->8004832->4002416->2001208->1000604->500302->250151->750454->375227->1125682->562841->1688524->844262->422131->1266394->633197->1899592->949796->474898->237449->712348->356174->178087->534262->267131->801394->400697->1202092->601046->300523->901570->450785->1352356->676178->338089->1014268->507134->253567->760702->380351->1141054->570527->1711582->855791->2567374->1283687->3851062->1925531->5776594->2888297->8664892->4332446->2166223->6498670->3249335->9748006->4874003->14622010->7311005->21933016->10966508->5483254->2741627->8224882->4112441->12337324->6168662->3084331->9252994->4626497->13879492->6939746->3469873->10409620->5204810->2602405->7807216->3903608->1951804->975902->487951->1463854->731927->2195782->1097891->3293674->1646837->4940512->2470256->1235128->617564->308782->154391->463174->231587->694762->347381->1042144->521072->260536->130268->65134->32567->97702->48851->146554->73277->219832->109916->54958->27479->82438->41219->123658->61829->185488->92744->46372->23186->11593->34780->17390->8695->26086->13043->39130->19565->58696->29348->14674->7337->22012->11006->5503->16510->8255->24766->12383->37150->18575->55726->27863->83590->41795->125386->62693->188080->94040->47020->23510->11755->35266->17633->52900->26450->13225->39676->19838->9919->29758->14879->44638->22319->66958->33479->100438->50219->150658->75329->225988->112994->56497->169492->84746->42373->127120->63560->31780->15890->7945->23836->11918->5959->17878->8939->26818->13409->40228->20114->10057->30172->15086->7543->22630->11315->33946->16973->50920->25460->12730->6365->19096->9548->4774->2387->7162->3581->10744->5372->2686->1343->4030->2015->6046->3023->9070->4535->13606->6803->20410->10205->30616->15308->7654->3827->11482->5741->17224->8612->4306->2153->6460->3230->1615->4846->2423->7270->3635->10906->5453->16360->8180->4090->2045->6136->3068->1534->767->2302->1151->3454->1727->5182->2591->7774->3887->11662->5831->17494->8747->26242->13121->39364->19682->9841->29524->14762->7381->22144->11072->5536->2768->1384->692->346->173->520->260->130->65->196->98->49->148->74->37->112->56->28->14->7->22->11->34->17->52->26->13->40->20->10->5->16->8->4->2->1->
{code}so when i try the same for a million i get this
{code:java}
mintoo@mintoo pro14]$ java pro14
Exception in thread "main" java.lang.OutOfMemoryError: Java heap space
     at pro14.main(pro14.java:32)
{code}i have even tried
{code:java}
java -Xms512m -Xmx2048m pro14
Exception in thread "main" java.lang.OutOfMemoryError: Java heap space
     at java.util.Arrays.copyOf(Arrays.java:2772)
     at java.util.Arrays.copyOf(Arrays.java:2746)
     at java.util.ArrayList.ensureCapacity(ArrayList.java:187)
     at java.util.ArrayList.add(ArrayList.java:378)
     at pro14.main(pro14.java:32)
[mintoo@mintoo pro14]$
{code}
Edited by: mintoo2cool on Feb 8, 2010 4:10 AM                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               

mintoo2cool wrote:
the above code works for 100,1000,10000,100000 but not a million ... for example if i change upperlimit variable to 100000 (hundred thousand) i get the output as You're also going to run into overflow problems if you're storing intermediate results using an int. The maximum value you can store in an integer variable is 2147483647, but if you run through the steps for the input number 113382 you'll see that about 120 steps in the calculated value (which is 2482111348) is greater than the maximum value you can store in the integer established above. So, what happens? Well, the actual value stored goes negative. So, once you have a negative number in your chain you're never coming back to positive and you'll end up with an infinite loop. This will probably be why you ran out of memory even after allocating a maximum of 2GB. Try using a long to store your intermediary values instead.

Similar Messages

  • What the heck is brute-forcing our exchange server?

    Hello all,
    We have been getting FLOOODED with (what seems like) brute force attacks on our server. We use RDP a lot for remote connecting but our firewall (Sonicwall) is setup to block IPs that aren't ours (I've seen this resolve RDP brute-force attacks first-hand).
    The problem is that i'm used to seeing the "Failure Audit" logs with "Logon Type 10" and an IP that was attempting the connection, but now we're being flooded with "Logon Type 8". The issue that has me concerned is that i'm now
    seeing a LARGE amount (438 entries) of failed login attempts with no IP address to indicate where it's coming from.
    Now, as much as I love Batman, I know for a fact noone on our end was trying to login under this account (or the hundreds of other accounts that attempted logins). I copied one of the event viewer logs below and literally ALL of the events are identical
    with the exception of the Account Name (the acct name is different and always something blatantly fake).
    My guess is that there is some type of bot trying to authenticate using OWA to get email access, however I could be 100% wrong (the logic comes from the fact that an exchange file is listed on every event). ANNNNY input / advice on this matter is appreciated!!!
    An account failed to log on.
    Subject:
    Security ID: NETWORK SERVICE
    Account Name: <serverHostname, Edited out for security>
    Account Domain: <our domain>
    Logon ID: 0x3e4
    Logon Type: 8
    Account For Which Logon Failed:
    Security ID: NULL SID
    Account Name: baseball <This is different across the events>
    Account Domain:
    Failure Information:
    Failure Reason: Unknown user name or bad password.
    Status: 0xc000006d
    Sub Status: 0xc0000064
    Process Information:
    Caller Process ID: 0x2f3c
    Caller Process Name: C:\Program Files\Microsoft\Exchange Server\V14\Bin\EdgeTransport.exe
    ^this is what leads us to believe it's coming from OWA / email login attempts
    Network Information:
    Workstation Name: <servername>
    Source Network Address: -
    Source Port: -
    Detailed Authentication Information:
    Logon Process: Advapi
    Authentication Package: MICROSOFT_AUTHENTICATION_PACKAGE_V1_0
    Transited Services: -
    Package Name (NTLM only): -
    Key Length: 0
    This event is generated when a logon request fails. It is generated on the computer where access was attempted.
    The Subject fields indicate the account on the local system which requested the logon. This is most commonly a service such as the Server service, or a local process such as Winlogon.exe or Services.exe.
    The Logon Type field indicates the kind of logon that was requested. The most common types are 2 (interactive) and 3 (network).
    The Process Information fields indicate which account and process on the system requested the logon.
    The Network Information fields indicate where a remote logon request originated. Workstation name is not always available and may be left blank in some cases.
    The authentication information fields provide detailed information about this specific logon request.
    - Transited services indicate which intermediate services have participated in this logon request.
    - Package name indicates which sub-protocol was used among the NTLM protocols.
    - Key length indicates the length of the generated session key. This will be 0 if no session key was requested.

    Hi,
    logontype 8 is the same as logontype 3 -network logon except for the fact the password is sent in clear text.
    I think your OWA is publicly available and someoen is trying to access it. The fact the logontype is 8 indicates you might use basic authentication on the website- which is quite insecure. it migh lso be some other servcies (like smb) are available from
    the internet and abused.
    make sure the server is only reachable on the web on the needed ports 443 for the website, 25 for smtp. You firewall should block all the rest!
    For rdp (and other management tools) I would recommend blocking access over the internet and configuring some vpn solution.
    MCP/MCSA/MCTS/MCITP
    Thank you! This goes along with what we were thinking so it's very nice to see someone else saying it. We are looking more into the firewall rules and most likely getting an updated firewall altogether. With any luck we will be ok after setting up the new
    wall with all fresh Rules while keeping the threat in mind. Lots of rules currently and limited security options since it's ancient.
    Thanks for the response!

  • Hi im having huge problems trying to install flash for my mac 10.5 imac, iv gone through the internet and tried all of the solutions, everytime i try to install flash it says cant read the download file, or it just wont install, anybody plz help!

    hi im having huge problems trying to install flash for my mac 10.5 imac, iv gone through the internet and tried all of the solutions, everytime i try to install flash it says cant read the download file, or it just wont install, anybody plz help!
    iv unistalled flash, iv checked plug ins it just wont work,

    It would have been a great help to know precisely what Mac you have, so some of the following may not apply:
    You can check here:  http://www.adobe.com/products/flash/about/  to see which version you should install for your Mac and OS. Note that version 10,1,102,64 is the last version available to PPC Mac users*. The latest version,10.3.183.23 or later, is for Intel Macs only running Tiger or Leopard, as Adobe no longer support the PPC platform. Version 11.4.402.265 or later is for Snow Leopard onwards.
    (If you are running Mavericks: After years of fighting malware and exploits facilitated through Adobe's Flash Player, the company is taking advantage of Apple's new App Sandbox feature to restrict malicious code from running outside of Safari in OS X Mavericks.)
    * Unhelpfully, if you want the last version for PPC (G4 or G5) Macs, you need to go here:  http://kb2.adobe.com/cps/142/tn_14266.html  and scroll down to 'Archived Versions/Older Archives'. Flash Player 10.1.102.64 is the one you download. More information here:  http://kb2.adobe.com/cps/838/cpsid_83808.html
    You should first uninstall any previous version of Flash Player, using the uninstaller from here (make sure you use the correct one!):
    http://kb2.adobe.com/cps/909/cpsid_90906.html
    and also that you follow the instructions closely, such as closing ALL applications (including Safari) first before installing. You must also carry out a permission repair after installing anything from Adobe.
    After installing, reboot your Mac and relaunch Safari, then in Safari Preferences/Security enable ‘Allow Plugins’. If you are running 10.6.8 or later:
    When you have installed the latest version of Flash, relaunch Safari and test.
    If you're getting a "blocked plug-in" error, then in System Preferences… ▹ Flash Player ▹ Advanced
    click Check Now. Quit and relaunch your browser.
    You can also try these illustrated instructions from C F McBlob to perform a full "clean install", which will resolve the "Blocked Plug-in" message when trying to update via the GUI updater from Adobe.
    Use the FULL installer for 12.0.0.44:  Flash Player 12 (Mac OS X)
    And the instructons are here: Snow Leopard Clean Install.pdf
    (If you are running a PPC Mac with Flash Player 10.1.102.64 and are having problems with watching videos on FaceBook or other sites, try the following solution which fools the site into thinking that you are running the version 11.5.502.55:)
    Download this http://scriptogr.am/nordkril/post/adobe-flash-11.5-for-powerpc to your desktop, unzip it, and replace the current Flash Player plug-in which is in your main/Library/Internet Plug-Ins folder, (not the user Library). Save the old one just in case this one doesn't work.

  • Brothers credit journey of BRUTE FORCE (cont)UPDATE

    UPDATE: Brother got AA on his Barclays Apple card today. They called him and said that even though he pays statement in full and on time, over 100 inquiries is simply too much and closed his account. On another note, he raised his Lowes to 12k and Exon&Chevron to 4k each today. If anyone doesn't remember my last post about my brothers "spree", here it is: http://ficoforums.myfico.com/t5/Credit-Cards/Brothers-crazy-credit-journey-PART-II/td-p/3815607 I no longer consider his journey to be a spree, it's more like brute force. He applies for about 20+ cards daily (including any prime cards, etc) and gets what he gets. He's very adamant about it and probably hasn't gone more than 3 days without applying for a few cards for the past 8 months or so. Today he messaged me that he got in with a Chase British Airways VS $3500 limit & 15.99%APR and some type of a Discover card. He probably has over 100 inquiries (last 6 months) on each bureau and 60-70+ new accounts reporting in the last 6 months. His next goal is to get in with AMEX & Citi and his overall goal is to reach the $1,000,000 available credit mark, he is currently at around $200k-$250k. I'm surprised myself, apparently applying once a day for every credit card ever works, haha.

    tuolumne wrote:
    Kostya1992 wrote:
    If anyone doesn't remember my last post about my brothers "spree", here it is: http://ficoforums.myfico.com/t5/Credit-Cards/Brothers-crazy-credit-journey-PART-II/td-p/3815607 I no longer consider his journey to be a spree, it's more like brute force. He applies for about 20+ cards daily (including any prime cards, etc) and gets what he gets. He's very adamant about it and probably hasn't gone more than 3 days without applying for a few cards for the past 8 months or so. Today he messaged me that he got in with a Chase British Airways VS $3500 limit & 15.99%APR and some type of a Discover card. He probably has over 100 inquiries (last 6 months) on each bureau and 40-50+ new accounts reporting in the last 6 months. His next goal is to get in with AMEX & Citi and his overall goal is to reach the $1,000,000 available credit mark, he is currently at around $200k-$250k. I'm surprised myself, apparently applying once a day for every credit card ever works, haha.How does he even still get approvals? That really is brute force.I ask myself the same thing, lol. His score is like 650 now across the board.

  • Brothers credit journey of BRUTE FORCE (cont)

    I remember that crazy wacko app spree like yesterday

    tuolumne wrote:
    Kostya1992 wrote:
    If anyone doesn't remember my last post about my brothers "spree", here it is: http://ficoforums.myfico.com/t5/Credit-Cards/Brothers-crazy-credit-journey-PART-II/td-p/3815607 I no longer consider his journey to be a spree, it's more like brute force. He applies for about 20+ cards daily (including any prime cards, etc) and gets what he gets. He's very adamant about it and probably hasn't gone more than 3 days without applying for a few cards for the past 8 months or so. Today he messaged me that he got in with a Chase British Airways VS $3500 limit & 15.99%APR and some type of a Discover card. He probably has over 100 inquiries (last 6 months) on each bureau and 40-50+ new accounts reporting in the last 6 months. His next goal is to get in with AMEX & Citi and his overall goal is to reach the $1,000,000 available credit mark, he is currently at around $200k-$250k. I'm surprised myself, apparently applying once a day for every credit card ever works, haha.How does he even still get approvals? That really is brute force.I ask myself the same thing, lol. His score is like 650 now across the board.

  • Question about brute force attacks

    How does ironport deals with brute force attacks on ssh and https?
    There is some kind of control?
    If someone leaves ironport's 22 and 443 ports "open" to the internet, it would be a problem if ironport does not control number of invalid logins attempts...

    uhm, i think it would be against Ironport Systems main purpose, that is to keep the appliances doing only its jobs. If you give a firewall, ppl will be able to use ironport to another tasks beyond MT task, and i think it's not wise...
    I'm not talking about using it as a firewall to protect other systems. I'm talking about it having a built-in software firewall for protecting itself.
    Ok, i understand what you say, but i cannot see the major usefulness of the built-in fw. If you really want your system to be safe, just dont run the stuff. Keep ssh and https disabled on the public interface.
    On the begining, i was concerned about ppl that leaves the ssh and https ports opened to the net. And when i say opened, i reaaly mean without fw.
    I think we are missing the spot.
    But just in case, do you guys really think ironportnation's forums have enough spot to this kind of discuss?
    You're the one who started this thread. If you don't think this is an appropriate place for it then why did you start it?
    Ok, what i'm trying to say, is that, in my (silly) opinion, ironportnation's forums should be more visited, more commented. I dont see the ironport's legion here. Many ppl just sign in and almost never log in.
    But who cares with my opinion? so let's not discuss it, let's forget it.
    I keep thinking that 'Robot Exclusion Protocol' should be considered.
    If you don't agree, check it out
    another tip, the crawler is indexing the 'login help' page.

  • IPS signature to block brute force attempt

    Hello all,
    We have an Outlook web access server and I would like to block an attemt of bruteforcing its login page (SSL enabled). Is there any signature that can accomplish this?
    Thanks in advance

    We could create a signature to detect this type of activity.  The only problem is that one person's brute force is another's average day, in terms of network traffic.  Any such signature would have to be highly tuned for the enviornment it is deployed in.

  • Huge problem activating BIS

    hi everyone.
    I just bought a brand new unlocked Torch 9800 from a small online shop in my country ( Romania), and i now have a huge problem. I bought prepay card from my carrier ( Orange), activated the BIS option and a data option, then i proceeded with registering the device. First of all, I tried to registed the device on the network, no luck, no message came back telling me that registration was fine, as it should have. Then i went to the blackberry.orange.ro website in order to create the account from there, i get a message telling me that my BIS account is suspended or deactivated.... I called Orange and they said there is nothing wrong on their side, all configuration is ok there and they cannot help me, so i rather contact RIM. The seller doesn't want to exchange my phone, since there is nothing worng with it in his oppinion...
    I can't explain myself how a brand new phone can have this problem...
    I was wondering if anybody can help me with tracking down my torch ( will provide pin and imei on private message), and tell me if there is something really wrong with my device or it's just an unfortunate mix up...
    Thanks in advance
    LE : cheched out the vendor code : is 600, a  load of carriers listed there  600 GeoCell/Warid Pakistan/Oman Mobile/Zain Kuwait/Cellplus/Zain Zambia/Ufone/Nawras/Zain Jordan/EMS/Zain Ghana/Safaricom/Zain Malawi/Telecom Serbia/Telenor Pakistan/Zain Nigeria/MTC Touch/Wataniya Kuwait/Mobilecom/Mcel/GO Mobile/Zain Kenya/Batelco/Mobinil/DU/Etisalat Nigeria/Emtel/Etisalat Misr/Zain Uganda/STC Bahrain/Zain Tanzania/Zain Saudi/UTL/Orange Botswana

    Hi and Welcome to the Forums!
    The BIS account is not a function of your SIM. Rather, it is a function of your BB PIN, which is unique in the world. Only one BIS account can exist anywhere in the world for one BB PIN. So, for instance, if the BIS account is still active on another carrier, your carrier will not be able to create a BIS account for your BB until the old carrier releases the PIN from their BIS system.
    But...
    alexdiscus wrote:
    i get a message telling me that my BIS account is suspended or deactivated....
    That worries me the most...that usually only happens when something is amiss with the device. Stolen, lost, or otherwise something wrong. And, in that state, no carrier in the world will be able to create a BIS account for that BB. You will have to track down why it is in that state and get it cleared up...if that's even possible. The seller certainly should work with you here...if they represented a device that was capable of doing what you are attempting, then they misrepresented. But, as always, buyer beware...
    BTW - you have no free method to directly contact RIM for any support. All support starts with the carriers and authorized resellers. Since you didn't purchase you BB through your carrier, they may or may not be willing to escalate your case into RIM for assistance...you will have to plead your case with them.
    There is a fee-based method for you to get support direct from RIM...but even the initial contact costs you money. You can investigate that here:
    http://us.blackberry.com/support/programs/technical/incident.jsp
    Good luck!
    Occam's Razor nearly always applies when troubleshooting technology issues!
    If anyone has been helpful to you, please show your appreciation by clicking the button inside of their post. Please click here and read, along with the threads to which it links, for helpful information to guide you as you proceed. I always recommend that you treat your BlackBerry like any other computing device, including using a regular backup schedule...click here for an article with instructions.
    Join our BBM Channels
    BSCF General Channel
    PIN: C0001B7B4   Display/Scan Bar Code
    Knowledge Base Updates
    PIN: C0005A9AA   Display/Scan Bar Code

  • OSx Server 3.1.2 - Wiki (collabd) Authentication Vulnerable to Brute Force?

    Hello Team,
         I have been using OSx Servers (3.1.2 - Build 1354517) 'wiki' or Collaborative suite to host some personally created wiki's and documentation. Upon having this open to external (WAN) connections, as was my eventual goal; I noticed a potential problem. I found that I could continually attempt authenticate against the website, without any timeout or anything else to slow down my attempts.
         To elaborate briefly, I don't mean authentication against .htpassword as maybe configured in OSX Servers Website hosting setup. I mean against the wiki software itself. The only way around this, that I can find, would be to use .htpassword for an additional layer of security.
         Given that there are MANY ways to gain usernames against the wiki server (Profiles, default 'alias', activity logs - etc), and the fact that this authenticates against local system accounts, is this a genuine security threat?
         I appreciate any feedback from other users or perhaps Apple.

    Hello Linc,
         I appreciate your reply, though I feel it misses the core content of my enquiry. It's not unnecessary to expose this service, but I would like the ability to. I don't think the service accessibility limitations should be defined on whether the application is secure or not.
         And either way, even if run in a secure environment; it's still a compromise.
         In the end, I'm still not sure; Do you acknowledge that this is vulnerable to brute force?
         Thanks,

  • Virus try to brute-force my unlock screen pin on iPad immediately after FaceTime call redirect

    Hi all!
    I guess there could be exploit in FaceTime/call redirection proto. It's the 3rd time when I see my iPad is flashing with digits brute-forcing pin code to unlock screen and does not react on any touch or buttons.
    The scenario is as following:
    1. I receive a call on iPhone
    2. Call is redirected to iPad via FaceTime
    3. After call is answered from iPhone, iPad do not fall into sleep
    4. iPad does slide to unlock!
    5. iPad start flashing with digits (it looks the same when you tapping and after any touch digit flashes). The sequence is traditional: 1111,1211,1221,etc,etc...
    6. Finally iOS blocks pin entering with timeout and iPad back to normal operations, reacts on buttons and touches.
    I talk about iPad2/iPhone4S running latest iOS 8.3.
    If anybody get the same problem, please write here.

    What you describe sounds more like a problem with your iPad's touchscreen than a hack. There's no known method for brute-forcing the lockscreen code in that manner.
    Note that the sequence you describe isn't really "traditional"... the only digits you describe as being used are 1 and 2, which are right next to each other... a problem with the touchscreen in that region could easily explain that. Use a soft, slightly damp cloth to clean the screen. If that doesn't help, contact Apple for diagnosis and service.

  • HUGES problems with display after waking up from hibernate mode

    Hello everybody,
    I hope that somebody can help me soon, because in the last 15 days I'm reaaaaallly annoyed with MAC's issues.
    In the last 15 days it seemd I had to reboot it a lot of times, because it freezes, it crashes, etc...
    Neverthless what happened today it passes all the limits: in the last period, because of these often crashes, I turn the mac off at night, on the other hand when I go to work I simply close the display and let it hibernates.
    Today when I came back after work I opened it and it was amazing:
    it has a different desktop!! With different icons in the dock, diferent icons in the top-right part, and it was freezed! I had to force it to shut down, restart it...and since then, I had huge problem with display.
    It shakes everything while scrolling mails, web pages or icons in the dock. If I scroll between desktops, it takes year lights more than yesterday!!
    Nothing happen if I restart as many time as I want.
    In my simple opinion it seems a virus issue, but..as far as I know, there is no need to install an AV on a mac, right???
    I tried to record some of these probls with the QT, but when you start recording all the desktop, it seems A LITTLE better, smoothing all these shaking effects. NEverthless they are still noticeable.
    I'll try to attach a video as a dropbox link, 'cause I can't attach it on the message (it is denied)
    PLEASE HELP MEEEEE!!!!
    https://www.dropbox.com/s/r1mlpjo5x8g1tkj/scrolling%20problems.mov
    https://www.dropbox.com/s/g1ey1xrheo9mvti/scrolling%20problems2.mov
    https://www.dropbox.com/s/ljtm53go8ywt9fs/scrolling%20prob3.mov

    I am going to add my problem to this as I believe it fits and may add to the conversation.
    I have a MacBook Pro, am using Parallels, and have an issue waking it up from sleep.
    Circumstances:
    I close the lid and walk away from the device in my office. When I return, (over night or an hour later) I open the lid, and if nothing happens swipe the touchpad or press a key, the power light changes from pulsating to steady. then in less than 15 seconds it goes back to pusating. The display never energizes, only remain black.
    I usually try opening and closing several times, and occaisionally that will work. Other times, I hold the power key until I hear the drive halt, then turn it on. The grey screen will display, then blue, then just before it gets to the log in, the screen goes black (not energized) and the light pulsates.
    I have tried the PRAM reset and Safe Mode starts with no luck.
    *Now the really wierd thing.* I decieded to contact Apple support on line and pay for help (yes that is weird in an of itself for me). As I began the process it came to the part for me to enter my serial number. With the lid open, I turned the MacBook on its side to try to read the number and the screen energized and the password unlock prompt was waiting for me to enter the password.
    Observations
    I had read where the light sensor could be blocked by dirt or the light in the room was too dim, but I clean the screen and there is plenty of light. Dales Post is the first that I have seen Parallels and the Sudden Motion Sensor. That makes some sense to me because of what happened when I turned it on its side. I have verified that it happens regardless of using Parallels. as teh last time I did it I had closed out of all my VMs and I believe exited Parallels.
    I am going to try the deleting the power preferences file and will report back.

  • Huge problem using apple mail while sending email to a group...

    Hey - I am quite confused... apple mail has huge problems using groups with about 150 addresses when writing and sending an email... the writing of emails is nearly impossible. Once the group name is inserted in the addressline (address book in iCloud!), apple mail uses nearly 100% CPU and further writing is nearly impossible. When sending such an email, all addresses are suddenly visible - though the box is NOT checked and the addresses should be hidden... what can I do? I use this feature (sending mails to groups) on a daily basis and cannot accept visible addresses...
    Greetings and sorry for inconvenient english...
    Christof

    How about next time you send to the group, cc yourself, or include yourself in the group. Then receive the email on the iphone, you can "reply all" in order to send to the group. If you use an imap account, you can make a new folder, call it something like "groups", and save different group emails there for the next time you need to "reply all".

  • I am having some huge problems with my colorspace settings. Every time I upload my raw files from my Canon 5D mark II or 6D the pics are perfect in color. That includes the back of my camera, the pic viewer on my macbook pro, and previews. They even look

    I am having some huge problems with my colorspace settings. Every time I upload my raw files from my Canon 5D mark II or 6D the pics are perfect in color. That includes the back of my camera, the pic viewer on my macbook pro, and previews. They even look normal when I first open them in photoshop. I will edit, save, and then realize once i've sent it to myself to test the color is WAY off. This only happens in photoshop. I've read some forums and have tried different things, but it seems to be making it worse. PLEASE HELP! Even viewing the saved image on the mac's pic viewer is way off once i've edited in photoshop. I am having to adjust all my colors by emailing myself to test. Its just getting ridiculous.

    Check the color space in camera raw, the options are in the link at the bottom of the dialog box. Then when saving make sure you save it to the srgb color space when sending to others. Not all programs understand color space and or will default to srgb. That won't necessarily mean it will be accurate, but it will put it in the ballpark. Using save for web will use the srgb color space.

  • Huge problems using external iSight or DV video camera on my MPB DCD...

    Ok, so I am developing some applications that make use of a video camera for motion tracking, and I have run into a huge problem when trying to use any external video camera. I have both an external iSight in great working order (I have tested it on my tower, which is also brand new, but on 10.4 for reasons of other applications not yet supported on 10.5.1) and also a Sony DCR-TRV520 NTSC Digital Handycam. (Once again, works perfectly when plugged in to the tower.) But if I plug either of them in to my MBP, no programs recognize their existence at all, be it iChat, iMovie, or my application. Nothing shows up in system profiler either. I try reboots, I get nothing... the internal iSight constantly takes over or is my only choice in applications.
    And before you even ask, yes, my firewire port works, as I can plug my external firewire solo audio interface into it no problems, and no, I don't have any other firewire devices plugged in when trying to get the computer to recognize they are there.
    Quick response would be awesome, as I am on a timeline to finish the program development and it is very important that I get this to work, preferably the Sony.

    I just read this in their Forum mate ...
    Cycling 74 has not yet finished evaluating Mac OS 10.5, aka Leopard.
    As with any new OS, you are advised to tread cautiously if you are
    considering updating. We are interested in hearing any and all reports
    from users, and at some later date we shall publish full details of
    our compatibility. Until that time use of our software on Leopard is unsupported.
    If you wish to make reports of your experience with Leopard, please send them to support at cycling74 dot com

  • Anyone get a huge "Problem Report for iDVD" with hundreds of lines of information?

    Anyone get a huge "Problem Report for iDVD" with hundreds of lines of information? This happens right before the DVD would be finished burning but instead crashes and leaves the long report your have to scroll down several times to read. I had to take several screen captures of the screen to get the WHOLE report. Here is two:
    (If there is another thread on this - just answer the question or refer me to it. I'm past due on a big project. Don't have time to read all 21,000 discussions in the iDVD thread. Be kind. Thanks )

    Some things to try first:
    1. Disconnect any and all 3rd party devices that didn't ship with your mac directly from apple (both FW and USB included). 
    2. Restart your mac without any 3rd party devices attached whatsoever. That includes ext. hard drives, blue tooth devices, and any third party memory product/s. Basically, anything that doesn't come directly from apple has to go (at least while troubleshooting).
    3. Need you to dispose of the plist for iDvd also. Go to you Home folder, the one that looks like a house > Library > Preferences > com.apple.iDvd.plist and drag and drop this file/s to the trash. Make sure to first quit iDvd prior to disposing of this pref. file/s.
    4. Run apple's disc utility and repair permissions. Applicantions > Utilities > Disc Utility > Repair Permissions.
    5. Restart your mac yet again, and try iDvd one more time.
    6. If it's still at issue then please open iDvd from a separate user account and try your project one more time. If you don't know how to create a separate user account then just come on back and one of will show you how.
    Good luck.
    Message was edited by: SDMacuser

Maybe you are looking for

  • Using mini DV tape footage in Premiere Pro

    Normally I shoot video as 720p 30fps and edit in Premiere Pro CC. In my present project I have some mini DV tape footage from a friend I'd like to incorporate, It was shot on his Panasonic PV-GS300 in the wide-screen (16:9) mode, and we'll be using t

  • My itunes wont open at all??

    I have a windows vista and my itunes store wasnt opening due to something with my network? I checked my network and it was fine. So I downloded the newest version and it opened at first but the problem still continued. Now its not opening at all. Hel

  • How to get the profit centres determined in automatic payment run - F110

    Hi, In F110 - Automatic payment run, is it possible to get the profit centres determined ? While doing manual payment, system gives the option to enter the related profit centres. But in F110 how can I get the profit centre (cost obect) selected ? Co

  • ERROR: insufficient privileges while using EXPLAIN PLAN command

    Hi, I have a table named TEST and i ran following command on this table. SQL> EXPLAIN PLAN FOR 2 SELECT NAME FROM TEST; SELECT NAME FROM TEST ERROR at line 2: ORA-01031: insufficient privileges So which privilege do i need to give for using EXPLAIN P

  • SRM 7.0 Duplicate Procurement Problem ( Source_rel_ind set to X again )

    Hi All, We are on SRM 7.0 and ECC 5.0 and we use classic scenario. We have a problem that is causing the shopping cart to reappear in the sourcing cockpit which is causing the duplicate procurement. Upon awarding the quote, the workflow creates a PO