Showing posts with label bsod. Show all posts
Showing posts with label bsod. Show all posts

Saturday, January 30, 2010

repair perspective & Windows 7 dark Screen of Death Error (BSOD) with Black shade Fix

Most of us have approach across Windows BSOD (Blue screen of death) barbarous underline of Windows XP & perspective. Windows 7 might be utterly stable and doesn’t crash with BSOD though Microsoft has not completely get rid of BSODs. Windows 7 jerry can also exist influenced by dark Screens of genocide which simply solidify awake a computers forcing users to stare during zero more than the vacant, dim desktop.

fix blue screen of death
To fix dark Screen of Death of Windows 7 Prevx’s David Kennerley has grown the good app “Black Screen Fix” to fix the immeasurable infancy of issues that means dark Screens.
Black Screen repair Pervex



The base cause of a ultimate wave of dark Screens of Death has been identified as a alteration in a Windows Operating Systems close listed of records office keys. information technology appears which the updates released this month by means of Microsoft cause certain records office keys to exist invalidated, a pierce which, cutting-edge its spin generated Black Screen of Death errors.
doubt you are confronting Windows 7 Black shade of Death then transfer dark Screen Fix as well as outing it upon your system. top registry cleaner A reboot is compulsory after you run this application.Source:http://www.articlesbase.com/operating-systems-articles/stop-0x0000005c-error-fixstop-0x0000005c-error-repair-1247442.html


Friday, January 22, 2010

How to Solve Windows 7 Unbootable pole MFT error


Runtime Error, DBA, 1/24/09 by richardgin.org

Sharing ideas with others. The documents may contain basic information you already know. The documents are shared, also keeping in mind the people who don't know. Also, the documents might be useful to those who think they know bu (More...)

Although simple data parallelism allows us to easily parallelize many of our iteration statements, there are cases that it does not handle well.  In my previous discussion, I focused on data parallelism with no shared state, and where every element is being processed exactly the same.


Unfortunately, there are many common cases where this does not happen.  If we are dealing with a loop that requires early termination, extra care is required when parallelizing.



Often, while processing in a loop, once a certain condition is met, it is no longer necessary to continue processing.  This may be a matter of finding a specific element within the collection, or reaching some error case.  The important distinction here is that, it is often impossible to know until runtime, what set of elements needs to be processed.


In my initial discussion of data parallelism, I mentioned that this technique is a candidate when you can decompose the problem based on the data involved, and you wish to apply a single operation concurrently on all of the elements of a collection.  This covers many of the potential cases, but sometimes, after processing some of the elements, we need to stop processing.


As an example, lets go back to our previous Parallel.ForEach example with contacting a customer.  However, this time, we’ll change the requirements slightly.  In this case, we’ll add an extra condition – if the store is unable to email the customer, we will exit gracefully.  The thinking here, of course, is that if the store is currently unable to email, the next time this operation runs, it will handle the same situation, so we can just skip our processing entirely.  The original, serial case, with this extra condition, might look something like the following:


foreach(var customer in customers)
{
// Run some process that takes some time...
DateTime lastContact = theStore.GetLastContact(customer);
TimeSpan timeSinceContact = DateTime.Now - lastContact;

// If it's been more than two weeks, send an email, and update...
if (timeSinceContact.Days > 14)
{
// Exit gracefully if we fail to email, since this
// entire process can be repeated later without issue.
if (theStore.EmailCustomer(customer) == false)
break;
customer.LastEmailContact = DateTime.Now;
}
}

Here, we’re processing our loop, but at any point, if we fail to send our email successfully, we just abandon this process, and assume that it will get handled correctly the next time our routine is run.  If we try to parallelize this using Parallel.ForEach, as we did previously, we’ll run into an error almost immediately: the break statement we’re using is only valid when enclosed within an iteration statement, such as foreach.  When we switch to Parallel.ForEach, we’re no longer within an iteration statement – we’re a delegate running in a method.


This needs to be handled slightly differently when parallelized.  Instead of using the break statement, we need to utilize a new class in the Task Parallel Library: ParallelLoopState.  The ParallelLoopState class is intended to allow concurrently running loop bodies a way to interact with each other, and provides us with a way to break out of a loop.  In order to use this, we will use a different overload of Parallel.ForEach which takes an IEnumerable<T> and an Action<T, ParallelLoopState> instead of an Action<T>.  Using this, we can parallelize the above operation by doing:


Parallel.ForEach(customers, (customer, parallelLoopState) =>
{
// Run some process that takes some time...
DateTime lastContact = theStore.GetLastContact(customer);
TimeSpan timeSinceContact = DateTime.Now - lastContact;

// If it's been more than two weeks, send an email, and update...
if (timeSinceContact.Days > 14)
{
// Exit gracefully if we fail to email, since this
// entire process can be repeated later without issue.
if (theStore.EmailCustomer(customer) == false)
parallelLoopState.Break();
else
customer.LastEmailContact = DateTime.Now;
}
});

There are a couple of important points here.  First, we didn’t actually instantiate the ParallelLoopState instance.  It was provided directly to us via the Parallel class.  All we needed to do was change our lambda expression to reflect that we want to use the loop state, and the Parallel class creates an instance for our use.  We also needed to change our logic slightly when we call Break().  Since Break() doesn’t stop the program flow within our block, we needed to add an else case to only set the property in customer when we succeeded.  This same technique can be used to break out of a Parallel.For loop.


That being said, there is a huge difference between using ParallelLoopState to cause early termination and to use break in a standard iteration statement.  When dealing with a loop serially, break will immediately terminate the processing within the closest enclosing loop statement.  Calling ParallelLoopState.Break(), however, has a very different behavior.


The issue is that, now, we’re no longer processing one element at a time.  If we break in one of our threads, there are other threads that will likely still be executing.  This leads to an important observation about termination of parallel code:


Early termination in parallel routines is not immediate.  Code will continue to run after you request a termination.


This may seem problematic at first, but it is something you just need to keep in mind while designing your routine.  ParallelLoopState.Break() should be thought of as a request.  We are telling the runtime that no elements that were in the collection past the element we’re currently processing need to be processed, and leaving it up to the runtime to decide how to handle this as gracefully as possible.  Although this may seem problematic at first, it is a good thing.  If the runtime tried to immediately stop processing, many of our elements would be partially processed.  It would be like putting a return statement in a random location throughout our loop body – which could have horrific consequences to our code’s maintainability.


In order to understand and effectively write parallel routines, we, as developers, need a subtle, but profound shift in our thinking.  We can no longer think in terms of sequential processes, but rather need to think in terms of requests to the system that may be handled differently than we’d first expect.  This is more natural to developers who have dealt with asynchronous models previously, but is an important distinction when moving to concurrent programming models.


As an example, I’ll discuss the Break() method.  ParallelLoopState.Break() functions in a way that may be unexpected at first.  When you call Break() from a loop body, the runtime will continue to process all elements of the collection that were found prior to the element that was being processed when the Break() method was called.  This is done to keep the behavior of the Break() method as close to the behavior of the break statement as possible. We can see the behavior in this simple code:


var collection = Enumerable.Range(0, 20);
var pResult = Parallel.ForEach(collection, (element, state) =>
{
if (element > 10)
{
Console.WriteLine("Breaking on {0}", element);
state.Break();
}
Console.WriteLine(element);
});

If we run this, we get a result that may seem unexpected at first:


0
2
1
5
6
3
4
10
Breaking on 11
11
Breaking on 12
12
9
Breaking on 13
13
7
8
Breaking on 15
15

What is occurring here is that we loop until we find the first element where the element is greater than 10.  In this case, this was found, the first time, when one of our threads reached element 11.  It requested that the loop stop by calling Break() at this point.  However, the loop continued processing until all of the elements less than 11 were completed, then terminated.  This means that it will guarantee that elements 9, 7, and 8 are completed before it stops processing.  You can see our other threads that were running each tried to break as well, but since Break() was called on the element with a value of 11, it decides which elements (0-10) must be processed.


If this behavior is not desirable, there is another option.  Instead of calling ParallelLoopState.Break(), you can call ParallelLoopState.Stop().  The Stop() method requests that the runtime terminate as soon as possible , without guaranteeing that any other elements are processed.  Stop() will not stop the processing within an element, so elements already being processed will continue to be processed.  It will prevent new elements, even ones found earlier in the collection, from being processed.  Also, when Stop() is called, the ParallelLoopState’s IsStopped property will return true.  This lets longer running processes poll for this value, and return after performing any necessary cleanup.


The basic rule of thumb for choosing between Break() and Stop() is the following.



  • Use ParallelLoopState.Stop() when possible, since it terminates more quickly.  This is particularly useful in situations where you are searching for an element or a condition in the collection.  Once you’ve found it, you do not need to do any other processing, so Stop() is more appropriate.

  • Use ParallelLoopState.Break() if you need to more closely match the behavior of the C# break statement.


Both methods behave differently than our C# break statement.  Unfortunately, when parallelizing a routine, more thought and care needs to be put into every aspect of your routine than you may otherwise expect.  This is due to my second observation:


Parallelizing a routine will almost always change its behavior.


This sounds crazy at first, but it’s a concept that’s so simple its easy to forget.  We’re purposely telling the system to process more than one thing at the same time, which means that the sequence in which things get processed is no longer deterministic.  It is easy to change the behavior of your routine in very subtle ways by introducing parallelism.  Often, the changes are not avoidable, even if they don’t have any adverse side effects.  This leads to my final observation for this post:


Parallelization is something that should be handled with care and forethought, added by design, and not just introduced casually.


Source:http://www.articlesbase.com/operating-systems-articles/fix-svchostexe-application-errorsvchostexe-application-error-repair-1487023.html

Tuesday, January 12, 2010

doubt Your mechanism Runs Slow – You May essential a Windows Registry scan


Kittens vs. Mac by Gail S






You may encounter windows installer error 1719 when you are installing a program. Installation may be ended prematurely or there may be a fatal error during the installation. Window Installer Error 1719 happens because Windows installer is unable launch the relevant source files for the setup of the application software that you are trying to install. Those files may be missing or corrupted. Normally the original MSI installation files will be cached in the ‘C:winntInstaller’ directory before installation is started. Improper caching of an MSI file is one of the main causes of the error also.


Try the following solution to fix the Windows installer error 1719.


To fix the error, you have make sure you have the latest version of InstallShield installed your computer. If not, then update it to resolve the error. If the installation is unable to locate the required files, try to use the Windows’ ‘Search’ feature to look for the files and provide the location to the installation process. You must logon as administrative before you do the installation. If you are installing over a network, please ensure that you have full access right to the network location where you are running the setup. If the Windows installer error 1719 remains, you may need to use a PC error Fixer or registry cleaner to scan your computer. You should fix those PC errors and registry problems before the installation. Be sure that choose a rated registry cleaner, it not only fix the installer error 1719, the performance of your computer can also be improved.










Flex - Flex 4 beta 2 Error Install




3 Weeks Ago













I am in the process of installing Drupal 6.15 on my localhost - using windows xp and wamp. I am getting the error below - I know this has been reported various times and I made the change below that is recommended (created the settings.php file)


I am not sure how to provide file permissions in windows xp environment - The only option that I have is to create a share on the folder, or to click on disable the read only attribute. At this point, I am not sure what to do and gettin frusturated since I have reinstalled wamp and drupal almost 5 times now, starting from the beginning.

I see alot of responses for linux os using the unix commands - but not sure if there are commands in the windows environment for setting permissions like there are in unix /. linux.


here is the message:


"The Drupal installer requires that you create a settings file as part of the installation process.

Copy the ./sites/default/default.settings.php file to ./sites/default/settings.php.

Change file permissions so that it is writable by the web server. If you are unsure how to grant file permissions, please consult the on-line handbook.

More details about installing Drupal are available in INSTALL.txt."


Sunday, January 10, 2010

Is your mechanism intensely delayed? at this time have been a little Tips To urge the performance of your computer


Mac Pro Setup by Natalie Nash


Top Windows 7 Posts



  • Guide to install Windows 7 Beta on Lenovo Ideapad S10 Netbook - Tips using USB pen drive

  • How to install Windows 7 Beta 1 with Virtual PC 2007 SP1 - Guide, tips, tutorial

  • How to install Windows 7 Beta 1 without a DVD drive - Installation guide, tips, tutorial

  • Install Windows 7 Beta using Boot Camp on a Macbook Pro - Guide, tips, tutorial

  • How to modify Windows 7 Boot Loader?

  • Fix Windows 7 Sidebar with UAC Off issue


Recent Popular Posts



  • Gmail Tasks for iPhone, Android device

  • Windows Vista SP1 activation hack

  • Download Acronis True Image 10 Personal Edition! for FREE!

  • Windows Vista Media Center: Play Blu-ray and HD DVD Movies

  • Running Mac OS X on a Netbook - Guide, Tips, Tutorial, Walkthrough with Video

  • How To: Export Thunderbird Mail to Outlook (Express)!

  • Windows XP SP3 RC HD Audio Fix

  • Online video streaming of inauguration events of President Barack Obama in Microsoft Silverlight

  • Windows XP Professional x64 "Download Free 120-Day Trial "! If Windows Vista x64 Does not Work For You?

  • Vista Aero Glass for Firefox 3.0 with Glasser Installer (XPI) addon

  • Windows Vista SP1 kills 2099 Grace Time

  • Windows Vista Media Center: How To Play


Friday, January 8, 2010

possess we Experienced the Blue shade of genocide? Top 3 Tips to correct Your Windows XP bsod


7stacks on Windows 7 by Jack Noir




computer keeps freezing-speed up your computer
watch!



youtube.com —

computer keeps freezing?visit us at http://computerkeepsfreezing.net optimize the speed of your computer.computer keeps freezing, my computer keeps freezing ...




Computer Keeps Freezing-Security for Home Users



scribd.com —
computer keeps freezing, my computer keeps freezing ,computer keeps freezing up, pc keeps freezing, computer screen freezes, computer freezes after startup, computer locks up, why is my computer freezing, computer keeps crashing, windows xp keeps freezing, slow windows startup, slow windows boot, windows xp shutdown problem, computer freezing troub


Credit: fix windows xp blue screen of deah