Transaction in TaskFlow and locking

Hello
I'm using JDeveloper 11g 11.1.2.1.0
I came across strange (in my opinion) behaviour of the transaction option inside taskFlow: if taskFlow's transaction option set as something other than "<No Controller Transaction>" (for example, "Use Existing Transaction if Possible"), then taskFlow always use the pessimistic Locking Mode (not depend what is set in adf-config's "Locking Mode").
I have done simple test.
There is the table in Oracle database, the entity and the editable view object in the Model project.
There is one jsf page inside the view project. Inside that jsf page - one bounded taskFlow with one page fragment with simple edit form bounded to View Object from Model project.
adf-config: "Locking Mode" - "Optimistic"
Application Module: LocalConfiguration, jbo.locking.mode = 'optimistic'
TaskFlow: transaction - "Use Existing Transaction if Possible"
I run the application and after the form SUBMIT (with comandButton or autosubmit="true") I see next log:
<ADFLogger> <begin> Lock Entity
<OracleSQLBuilderImpl> <doEntitySelectForAltKey> [600] (125) OracleSQLBuilderImpl.doEntitySelectForAltKey(672) OracleSQLBuilder Executing doEntitySelect on: SAR_TEST.SAR_REPORTS (true)
<ADFLogger> <begin> Entity read all attributes
<OracleSQLBuilderImpl> <buildSelectString> [601] (0) OracleSQLBuilderImpl.buildSelectString(2808) Built select: 'SELECT REPORT_ID, PERIOD_DATE, TEMPLATE_ID, SHOP_ID, EDIT_DATE, STATUS, USER_LOGIN, SAVE_COUNTER FROM SAR_TEST.SAR_REPORTS ReportEO'
<OracleSQLBuilderImpl> <doEntitySelectForAltKey> [602] (0) OracleSQLBuilderImpl.doEntitySelectForAltKey(782) Executing LOCK...SELECT REPORT_ID, PERIOD_DATE, TEMPLATE_ID, SHOP_ID, EDIT_DATE, STATUS, USER_LOGIN, SAVE_COUNTER FROM SAR_TEST.SAR_REPORTS ReportEO WHERE REPORT_ID=:1 FOR UPDATE NOWAIT
<ADFLogger> <addContextData> Entity read all attributes
<OracleSQLBuilderImpl> <bindWhereAttrValue> [603] (0) OracleSQLBuilderImpl.bindWhereAttrValue(2296) Where binding param 1: 287
<ADFLogger> <addContextData> Entity read all attributes
<ADFLogger> <end> Entity read all attributes
<ADFLogger> <end> Lock EntitySo, I have "Executing LOCK..." with "FOR UPDATE NOWAIT"
Record is locked on the database level, and it's impossible to edit it from other session
If I set taskFlow's transaction to "<No Controller Transaction>" - I do not have any locking.
So, what is the relations between adf-config: "Locking Mode" and taskFlow's transaction control?
As I understood I should never use taskFlow's transaction control if I want to have on optimistic locking mode through an application.
Is this an error?
Anatolii

Frank, thank for replay
I don't understand why the update of the record in database happens. I don't execute commit, I perform the form submit (I want to update the model only, not database records), and during this sumbmit operation the database record's update happens.
Neither of commit and rollback happen, and record remain locked.
And I have FOR UPDATE NOWAIT in this situation even with adf-config: "Locking Mode" - "none" or "Optupdate". Why?
Where did you see that lock released after update?
Anatolii
Edited by: Anatolii. on 12.01.2012 7:57
Edited by: Anatolii. on 12.01.2012 8:00

Similar Messages

  • Re: Transactions and Locking Rows for Update

    Dale,
    Sounds like you either need an "optimistic locking" scheme, usually
    implemented with timestamps at the database level, or a concurrency manager.
    A concurrency manager registers objects that may be of interest to multiple
    users in a central location. It takes care of notifying interested parties
    (i.e., clients,) of changes made to those objects, using a "notifier" pattern.
    The optimistic locking scheme is relatively easy to implement at the
    database level, but introduces several problems. One problem is that the
    first person to save their changes "wins" - every one else has to discard
    their changes. Also, you now have business policy effectively embedded in
    the database.
    The concurrency manager is much more flexible, and keeps the policy where
    it probably belongs. However, it is more complex, and there are some
    implications to performance when you get to the multiple-thousand-user
    range because of its event-based nature.
    Another pattern of lock management that has been implemented is a
    "key-based" lock manager that does not use events, and may be more
    effective at managing this type of concurrency for large numbers of users.
    There are too many details to go into here, but I may be able to give you
    more ideas in a separate note, if you want.
    Don
    At 04:48 PM 6/5/97 PDT, Dale "V." Georg wrote:
    I have a problem in the application I am currently working on, which it
    seems to me should be easily solvable via appropriate use of transactions
    and database locking, but I'm having trouble figuring out exactly how to
    do it. The database we are using is Oracle 7.2.
    The scenario is as follows: We have a window where the user picks an
    object from a dropdown list. Some of the object's attributes are then
    displayed in that window, and the user then has the option of editing
    those attributes, and at some point hitting the equivalent of a 'save'button
    to write the changes back to the database. So far, so good. Now
    introduce a second user. If user #1 and user #2 both happen to pull up
    the same object and start making changes to it, user #1 could write back
    to the database and then 15 seconds later user #2 could write back to the
    database, completely overlaying user #1's changes without ever knowing
    they had happened. This is not good, particularly for our application
    where editing the object causes it to progress from one state to the next,
    and multiple users trying to edit it at the same time spells disaster.
    The first thing that came to mind was to do a select with intent to update,
    i.e. 'select * from table where key = 'somevalue' with update'. This way
    the next user to try to select from the table using the same key would not
    be able to get it. This would prevent multiple users from being able to
    pull the same object up on their screens at the same time. Unfortunately,
    I can think of a number of problems with this approach.
    For one thing, the lock is only held for the duration of the transaction, so
    I would have to open a Forte transaction, do the select with intent to
    update, let the user modify the object, then when they saved it back again
    end the transaction. Since a window is driven by the event loop I can't
    think of any way to start a transaction, let the user interact with the
    window, then end the transaction, short of closing and re-opening the
    window. This would imply having a separate window specifically for
    updating the object, and then wrapping the whole of that window's event
    loop in a transaction. This would be a different interface than we wanted
    to present to the users, but it might still work if not for the next issue.
    The second problem is that we are using a pooled DBSession approach
    to connecting to the database. There is a single Oracle login account
    which none of the users know the password to, and thus the users
    simply share DBSession resources. If one user starts a transaction
    and does a select with intent to update on one DBSession, then another
    user starts a transaction and tries to do the same thing on the same
    DBSession, then the second user will get an error out of Oracle because
    there's already an open transaction on that DBSession.
    At this point, I am still tossing ideas around in my head, but after
    speaking with our Oracle/Forte admin here, we came to the conclusion
    that somebody must have had to address these issues before, so I
    thought I'd toss it out and see what came back.
    Thanks in advance for any ideas!
    Dale V. Georg
    Indus Consultancy Services [email protected]
    Mack Trucks, Inc. [email protected]
    >
    >
    >
    >
    ====================================
    Don Nelson
    Senior Consultant
    Forte Software, Inc.
    Denver, CO
    Corporate voice mail: 510-986-3810
    aka: [email protected]
    ====================================
    "I think nighttime is dark so you can imagine your fears with less
    distraction." - Calvin

    We have taken an optimistic data locking approach. Retrieved values are
    stored as initial values; changes are stored seperately. During update, key
    value(s) or the entire retieved set is used in a where criteria to validate
    that the data set is still in the initial state. This allows good decoupling
    of the data access layer. However, optimistic locking allows multiple users
    to access the same data set at the same time, but then only one can save
    changes, the rest would get an error message that the data had changed. We
    haven't had any need to use a pessimistic lock.
    Pessimistic locking usually involves some form of open session or DBMS level
    lock, which we haven't implemented for performance reasons. If we do find the
    need for a pessimistic lock, we will probably use cached data sets that are
    checked first, and returned as read-only if already in the cache.
    -DFR
    Dale V. Georg <[email protected]> on 06/05/97 03:25:02 PM
    To: Forte User Group <[email protected]> @ INTERNET
    cc: Richards* Debbie <[email protected]> @ INTERNET, Gardner*
    Steve <[email protected]> @ INTERNET
    Subject: Transactions and Locking Rows for Update
    I have a problem in the application I am currently working on, which it
    seems to me should be easily solvable via appropriate use of transactions
    and database locking, but I'm having trouble figuring out exactly how to
    do it. The database we are using is Oracle 7.2.
    The scenario is as follows: We have a window where the user picks an
    object from a dropdown list. Some of the object's attributes are then
    displayed in that window, and the user then has the option of editing
    those attributes, and at some point hitting the equivalent of a 'save' button
    to write the changes back to the database. So far, so good. Now
    introduce a second user. If user #1 and user #2 both happen to pull up
    the same object and start making changes to it, user #1 could write back
    to the database and then 15 seconds later user #2 could write back to the
    database, completely overlaying user #1's changes without ever knowing
    they had happened. This is not good, particularly for our application
    where editing the object causes it to progress from one state to the next,
    and multiple users trying to edit it at the same time spells disaster.
    The first thing that came to mind was to do a select with intent to update,
    i.e. 'select * from table where key = 'somevalue' with update'. This way
    the next user to try to select from the table using the same key would not
    be able to get it. This would prevent multiple users from being able to
    pull the same object up on their screens at the same time. Unfortunately,
    I can think of a number of problems with this approach.
    For one thing, the lock is only held for the duration of the transaction, so
    I would have to open a Forte transaction, do the select with intent to
    update, let the user modify the object, then when they saved it back again
    end the transaction. Since a window is driven by the event loop I can't
    think of any way to start a transaction, let the user interact with the
    window, then end the transaction, short of closing and re-opening the
    window. This would imply having a separate window specifically for
    updating the object, and then wrapping the whole of that window's event
    loop in a transaction. This would be a different interface than we wanted
    to present to the users, but it might still work if not for the next issue.
    The second problem is that we are using a pooled DBSession approach
    to connecting to the database. There is a single Oracle login account
    which none of the users know the password to, and thus the users
    simply share DBSession resources. If one user starts a transaction
    and does a select with intent to update on one DBSession, then another
    user starts a transaction and tries to do the same thing on the same
    DBSession, then the second user will get an error out of Oracle because
    there's already an open transaction on that DBSession.
    At this point, I am still tossing ideas around in my head, but after
    speaking with our Oracle/Forte admin here, we came to the conclusion
    that somebody must have had to address these issues before, so I
    thought I'd toss it out and see what came back.
    Thanks in advance for
    any
    ideas!
    Dale V. Georg
    Indus Consultancy Services [email protected]
    Mack Trucks, Inc. [email protected]
    ------ Message Header Follows ------
    Received: from pebble.Sagesoln.com by notes.bsginc.com
    (PostalUnion/SMTP(tm) v2.1.9c for Windows NT(tm))
    id AA-1997Jun05.162418.1771.334203; Thu, 05 Jun 1997 16:24:19 -0500
    Received: (from sync@localhost) by pebble.Sagesoln.com (8.6.10/8.6.9) id
    NAA11825 for forte-users-outgoing; Thu, 5 Jun 1997 13:47:58 -0700
    Received: (from uucp@localhost) by pebble.Sagesoln.com (8.6.10/8.6.9) id
    NAA11819 for <[email protected]>; Thu, 5 Jun 1997 13:47:56 -0700
    Received: from unknown(207.159.84.4) by pebble.sagesoln.com via smap (V1.3)
    id sma011817; Thu Jun 5 13:47:43 1997
    Received: from tes0001.macktrucks.com by relay.macktrucks.com
    via smtpd (for pebble.sagesoln.com [206.80.24.108]) with SMTP; 5 Jun
    1997 19:35:31 UT
    Received: from dale by tes0001.macktrucks.com (SMI-8.6/SMI-SVR4)
    id QAA04637; Thu, 5 Jun 1997 16:45:51 -0400
    Message-ID: <[email protected]>
    Priority: Normal
    To: Forte User Group <[email protected]>
    Cc: "Richards," Debbie <[email protected]>,
    "Gardner," Steve <[email protected]>
    MIME-Version: 1.0
    From: Dale "V." Georg <[email protected]>
    Subject: Transactions and Locking Rows for Update
    Date: Thu, 05 Jun 97 16:48:37 PDT
    Content-Type: text/plain; charset=US-ASCII; X-MAPIextension=".TXT"
    Content-Transfer-Encoding: quoted-printable
    Sender: [email protected]
    Precedence: bulk
    Reply-To: Dale "V." Georg <[email protected]>

  • Error 131 Transaction rolled back by lock wait timeout

    Hello all,
    I was trying to run apriori, and then HANA writer in my database.
    Apriori executes directly, and then I configure and try to execute HANA Writer. But it keeps executing for more than half an hour, and then gives the following error: Error 131 Transaction rolled back by lock wait timeout. Lock timeout occurs while waiting TABLE_LOCK of mode EXCLUSIVE.
    Bimal suggested me to reduce the data to be analysed, so then I reduced it to a pretty small part and executed again.
    It gave me the same error after more than 30 minutes waiting executing.
    after having this error, I tried just execute apriori, but with a filter of 5 transactions and than it worked. After that I tried to visualize the results, and got the following error:
    It means that my HANA memory is full?
    I got the view from HANA:
    Regards!
    Error 131 Transaction rolled back by lock wait timeout 

    Hi Jurgen,
    I'm a developper for PAL from Shanghai team.
    Could you please provide some details information about this case:
    -          How many records did you use ?
    -          What’s the value of “MIN_SUPPORT” and “MIN_CONFIDENCE” did you use ?
    The algorithm of apriori will consume much memory when the input data is very large and min_support is low.
    So I suggest you set “MIN_SUPPORT” and “MIN_CONFIDENCE” as 0.9 firstly, check if it can output result.
    Thanks,
    Peng

  • Transaction recovery: caught and ignored

    Since a week ago I had noticed in my alert log the following message repeated many many times:
    Transaction recovery: caught and ignored
    I suspect this is related with a big datapump import operation that I did and do not end due to I cancelled it because of errors. After that the frecuency of the log switch began to occur too fast(every 20 seconds, redo size 50MB).
    Actually I have not idea about what can be happening so I aprecciate any help you can give me.
    Thanks very much.

    http://serdarturgut.blogspot.com/2010/05/transaction-recovery-lock-conflict.html

  • Adaptive RFC and Locking Objects from WD Java

    Hi,
    There are some pieces of information available on this subject but no coherent and easy to follow "manual". Also some questions remain.
    I'd rate this a very important, i.e. "business critical" problem. Therefore I would appreciate your help to get things sorted in this thread.
    So let's start with a summary of what I think I understood so far (corrections welcome!):
    - You can call RFCs from WebDynpro and locking will work (on the ABAP side).
    - Once you release your JCo connection the locks will be released, though.
    - Therefore, to keep a lock in between requests you have to keep the connection.
    - You can keep the connection by passing WDModelScopeType.APPLICATION_SCOPE or WDModelScopeType.COMPONENT_SCOPE to the constructor of the model class.
    - You can lookup the default scope for a model using
         WDModelScopeType defaultScope = WDModelFactory.lookupDefaultScopeForModel((Class) modelClazz);
    Now suppose you have many users, each holding some locks.
    Would you not easily run out of JCo connections? On the other hand by default WebDynpro RFC Models seem to keep a connection per application instance (= user session).
    Using WDModelScopeType: Do you really need to code this or can you just configure this during design time for the deployment?
    blog=/pub/wlg/1061 claims the default is APPLICATION_SCOPE.
    Will connections (and thus locks) be released automatically on an HttpSession timeout? I guess so because this means the end of the application and therefore end of scope WDModelScopeType.APPLICATION_SCOPE and WDModelScopeType.COMPONENT_SCOPE.
    I'm also not clear about this:
    /people/sap.user72/blog/2005/01/08/adaptive-rfc-models-in-web-dynprosome-pointers
    "But to ensure that the record remains locked it is necessary reserve the connection that was used for locking and be made unavailable for other models and also the connection should remain open as long as the lifetime of the screen. This becomes similar to locking records through SAP Gui . This can be easily achieved by having separate models for locking RFCs defined with APPLICATION_SCOPE and isolating its connection by not grouping with other model objects."
    What does "reserve the connection" mean?
    Suppose you lock some object and afterwards want to allow the user to request more information about this or other objects.
    Would you need to use a different connection for that?
    Suppose you want to lock two objects.
    Would you need to use two different connections for that?
    Suppose you want to edit both objects and save the changes inside one transaction (with atomicity). A transaction normally is associated with a single connection (unless XA protocol is used). So how would this work?
    What will cause the locks to be released?
    - Application expiration (timeout)
    - RFC that explicitely releases locks
    - Transaction commit/rollback (?)
    Reference:
    I found some of the information and further pointers in the blog mentioned above and here:
    Disconnect method
    Looking forward to your replies
    Markus
    Message was edited by: Markus Wissmann
    Another thread with the same topic and no final answers:
    Handling object locking in R/3 from WD through RFC
    Message was edited by: Markus Wissmann

    Hi,
    This for If you send destination params are different u sent it thru URL param only.
    For that u need generate URL by using the application .
    For that purpose u need to create two applications u can call the first application in second application u can create URL and send Destination params with URL only.
    Other wise u can create the par file that would be configured in portal and thru worksets u can pass the params like u mention the destinations.
    Or at the time generationg URLS only u can add the destination names.
    Thanks,
    Lohi.

  • Crashes and Lock-ups

    I have been experiencing crashes and lock-ups in Premiere CS4.
    Last week I was running Encore to burn a DVD and when I noticed the processor was running flat out. I decided to run Core Temp to check the temperatures. At that point my encoding stopped and Encore locked up.
    Now I usually have Core Temp start when I load Windows. I have now disabled it and when I ran Premiere last night guess what? No lock-ups. Now this is early days but I suspect Core Temp might be the problem. I hope so. I'll report back with my findings when I have had more time to experiment.
    PS I'm running Windows XP SP3, Quad Core 6600 and 4Gb RAM
    Cheers,
    Tim

    You posted near the end of a similar thread in the CS5 forum.  I branched your post into a new topic and moved it here to this forum.  My post #1 was a request to be more careful where you post.
    If you want to see where you originally posted, click on the word "thread" in the phrase "Branched from an earlier thread", located at the top of the post list.
    -Jeff

  • Please help! Major problems (performan​ce and lock-ups) with brand new W520 with Intel 520 SSD

    My company primarily uses HP machines but I've been a long time IBM (now Lenovo) fan so I recently had IT purchase me a new Lenovo W520 (product ID 42763LU).
    Once the machine arrived I had them do the following:
    Remove the 500GB HDD and replace it with an Intel 520 series 240GB SSD
    Remove the optical drive and install the 500GB hard drive that came with the machine in the optical bay (with the bay adapter of course)
    Format both drives and put a preconfigured windows 7 64-bit image on the SSD
    A general summary of the system is the following:
    Intel i7-2860QM CPU
    8GB RAM
    NVIDIA Quadro 1000M
    Intel 520 240GB SSD (primary HDD) [SSDSC2CW240A3]
    Hitachi 500GB HDD (optical bay) [HTS727550A9E365]
    Intel Advanced-N 6205 network adapter
    TouchChip Fingerprint Scanner
    The machine was a few days delayed getting to me due to "hard drive driver issues" (that's what I was told). When I received the machine I immediately noticed that it was much slower than I expected (I have a custom built i5 HTPC at home running windows 7 on a Crucial SATA III SSD that I was comparing it to) and I was experiencing frequent hangs (ranging from 30 seconds to multiple minutes), super long boot times, general “slowness” at times, and occasional lock-ups. Since our "baseline" laptop here at work is the "equivalent" HP workstation my IT guys have been less than helpful in helping me to solve this issue. Being reasonably computer savvy I decided to try to try to fix the issue myself. I performed the following “troubleshooting” steps:
    1. One of the first issues (errors) I noticed in the event viewer was errors related to the optical drive. Clearly the image they installed on the machine was not from a machine with the same hardware configuration. So, I decided to just wipe the machine and perform a fresh install of windows 7 from the disks (well, USB). After spending multiple days installing windows, performing updates, making sure all the drivers were current, and installing only the critical software I need, I was disappointed to realize that although I fixed the optical drive errors the machine was still slow, was hanging, and locking up regularly.
    2. Removed the cover on the machine and removed/reinstalled the drive to verify it was secure.Everything looked good.
    3. Verified the latest firmware is installed on all my Intel hardware. Everything seemed up to date.
    4. I performed a number of troubleshooting steps like booting the machine with/without the battery, with/without the HDD in the optical bay, installed/removed from the docking station, etc. and none of these things helped (also a note – occasionally when running on the battery I was hearing a strange “buzz” or “static” sound coming from the area around the SSD).
    5. Next I did some internet research and learned quite a few things. First, it sounds like others have had similar problems with this machine and/or SSD combo and there were quite a few options suggested to “fix” these issues. The general consensus for troubleshooting steps were:
    5.1. Download and install the latest Intel chipset drivers and AHCI controller drivers (overwriting whatever windows installs during updates).This didn’t fix anything.
    5.2. Turn off PCI express link state power management in the power manager. This didn’t fix anything.
    5.3. Disable superfetch, prefetch, indexing, defragmentation, page file, system restore, and hibernate. A few of these were already disabled by windows so in those cases I just verified they were disabled in the services and application editor. These things may have slightly increased performance but did not fix the major hang/lockup issues I was having.
    5.4. I followed online steps to edit the registry to disable the PCI link power management by adding ports, adding the required variables, and setting them all to 0. This did seem to have fixed the hangs and/or lock-ups but the machine is still much slower than I would expect (boot times are still pretty slow and it does “stutter” when I’m doing more than one thing at a time. Also a note here – I have the Intel SSD toolbox installed and I noticed that it was giving me a warning for DIPM not being optimized. I made the mistake of clicking “Tune!” and then started having the hang/lock-up issues again. I went back into the registry and sure enough the PCI link power management variables for ports 0 and 1 were set back to 1. I set them back to 0 and the hangs have gone away. I will not be “tuning” the DIPM through the Intel SSD toolbox again…
    6. I also fixed a couple of other minor errors I was seeing in the event viewer by disabling benign services and/or making slight timeout modifications (I researched each issue on the internet to verify they were benign before I implemented any changes). These fixes didn't seem to do anything other than make some of the errors/warnings go away. So, the list of errors/warnings has become much smaller but I’m still getting the following (maybe an issue, maybe not?):
    Event ID 37 for every processor saying that they are in a reduced performance state for xx seconds since the last report
    Event ID 10002 - WLAN Extensibility Module has stopped
    Event ID 4001 - WLAN AutoConfig service has successfully stopped
    Event ID 27 – Intel® 82579LM Gigabit Network Connection link is disconnected
    I suspect the WLAN errors have something to do with windows fighting with the Lenovo access connection tools?
    7. Since the machine still seemed slow I downloaded the program AS SSD and checked the performance of the SSD. When I compared my performance numbers to the benchmark numbers I found onlineI was very surprised to discover that I’m getting about 50% of the performance that I should (values below are read/write).
    Seq: 262.11 / 188.32 (s/b 504.58 / 298.28) [MB/s]
    4K: 15.83 / 44.92 (s/b 21.70 / 62.60) [MB/s]
    4K-64Thrd: 165.23 / 154.46 (s/b 241.38 / 234.08) [MB/s]
    Acc.time: 0.218 / 0.294 (s/b .0186 / 0.208) [ms]
    Score: 207 / 208 (s/b 314 / 327)
    Overall Score: 533 (s/b 797)
    One more note - it seems like my cooling fan is running at a high speed almost all of the time. This is probably one of my power settings (I think I have it set for max performance) but it's even doing this when there is no load (i.e. I'm using IE and just vieweing webpages - like right now).
    So, I apologize for such a long post but I’ve spent countless hours researching and troubleshooting this problem and haven’t been able to figure out what the heck is wrong here. Am I missing something simple or do you guys think I have a SSD and/or problem with the machine itself? To say that any and all help would be greatly appreciated would be a massive understatement – I’m on the verge of pulling my hair out and I really need this machine working as quickly as possible!
    Please let me know if you have any suggestions and/or need additional information. Thanks in advance for your help!
    -Erik

    Lol gotcha about the drive as an option. I didn't go SSD with mine. Do you have the latest firmware on your drive? It is supposed to be v1.97. Just checking (ah and I see item 3 so guess so). Do you have the SSD drive toolbox software installed?
    http://downloadcenter.intel.com/SearchResult.aspx?​lang=eng&ProductFamily=Solid+State+Drives+and+Cach​...)
    Seems some useful tools are in there. I can't say much beyond that with the drive. Oh. Why does your fan always run at high speed? Can you describe that?  I mean, are we troubleshooting the right kind of issue? Is there anything else going on with your system? I saw about the reduced core speeds message. what are your system loads like? Anything causing high cpu utilization? Could be something other than the drive causing your low numbers and lockups.

  • Overheating and Lock ups with MSI TI4200 128DDR

      This card seems to overheat and lock up during game play.
      Does anyone have a solution?
    My system:
    P4 1.8Ghz 512K
    Intel D845WNL
    512 Mb PC133
    SB Live 5.1
    MSI TI4200 128DDR
    WIN 98SE
    300W PSU in a standard P4 case
    No overclocking
    Currently I play games with the case open and an external fan blowing into it.
    This as fixed the problem.
    I looking for a permanent solution.
    Should I get a better PSU?
    ...or should I just get an ATI 9700 Pro

    From what you said your PSU is handling the load but having a dual fan PSU will help temps by maybe a degree or two.
    You may not have adequate ventilation and need to ad some fans to your case but that may be the straw that breaks the camels back if you are on the edge as far as adequate power is concerned.
    There are quite a few folks that run with the side covers off but you have to keep in mind the ambient temperature where the PC is being used in any case.
    So far my experience with GF4 cards is they inherently run hot and can raise the temp in your case several degrees. Nature of the beast.
    Bottom line, better cooling and airflow is paramount and take a look at the heatsink, it may have been mounted poorly...this happens with any manufacturer at times and I usually re-mount it with a thermal paste of my preference. Keep in mind you will probably void your warranty with the manufacturer should you need to return or RMA the product.

  • Screen problems - black screen and lock-up (plus HDMI issues)

    Hi, I'm not sure if these are related to the same fundamental issue, but they are both serious problems that need resolution.
    I have a new mid-2012 MBPretina.  I am on all the latest updates (10.8.2).
    The first problem is the most recent, and the most serious problem.  Since I updated the Java a couple of days ago I've been experiencing random black screens and lock-ups.  Essentially, what happens is that sometimes when I perform an action (opening an app, clicking a link on a webpage, performing other kinds of in-app actions, etc.) the computer screen will go black.  About half the time I can, through my own memory, try keyboard combinations to quit or force quit the most recently used app (the one where the action was just performed), and I will get some glimpse of the underlying apps, while the menubar and other areas will remain black until I move a window on top of the black space.  Sometimes no key combinations work and I am forced to perform a hard restart with the power button.  This is a serious issue, obviously, since I will lose current work/progress in my apps.  I'm not sure if this is because of the new Java update, or has to do with something else, but it started happening shortly thereafter, over the last 2 days.  I work most of my waking day on my laptop, and this "black screen of death" has happened about 5 or 6 times a day.
    The second problem I have been experiencing since I starting using my MBPr with external HDMI displays in August/September.  The problem is that I will plug the MBPr into an HDMI display, the screen will temporaliy go black, and then bring me to the login screen (as if it's crashing, albeit softly).  This happens about 1 out of 4 times nowadays.
    How can I fix these problems, especially the first?

    UPDATE:
    Clearly there's a problem because a third of the way through a clean reinstallation from scratch it black screened again. Hmmmm.
    Now this is not good. Problem is I can't rule out potential updates from Apple that might have caused this either.
    The search for solutions continues.

  • Hangs, severe slowness and lock-ups running Firefox 27.0 / 28.0 on Windows XP / Is it possible to block plug-in container?

    Been experiencing severe slowness and lock-ups with Firefox of late, which ends with a sudden drop in memory usage and me having to repeatedly shut it down through Task Manager. I have created a new profile and disabled hardware acceleration. I have tried disabling all plug-ins and extensions, yet I noticed that at times (not always) plug-in container was still an active process, which I don't understand. Why would it be active when there are no enabled plug-ins? I also noticed that when plug-in container is not active (showing under Processes in Task Manager) I do not have this problem and Firefox runs normally? I need to block plug-in container. Please help.

    I have just tried on Windows 7 and used process explorer on that. I would expect the results to be displayed in a similar manner on Windows XP.
    Plugin-container is shown as being run from Firefox, and in turn if I mouse over or left click the line for plugin-container .exe then under ''command line'' it tells me what is running, in my case at this instance it is Flashplayer and so it displays
    .... \Macromed\Flash\NPSWF32_12_0_0_77.dll .... plugin ....
    It is identifying it is FlashPlayer
    The worry with your apparently unknown operation is that within the plugin-container it may be safe but if plugin-container is disabled maybe it could be malware and cause a problem.

  • My iMac locks up constantly in email. I click on one or two emails. Then when I click on another email, I get the spinning wheel and have to relaunch. Why does it get confused and lock up?

    My iMac locks up constantly in email. I click on one or two emails. Then when I click on another email, I get the spinning wheel and have to relaunch. Why does it get confused and lock up? Seems like it is stuck.

    10.6.8 here, MacBook Pro. Comcast. Mail  freeze ups. Occasional warnings to use "Log Out" under the Apple icon.
    Disk Repair run several times. Shows lots of Java  "remote" issues.
    I run Disk Repair several times, shows a lot of Java, "remote" issues.
    Restart don't know if it helps, I do it all the time. What's with quitting Mail but it doesn't quit, and why a separate maneuver to "Log Out".
    i

  • Problem with unlocking and locking the Materials in MARA using idocs.

    We are sending a inbound idoc from one cluster to the other to update the materials
    If the material is locked ( MARA-MATFI=x ) before it needs to be unlock it  ,update it and lock again .
    If its not locked ,we just need to update it and lock the material .
    When we are trying to implement this the materials are not getting locked at all times .
    the update inbound idoc is being sent to 5 clusters at a time .
    The same material is getting locked in some clusters and some it is not . (But the data is being updated in all the clusters )
    Can you please suggest me a solution or give me an idea where the problem would be lying.

    The client has a Keystone Server where alll the Master data is kept and there are 5 Production Servers .
    When ever there are any updates to the Materials they are first updated in the Keystone server .
    And with the help of a Batch Job they send inbound idocs to the 5 Production Servers.
    On the Production servers if the material in MARA  that needs to be updated is locked ,it needs to be unlocked updated and locked again .
    Hope i have  given u the clear idea of the scenario

  • I am trying to connect my new iMac to my Buffalo router.  I forgot my router password, so I reset it and it is working.  I can't figure out how to reset my router password and lock it on my iMac.

    I am connecting my new iMac to my Buffalo router.  I forgot my router password so I pushed the reset button and my computer was able to connect.  The problem is, I can't figure out how to set my new password and lock the router.  I went to the Buffalo website and downloaded the CD, as I can't find that either.  I can't open any of it because it says it is Windows and can't open it.  I am new to Apple!

    kellyfromdanville wrote:
    I am new to Apple!
    Ah, new to routers too.
    Perhaps it's best to have a local computer support person come set you up?
    To explain everything would require writing a book here.
    But this is what you want basically.
    Router, new Wireless N, firmware updated.
    1: Two accounts, one admin, one guest Internet access. Random +30 plus character lenght passwords each preferred.
    (guest password to max password length of any iDevices)
    2: Encryption: WPA2 AES. No Ping. No remote access. No MAC filtering. Visible.
    3: Guest access on devices and computers only.  Passwords written down and stored.
    4: OpenDNS preferred but not mandatory.
    If you get OpenDNS, you can log into their website for free and set parental controls on things like inappropriate sites for children. So whatever device is used on your network can't access a large portion of those sites (nothing is perfect) by most users who are not technical oriented.
    What your doing now is running the bare bones unsecure router which can be used harmfully against you.
    Even a Apple Airport router has to be very well secured. The defautl cd and out of the box setup is not a secure solution.

  • My iPad mini is dead. Please help. I have tried pressing the home and lock buttons, it just wont work.

    Hi,
    Last week, whilst charging my ipad mini, I took a look at it was charged upto 91%. I then decided to let it continue charging till 100% and would unplug it then. 30 Minutes later, I returned to my charger to find a dead ipad.
    I tried everything (including pressing the home and lock screen) but it would not wake up. I then promptly took it to the service centre at Plaza Singapura and the customer service personnel said I would either need to pay SGD 450 for a replacement or alternatively just leave it as it is, dead.
    Hence, I am urging the person reading this message to kindly suggest a better solution to re-awaken my dead iPad and also my faith in the company.
    Thanks

    If the Apple Authorised Service Provider has quoted you an out of warranty service fee then they have most likely found a hardware fault. If that is the case the iPad does need to be serviced, whether it is with the Service Provider or a 3rd party company is up to you. Keep in mind going with a 3rd party option can cause you to be denied serviced from Apple in any future services.

  • Why is ipad2 still online and active when supposedly in lost mode and locked?

    hey all,
    i need some help regarding a situation i'm in!! the overview is i'm going through a messy breakup at the moment and my ex has possession of my ipad2 (a wi-fi model that's running ios6)!! it's supposedly for my 7 year old son's use (he's autistic)!! anyway, since it's registered to me, i had restrictions enabled with a 4 digit pass code where i had location services turned on, and i disabled my mail account and other things that would not be appropriate for my son to use or access, such as skype, facebook, etc!! basically, all that was on it was his game apps, safari, youtube and our photos of days out etc!! my ex was paranoid i was spying on her through the location service....... i explained that it was a security feature that would enable it to track it if it was lost or stolen!! she even thought i was listening to her conversations and watching her through the camera!! i explained this was absurd and paranoid!! anyway........
    well, here's the problem!! after having the restrictions enabled for months, oddly enough after receiving a summons last week requesting her to attend court next week concerning the matter of my contact with my son, i noticed yesterday on my find my iphone app on my icloud account on my macbook the locations services was disabled and the ipad was online, being used!! realizing immediately she's obviously figured out my restrictions pass code and turned off the locations feature!! i immediately put it into lost mode (receiving an email confirming), and within minutes, it was offline for about 4 hours!! in the afternoon, i checked it again, lost mode was disabled and it was being used....... so i put it in lost mode again! 30 seconds later, it was disabled........ finally, i put it into lost mode and added a message that would be  displayed on the screen stating 'be warned: i am aware you are using my passcode and password without my permission, which is a criminal breach of my privacy! ignore this & i will report to the police!'! it went offline! 7pm i received a text to my iphone asking my my son couldn't access the ipad and why was there a request to phone her! i ignored, as i know this was a game!! whilst in work, i received an email to my icloud mail inbox stating that 'lost mode had been enabled'......... making me realize she must also have access to my apple ID to gain access to icloud to enable lost mode! it stands to reason that you cannot tell the device you are actually using it is lost and lock it down!! finally, i updated the lost mode with a new message stating i was going to the police and she freaked out!!
    so, that's the situation! the questions i need answered are:
    *aside from a lucky guess, how else could she get my pass code and icloud pass word? is it possible the ipad has been jailbroken, hacked or spyware has been used to get my pass code and password?
    *how come, when in lost mode, it says on the find my iphone feature on icloud that it's active (green spot) and 'online: location services disabled'? should lost mode not render the device unusable? i monitored it for at least an hour last minute...... it kept changing it's status from 'online: location service disabled' to simply 'offline'!
    *in the 'find my iphone' app on icloud, next to the lost device, there's a symbol of an orange padlock! what does this actually mean? if it means it's locked, then how can it be online and seemingly active?
    just to cap off, i've requested the device be returned to me (my ex has ignored this, stating only she intends to replace this device so she's free from my control and spyware) and i've contacted my solicitor who has offered to send an official letter requesting it's safe return!! as the device is registered in my name and contains my personal information, i understand the implications for her is that she's committed theft and possibly used criminal means to invade my privacy!!
    any help or advice would be greatly appreciated!
    alex

    just giving this a wee bump as time is of the essence here and i need advice/ answers quick!
    apologies if i've broke any rules!
    alex

Maybe you are looking for