How to resolve RESOURCE_SEMAPHORE and RESOURCE_SEMAPHORE_QUERY_COMPILE wait types

We are trying to figure out root cause of slow running sql server queries hitting/fetching data from one of the database , size 300 GB, hosted on server with below configuration:
Windows server 2003 R2, SP2, Enterprise Edition, 16 GB RAM , 12 CPU'S 32 Bit
SQL server 2005, SP4, Enterprise Edition, 32 Bit.
We have already informed business on the upgrade to 64 bit which would take over a month.
But for the current issue, we are trying to gather the data if we can resolve the memory pressure or finally come to a conclusion to increase RAM.
Action Completed: Re-indexing and update stats are proper for this DB.
As shown below, we have been noticing the semaphore waittype for past 5 days, ran during the load hours:
Few info after below queries: size of buffer= 137272
SELECT SUM(virtual_memory_committed_kb)
FROM sys.dm_os_memory_clerks
WHERE type='MEMORYCLERK_SQLBUFFERPOOL'
and semaphore memory= 644024 per below query
SELECT SUM(total_memory_kb)
FROM sys.dm_exec_query_resource_semaphores
Below is some more info gathered from dm_exec_query_resource_semaphores and sys.dm_exec_query_memory_grants dmv's
So from above info gathered and per SP_Blitz data Resource semaphore seems to be the problem.
Is memory 'target_memory_kb' assigned for resource semaphore id's too low, as compared to 16 GB RAM available.
Note* per analysis on 8 hours run 'target_memory_kb' is always under 1 GB, compared to 16 GB available?
what could be the issue here and how to resolve, please suggest
Thanks

I've performed index tuning for those queries, like missing index , rebuilds and stats update.
So is it going to be more worst, after that change of MAXDOP ?
Index and query tuning goes hand-in-hand.  Proper indexes with updated stats alone won't improve performance if queries contain non-sargable expressions or are coded in a suboptimal way.  You need to examine the problem queries and execution
plans in detail to see if performance opportunities exist.  Be aware that SQL Server may throw parallelism to address an issue like a non-sargable query predicate.  The query may run faster as a result but at the cost of more CPU utilization
for the duration of the query that may impact other users.  I suggest changing MAXDOP after query tuning.  You may need to experiment for the most optimal value for your workload.
However, concern would be this one query, which as per developer is just a part of filter in ssrs reports, i.e. small query for the larger query has multiple sessions open for almost a day now.
By smaller query, are you referring to the number of rows returned?  Perhaps the reason is the number of rows actually touched.  Post the query, DDL and execution plan.
Dan Guzman, SQL Server MVP, http://www.dbdelta.com

Similar Messages

  • Re: How do you create and use "common" type classes?

    Hi,
    You have 2 potential solutions in your case :
    1- Sub-class TextNullable class of Framework and add your methods in the
    sub-class.
    This is the way Domain class work. Only Nullable classes are sub-classable.
    This is usefull for Data Dictionary.
    The code will be located in any partition that uses or references the supplier
    plan.
    2- Put your add on code on a specific class and instanciate it in your user
    classes (client or server).
    You could also use interface for a better conception if needed. The code will
    also be in any partition that uses or references the supplier plan where your
    add on class is located.
    If you don't want that code to be on each partition, you could use libraries :
    configure as library the utility plan where is your add-on class.
    You can find an example of the second case (using a QuickSort class,
    GenericArray add-on) with the "QuickSort & List" sample on my personal site
    http://perso.club-internet.fr/dnguyen/
    Hope this helps,
    Daniel Nguyen
    Freelance Forte Consultant
    http://perso.club-internet.fr/dnguyen/
    Robinson, Richard a écrit:
    I'm relatively new to forte and I'd like to know how can you handle utility
    type classes that you want to use through out your application? Ideally
    what I want is a static class with static methods.
    Let's say that I have a StringUtil class that has a bunch of methods for
    manipulating strings.
    My problem is that we have code that runs on the client and code that runs
    on the server. Both areas could use the StringUtil class, but from what I
    understand, I have to create StringUtil in a plan and then create a server
    object of type StringUtil. The server object will eventually get assigned
    to a partition. That's not good since I really want the server object to
    physically reside at the server end and at the client end. (Actually, I
    don't want a server object, I just want to invoke a static method of a
    static class).
    Any clues on how to solve this problem would be appreciated.
    Also, what is the url at Sage-it that has a summary of all emails that have
    been posted to [email protected]? Perhaps this question has been
    answered previously.
    Thanks in advance
    To unsubscribe, email '[email protected]' with
    'unsubscribe forte-users' as the body of the message.
    Searchable thread archive <URL:http://pinehurst.sageit.com/listarchive/>-
    To unsubscribe, email '[email protected]' with
    'unsubscribe forte-users' as the body of the message.
    Searchable thread archive <URL:http://pinehurst.sageit.com/listarchive/>

    Hi Richard,
    Your question about "utility classes" brings up a number of issues, all of
    which are important to long-term success with Forte.
    There is no such thing as a static method (method that is associated with a
    class but without an implicit object reference - this/self/me "pointer") in
    TOOL, nor is there such thing as a global method (method not associated
    with a class at all). This is in contrast to C++, which has both, and
    Java, which has static methods, but not global classes. Frequently, Forte
    developers will write code like this:
    result, num : double;
    // get initial value for num....
    tmpDoubleData : DoubleData = new;
    tmpDoubleData.DoubleValue = num;
    result = tmpDoubleData.Sqrt().DoubleValue;
    tmpDoubleData = NIL; // send a hint to the garbage collector
    in places where a C++ programmer would write:
    double result, num;
    // get initial value for num....
    result = Math::Sqrt(num);
    or a Java programmer would write:
    double result, num;
    // get initial value for num....
    result = Math.sqrt(num);
    The result of this is that you end up allocating an extra object now and
    then. In practice, this is not a big deal memory-wise. If you have a
    server that is getting a lot of hits, or if you are doing some intense
    processing, then you could pre-allocate and reuse the data object. Note
    that optimization has its own issues, so you should start by allocating
    only when you need the object.
    If you are looking for a StringUtil class, then you will want to use an
    instance of TextData or TextNullable. If you are looking to add methods,
    you could subclass from TextNullable, and add methods. Note that you will
    still have to instantiate an object and call methods on that object.
    The next issue you raise is where the object resides. As long as you do
    not have an anchored object, you will always have a copy of an object on a
    partition. If you do not pass the object in a call to another partition,
    the object never leaves. If you pass the object to another partition, then
    the other partition will have its own copy of the object. This means that
    the client and the server will have their own copies, which is the effect
    you are looking for.
    Some developers new to Forte will try to get around the lack of global
    methods in TOOL by creating a user-visible service object and then calling
    methods on it. If you have a general utility, like string handling, this
    is a bad idea, since a service object can reside only on a single
    partition.
    Summary:
    * You may find everything you want in TextData.
    * Unless you anchor the object, the instance will reside where you
    intuitively expect it.
    * To patch over the lack of static methods in TOOL, simply allocate an
    instance when required.
    Feel free to email me if you have more questions on this.
    At the bottom of each message that goes through the mailing list server,
    the address for the list archive is printed:
    http://pinehurst.sageit.com/listarchive/.
    Good Luck,
    CSB
    -----Original Message-----
    From: Robinson, Richard
    Sent: Tuesday, March 02, 1999 5:44 PM
    To: '[email protected]'
    Subject: How do you create and use "common" type classes?
    I'm relatively new to forte and I'd like to know how can you handle utility
    type classes that you want to use through out your application? Ideally
    what I want is a static class with static methods.
    Let's say that I have a StringUtil class that has a bunch of methods for
    manipulating strings.
    My problem is that we have code that runs on the client and code that runs
    on the server. Both areas could use the StringUtil class, but from what I
    understand, I have to create StringUtil in a plan and then create a server
    object of type StringUtil. The server object will eventually get assigned
    to a partition. That's not good since I really want the server object to
    physically reside at the server end and at the client end. (Actually, I
    don't want a server object, I just want to invoke a static method of a
    static class).
    Any clues on how to solve this problem would be appreciated.
    Also, what is the url at Sage-it that has a summary of all emails that have
    been posted to [email protected]? Perhaps this question has been
    answered previously.
    Thanks in advance

  • How to resolve Library Cache Pin waits?

    Hai All,
    I grant a select privilage on a table to another user. Then my session hangs. after 5 minutes a message present that is 'ORA-04021: timeout occurred while waiting to lock object....' etc.
    I query the v$session_wait and see a Library Cache pin wait present in my session. I copy the p1raw column from here and put into some x$ tables and v$session then I can identify one session using a application using that table. I kill that session . then my grant privilage query works..
    So what is library cache pin waits.. How to identify in application...How to resolve it? it resolve in database level or application level?
    Please Help..
    Shiju

    Most common cause of library cache pin wait event are
    -- Not use binding variables in the query
    -- Some one keeps modify the schema objects
    library cache pin
    This event manages library cache concurrency. Pinning an object causes the heaps to be loaded into memory. If a client wants to modify or examine the object, the client must acquire a pin after the lock.
    Wait Time: 3 seconds (1 second for PMON)
    Parameter Description
    handle address Address of the object being loaded
    pin address Address of the load lock being used. This is not the same thing as a latch or an enqueue, it is basically a State Object.
    mode Indicates which data pieces of the object that needs to be loaded
    namespace See "namespace"

  • How to resolve SQLVDI and SQLWRITER errors

    I'm getting these errors whenever I run windows backup on I get these errors for each of the six SQL databases. Below are two examples of the errors that I get. This is causing my backups to fail. 
    Log Name: Application
    Source: SQLWRITER
    Date: 7/1/2014 1:18:05 PM
    Event ID: 24583
    Task Category: None
    Level: Error
    Keywords: Classic
    User: N/A
    Description:
    Sqllib error: OLEDB Error encountered calling ICommandText::Execute. hr = 0x80040e14. SQLSTATE: 42000, Native Error: 3013
    Error state: 1, Severity: 16
    Source: Microsoft SQL Server Native Client 10.0
    Error message: BACKUP DATABASE is terminating abnormally.
    SQLSTATE: 42000, Native Error: 3271
    Error state: 1, Severity: 16
    Source: Microsoft SQL Server Native Client 10.0
    Error message: A nonrecoverable I/O error occurred on file "{A29E5835-30A3-4DA2-89A3-8A9A80196C7E}3:" 995(The I/O operation has been aborted because of either a thread exit or an application request.).
    SQLSTATE: 01000, Native Error: 4035
    Error state: 1, Severity: 0
    Source: Microsoft SQL Server Native Client 10.0
    Error message: Processed 0 pages for database 'SharePoint_ConfigurationDatabase', file 'SharePoint_ConfigurationDatabase' on file 1.
    Log Name: Application
    Source: SQLVDI
    Date: 7/1/2014 1:18:05 PM
    Event ID: 1
    Task Category: None
    Level: Error
    Keywords: Classic
    User: N/A
    Description:
    SQLVDI: Loc=TriggerAbort. Desc=invoked. ErrorCode=(0). Process=2488. Thread=10456. Server. Instance=SHAREPOINT. VD=Global\{A29E5835-30A3-4DA2-89A3-8A9A80196C7E}7_SQLVDIMemoryName_0.
    Anybody knows what is causing this and how do I resolve these errors.

    Hi,
    What is Service pack of Your SQL Server. Is it patched to latest Service pack. Is your OS patched to latest Service pack. Did you also reffered to Microsoft links I posted in my first reply were they helpful
    >>
    Error message: A nonrecoverable I/O error occurred on file "{A29E5835-30A3-4DA2-89A3-8A9A80196C7E}3:" 995(The I/O operation has been aborted because of either a thread exit or an application request.).>>
    This message seems seems fatal to me and I have seen this when instance of SQL server or OS is not patched to latest SP. below are couple of related links to read
    http://support.microsoft.com/kb/2512352
    http://support.microsoft.com/kb/934396/en-us
    Can you please post errorlog messages  related to this error. Complete message please.If Service pack does not solves it you might as well consider opening case with Microsoft
    If Service pack does not
    Please mark this reply as answer if it solved your issue or vote as helpful if it helped so that other forum members can benefit from it.
    My TechNet Wiki Articles

  • HT1338 How can I associate (and DISassociate) file types with software?

    Whenever I click on an MP4 file, it tries to start up my KODAK software instead of something like Quicktime. How can I change that?

    The reading of double is also straight forward : just use a dble float wired to the type cast node, after inverting the string (indian conversion).
    See the attached example.
    The measure of skin thickness is based on OCT (optical coherent tomography = interferometry) : an optical fiber system send and received light emitted to/back from the skin at a few centimeter distance. A profile of skin structure is then computed from the optical signal.
    CC
    Chilly Charly    (aka CC)
             E-List Master - Kudos glutton - Press the yellow button on the left...        
    Attachments:
    Read_AK_time_info.vi.zip ‏9 KB

  • How to stop 261 and 262 MVT types after GR for production Order.

    hi,
    After GR [MB31] against the Production order,  261 and 262 movments should not be happen, but in  present proces its taking place,
    Client dont want to happen it,
    Can any body tell me how to controll this.
    Veera.

    Hi  Veerakumar ,
    You can TECO the production order if reqd since delivery complete status of the order.
    or you can go to system status and do as explained .
    Regards,
    Vimal

  • Wait Type PAGEIOLATCH_SH and PAGEIOLATCH_EX

    Hello, 
    I am looking at the performance issue on one of the SQL Server which is for Zenworks. 
    There are 4 application server which reads and writes to the Zen SQL Server. 
    It's been there for a while now and quite a lot of times I see the status as suspended and the Wait Type is PAGEIOLATCH_SH and PAGEIOLATCH_EX which disappears and comes back again and again. 
    Could somebody please advise how to troubleshoot this?
    Best regards, 
    Mohan

    Hello,
    Could you please share the result of the following query with us?
    SELECT
    TOP 50 *
    FROM
    [sys].[dm_os_wait_stats]
    ORDER
    BY [wait_time_ms]
    DESC
    Thank you in advance.
    Regards,
    Alberto Morillo
    SQLCoffee.com
    Thanks Alberto, 
    The result is below. 
    wait_type waiting_tasks_count
    wait_time_ms max_wait_time_ms
    signal_wait_time_ms
    REQUEST_FOR_DEADLOCK_SEARCH 32350
    161783933 5462
    161783933
    XE_TIMER_EVENT 5394
    161766099 30301
    161765240
    LAZYWRITER_SLEEP 168848
    161737044 3023
    71938
    SQLTRACE_INCREMENTAL_FLUSH_SLEEP 40395
    161627956 4590
    89
    LOGMGR_QUEUE 1982118
    161505817 645651
    258372
    XE_DISPATCHER_WAIT 17
    156846134 50730025
    0
    CHECKPOINT_QUEUE 18208
    150758459 2037452
    3257
    PAGEIOLATCH_SH 12811676
    138069019 3369
    244808
    BROKER_EVENTHANDLER 14
    112016323 84467042
    11
    SLEEP_TASK 10361836
    81580069 2809
    676539
    BROKER_TO_FLUSH 78813
    80887188 1980
    26694
    PAGEIOLATCH_EX 2774508
    28392234 3545
    73181
    SOS_SCHEDULER_YIELD 2446505
    8560372 1536
    8532156
    WRITELOG 1895345
    5805484 20821
    66796
    SLEEP_BPOOL_FLUSH 1452978
    4558026 753
    204212
    LCK_M_IX 67
    3806433 311970
    519
    BROKER_TASK_STOP 746
    3747976 10008
    100
    CXPACKET 331690
    1348196 17612
    179146
    BACKUPBUFFER 230089
    1273926 2048
    12506
    ASYNC_IO_COMPLETION 5
    1243210 628743
    0
    BROKER_RECEIVE_WAITFOR 4
    1199953 598704
    0
    BACKUPIO 105914
    1174546 2127
    594
    LCK_M_U 184
    1069219 238125
    151
    PAGEIOLATCH_UP 16079
    665743 1457
    3672
    LCK_M_X 47
    585665 72697
    20
    PREEMPTIVE_OS_AUTHENTICATIONOPS 61568
    345872 3007
    0
    ASYNC_NETWORK_IO 94086
    106911 1694
    26395
    MSQL_XP 9808
    101965 2272
    0
    PREEMPTIVE_OS_GETPROCADDRESS 9808
    101553 2272
    0
    PAGELATCH_EX 249003
    82555 2041
    58631
    LCK_M_S 4
    75172 70016
    1
    LOGBUFFER 1615
    73754 1134
    564
    PREEMPTIVE_OS_WAITFORSINGLEOBJECT 26593
    56219 545
    0
    PREEMPTIVE_OS_WRITEFILEGATHER 30
    40052 5399
    0
    PREEMPTIVE_OS_LOOKUPACCOUNTSID 17496
    25534 280
    0
    OLEDB 18501515
    23474 249
    0
    PREEMPTIVE_OS_DELETESECURITYCONTEXT 17661
    22908 507
    0
    PAGELATCH_SH 53643
    19873 344
    12476
    THREADPOOL 2904
    19451 288
    0
    LATCH_EX 10260
    17581 521
    1750
    IO_COMPLETION 1865
    16677 407
    168
    PAGELATCH_UP 855
    14606 1335
    384
    PREEMPTIVE_OS_AUTHORIZATIONOPS 18055
    13845 216
    0
    PREEMPTIVE_OS_REVERTTOSELF 14248
    9884 170
    0
    SQLTRACE_FILE_BUFFER 139
    7130 380
    83
    SLEEP_DBSTARTUP 61
    7007 334
    371
    SQLTRACE_FILE_WRITE_IO_COMPLETION 729
    6963 324
    6
    PREEMPTIVE_OS_QUERYREGISTRY 2691
    5844 503
    0
    PREEMPTIVE_OS_CRYPTACQUIRECONTEXT 3696
    5093 200
    0
    PREEMPTIVE_OS_NETVALIDATEPASSWORDPOLICY 3559
    3948 87
    0
    Sorry, not in a great friendly format. 
    Many thanks, 
    Mohan

  • When i type the wesite in the address bar and hit ENTER, it seems to be not working for me; anybody knows how to resolve this issue?

    When i type the wesite in the address bar and hit ENTER, it seems to be not working for me; anybody knows how to resolve this issue? i have to click on the green arrow button to continue.

    Do you have that problem when running in the Firefox SafeMode?<br/> ''A troubleshooting mode.''<br />
    You can open the Firefox 4.0 SafeMode by holding the '''Shft''' key when you use the Firefox desktop or Start menu shortcut. Or use the Help menu item, click on '''Restart with Add-ons Disabled...''' while Firefox is running. <br />
    ''To exit the Firefox Safe Mode, just close Firefox and wait a few seconds before using the Firefox shortcut to open it again.''
    If not, see this: <br />
    http://support.mozilla.com/en-US/kb/troubleshooting+extensions+and+themes

  • I installed new OS to my IPhone 4 and now phone gets hangs and not able to type or chat .. how to resolve it now

    i installed new OS to my IPhone 4 and now phone gets hangs and not able to type or chat .. how to resolve it now

    Try a reset to begin with. hold down the Sleep and Home key until Apple logo appears on the screen.
    Regards,
    Steve

  • Hey how are you guys listen i have an iphone 4s the one i use with the H20 CARRIEr and i trying to enable the option call forwarding and when i type tho number i go back and i notice to the call forwarding it turning off as soon i back to the main menu ?

    hey how are you guys listen i have an iphone 4s the one i use with the H20 CARRIEr and i trying to enable the option call forwarding and when i type tho number i go back and i notice to the call forwarding it turning off as soon i back to the main menu ?

    There are a lot of posts in the forums today with people having problems with iMessage.   There was also a published outage yesterday, so it's possible there are still some issues that may be impacting you both.
    I would just wait it out - I'm sure it will be sorted out soon.

  • Resource_semaphore wait type not matching sys.dm_exec_query_memory_grants

    We are using Red Gate's SQL Monitor to alert (every 5 minutes) when memory grants pending are greater than zero. Several times a day we are alerted on our Devel and Prod servers.
    However, when querying the resource_semaphore wait type using sys.dm_os_wait_stats, it used to register non-zero amounts several months ago, but now is always equal to zero.
    The Devel server is version 11.0.3128 standard on Windows 2008 R2 Standard 64-bit, and the Prod server is version 10.0.5500 on Windows 2008 Standard 64-bit.
    We are storing wait stats for each server in a database, collected every half hour. The Prod resource semaphore was 569 early August 11, then after a reboot at 3:30 AM was equal to zero and is the same today. I have confirmed the current value using the following
    query.
    SELECT * FROM sys.dm_os_wait_stats
    WHERE wait_type = 'RESOURCE_SEMAPHORE';
    Similarly, the Devel resource semaphore was 167 early October 23, then after a reboot at 7:03 AM was equal to zero and has not changed from zero since then. Again, I confirmed the current value using the above query.
    The custom alert code for Red Gate SQL Monitor is:
    SELECT COUNT(*) FROM sys.dm_exec_query_memory_grants;
    Also, running a perfmon counter against SQL Server: Memory Manager: Memory Grants Pending for
    several days yields a flat line equal to zero, with maximum value zero.
    Looks to me like something in SQL Server's internal stats collection system has broken. Or possibly, I am misunderstanding that these three counters measure the same thing.
    Thanks for your help.

    We are using Red Gate's SQL Monitor to alert (every 5 minutes) when memory grants pending are greater than zero. Several times a day we are alerted on our Devel and
    Prod servers. However, when querying the resource_semaphore wait type using sys.dm_os_wait_stats, it used to register non-zero amounts several months ago, but now is always equal to zero.
    The Devel server is version 11.0.3128 standard on Windows 2008 R2 Standard 64-bit, and the Prod server is version 10.0.5500 on Windows 2008 Standard 64-bit.
    We are storing wait stats for each server in a database, collected every half hour. The Prod resource semaphore was 569 early August 11, then after a reboot at 3:30 AM was equal to zero and is the same today. I have confirmed the current value using
    the following query.
    SELECT * FROM sys.dm_os_wait_stats
    WHERE wait_type = 'RESOURCE_SEMAPHORE';
    Similarly, the Devel resource semaphore was 167 early October 23, then after a reboot at 7:03 AM was equal to zero and has not changed from zero since then. Again, I confirmed the current value using the above query.
    The custom alert code for Red Gate SQL Monitor is:
    SELECT COUNT(*) FROM sys.dm_exec_query_memory_grants;
    Also, running a perfmon counter against SQL Server: Memory Manager: Memory Grants Pending for
    several days yields a flat line equal to zero, with maximum value zero.
    Looks to me like something in SQL Server's internal stats collection system has broken. Or possibly, I am misunderstanding that these three counters measure the same thing.
    Thanks for your help.
    Hello,
    SQL server internal stats collection is fine it is not broken what you are doing is after restart SQL server cache is cleared and this is area from where you get all your DMV result so before restart you are seeing some value for resource semaphore wait
    and after restart it is gone.
    For query memory grants pending value as non zero it clearly points to fact that there is memory crunch and you need to increase more RAM.
    resource semaphore waits point to fact that your query which is running is costly one and is involving lots of sort and hash you need to tune it.Read below article for resource semaphore wait
    http://blogs.msdn.com/b/sqlqueryprocessing/archive/2010/02/16/understanding-sql-server-memory-grant.aspx
    If you want to find out cumulative waits stats i suggest you to use below query by Jonathan Kehayias.
    Can you post output for this query
    SELECT TOP 10
    wait_type ,
    max_wait_time_ms wait_time_ms ,
    signal_wait_time_ms ,
    wait_time_ms - signal_wait_time_ms AS resource_wait_time_ms ,
    100.0 * wait_time_ms / SUM(wait_time_ms) OVER ( )
    AS percent_total_waits ,
    100.0 * signal_wait_time_ms / SUM(signal_wait_time_ms) OVER ( )
    AS percent_total_signal_waits ,
    100.0 * ( wait_time_ms - signal_wait_time_ms )
    / SUM(wait_time_ms) OVER ( ) AS percent_total_resource_waits
    FROM sys.dm_os_wait_stats
    WHERE wait_time_ms > 0 -- remove zero wait_time
    AND wait_type NOT IN -- filter out additional irrelevant waits
    ( 'SLEEP_TASK', 'BROKER_TASK_STOP', 'BROKER_TO_FLUSH',
    'SQLTRACE_BUFFER_FLUSH','CLR_AUTO_EVENT', 'CLR_MANUAL_EVENT',
    'LAZYWRITER_SLEEP', 'SLEEP_SYSTEMTASK', 'SLEEP_BPOOL_FLUSH',
    'BROKER_EVENTHANDLER', 'XE_DISPATCHER_WAIT', 'FT_IFTSHC_MUTEX',
    'CHECKPOINT_QUEUE', 'FT_IFTS_SCHEDULER_IDLE_WAIT',
    'BROKER_TRANSMITTER', 'FT_IFTSHC_MUTEX', 'KSOURCE_WAKEUP',
    'LOGMGR_QUEUE', 'ONDEMAND_TASK_QUEUE',
    'REQUEST_FOR_DEADLOCK_SEARCH', 'XE_TIMER_EVENT', 'BAD_PAGE_PROCESS',
    'DBMIRROR_EVENTS_QUEUE', 'BROKER_RECEIVE_WAITFOR',
    'PREEMPTIVE_OS_GETPROCADDRESS', 'PREEMPTIVE_OS_AUTHENTICATIONOPS',
    'WAITFOR', 'DISPATCHER_QUEUE_SEMAPHORE', 'XE_DISPATCHER_JOIN',
    'RESOURCE_QUEUE' )
    ORDER BY wait_time_ms DESC
    Please mark this reply as the answer or vote as helpful, as appropriate, to make it useful for other readers

  • How to stop multiple auto-switching to address bar every time I open a new tab and try to type something anywhere outside of address bar?

    How to stop multiple auto-switching to address bar every time I open a new tab and try to type something anywhere outside of address bar? Like something just wants me to use that embedded search when u type something not-web-address in address bar and hit enter. And the most ridiculous thing is that it happens repeatedly on like every second, like I just move down from address bar and start typing again, but then again it switches me to address bar, and 3, 4 times like that. And the result is also that I can't see the address of that page.
    I think its has something to do with my AVG antivirus, because this started the same time some AVG Nation started to appear in every new tab i open (and thats also irritating me, I read about it here on support.mozilla.org and it seems that the only solution is to completely reinstall Firefox, but I dont want to lose all my settings) but when i type something in address bar and hit enter it opens the search results in Google.
    Please try to help me, I like Firefox but I must switch to Chrome until I fix this problem.
    Thanks in advance

    First, please update to Firefox 32. 22 is no longer support nor is it secure. Then let us know if you still have this problem. [[Update Firefox to the latest version]]

  • I am having problems with the Preview application.  When I try to use it to open a pdf document it gets hung-up and I have to select force quit to close it.   Any ideas on how to resolve this problem?  Thanks for any help

    I am having problems with the Preview application.  When I try to use it to open a pdf document it gets hung-up and I have to select force quit to close it.   Any ideas on how to resolve this problem?  Thanks for any help

    Can you open the Preview program without loading a file, like by itself?
    If it doesn't load then I suspect a corrupt Preview preference file.
    Deleting the System Preference or other .plist file
    Can you open other files with Preview, like jpg's and images?
    How about other PDFs? or is it just that one you have downloaded?
    Run through this list of fixes
    Step by Step to fix your Mac

  • I am no longer able to double click on a file and have it open.  Any suggestions on how to resolve this problem?

    I am no longer able to double click on a file and have it open.  Any suggestions on how to resolve this problem?

    Please read this whole message before doing anything.
    This procedure is a diagnostic test. It’s unlikely to solve your problem. Don’t be disappointed when you find that nothing has changed after you complete it.
    The purpose of the test is to determine whether the problem is caused by third-party software that loads automatically at startup or login, by a peripheral device, by a font conflict, or by corruption of the file system or of certain system caches.
    Disconnect all wired peripherals except those needed for the test, and remove all aftermarket expansion cards, if applicable. Start up in safe mode and log in to the account with the problem. You must hold down the shift key twice: once when you turn on the computer, and again when you log in.
    Note: If FileVault is enabled, or if a firmware password is set, or if the startup volume is a software RAID, you can’t do this. Ask for further instructions.
    Safe mode is much slower to start up and run than normal, with limited graphics performance, and some things won’t work at all, including sound output and Wi-Fi on certain models. The next normal startup may also be somewhat slow.
    The login screen appears even if you usually login automatically. You must know your login password in order to log in. If you’ve forgotten the password, you will need to reset it before you begin.
    Test while in safe mode. Same problem?
    After testing, restart as usual (not in safe mode) and verify that you still have the problem. Post the results of the test.

  • Safari and calendar won't open due to 'calendar persistence plug in' problem.  Anyone know what this means and how to resolve it please?

    Safari and calendar won't open due to 'calendar persistence plug- in problems'.  Does anyone know what this means and how to resolve it please?
    mac book pro with Mavericks 10.9.5

    Launch the Console application in any of the following ways:
    ☞ Enter the first few letters of its name into a Spotlight search. Select it in the results (it should be at the top.)
    ☞ In the Finder, select Go ▹ Utilities from the menu bar, or press the key combination shift-command-U. The application is in the folder that opens.
    ☞ Open LaunchPad. Click Utilities, then Console in the icon grid.
    Step 1
    For this step, the title of the Console window should be All Messages. If it isn't, select
              SYSTEM LOG QUERIES ▹ All Messages
    from the log list on the left. If you don't see that list, select
              View ▹ Show Log List
    from the menu bar at the top of the screen.
    In the top right corner of the Console window, there's a search box labeled Filter. Initially the words "String Matching" are shown in that box. Enter the name of the crashed application or process. For example, if iTunes crashed, you would enter "iTunes" (without the quotes.)
    Each message in the log begins with the date and time when it was entered. Select the messages from the time of the last crash, if any. Copy them to the Clipboard by pressing the key combination command-C. Paste into a reply to this message by pressing command-V.
    ☞ The log contains a vast amount of information, almost all of which is irrelevant to solving any particular problem. When posting a log extract, be selective. A few dozen lines are almost always more than enough.
    Please don't indiscriminately dump thousands of lines from the log into this discussion.
    Please don't post screenshots of log messages—post the text.
    ☞ Some private information, such as your name, may appear in the log. Anonymize before posting.
    Step 2
    In the Console window, select
              DIAGNOSTIC AND USAGE INFORMATION ▹ User Diagnostic Reports
    (not Diagnostic and Usage Messages) from the log list on the left. There is a disclosure triangle to the left of the list item. If the triangle is pointing to the right, click it so that it points down. You'll see a list of crash reports. The name of each report starts with the name of the process, and ends with ".crash". Select the most recent report related to the process in question. The contents of the report will appear on the right. Use copy and paste to post the entire contents—the text, not a screenshot.
    I know the report is long, maybe several hundred lines. Please post all of it anyway.
    If you don't see any reports listed, but you know there was a crash, you may have chosen Diagnostic and Usage Messages from the log list. Choose DIAGNOSTIC AND USAGE INFORMATION instead.
    In the interest of privacy, I suggest that, before posting, you edit out the “Anonymous UUID,” a long string of letters, numbers, and dashes in the header of the report, if it’s present (it may not be.)
    Please don’t post other kinds of diagnostic report—they're very long and rarely helpful.

Maybe you are looking for

  • Problem previewing loops in the loop browser in Logic 8

    Loops are only audible when the sequencer is not playing. When the sequencer is playing, the selected loop shows it's playing in the loop browser window, but I cannot hear it. ANY ANSWERS? NOTE: All my outputs in logic (including the loop browse stri

  • F110- Payment advices for vendor - SAP standard solution

    Hello all, I would like to generate Payment advices via Idoc to the vendor in a standard way ( no ABAP), can I use the program RFFOUS_C ( assigned in Payment method company code ) and generate the idoc payment advices via RFFOAVIS? I canu2019t create

  • Wrong posting for CENVAT clrng A/C in MIRO

    Dear All Concerned to Indian Excise. Scenario:1)Tax code contains BED16%,Ecs3% & CST 3% 2)In J1ID maintained 16%(Exc Rate) & 3%(Ecs Rate) for that chapter id Eg: Base= 46500 ED= 7440 ECS= 223 When i do GR i have captured the excise duty less than wha

  • Call SOAP Adapter from CE BPM failed

    Hi everyone, i have just a problem calling a webservic on the PI 7.11 server from CE 7.2 BPM via SOAP adapter. 1. I've created a very simple scenario on the PI 7.11 Server using SOAP Adapter sender. I've gotten the WSDL URL from the Sender Agreement.

  • E61i - Expired Certificate

    I bought my device 1 year ago, and installed on it several applications, like Splash ID, Profimail and other ones. Two days ago I updated the device, with update I lost everything but phone is working normally. The problem is with all programs that I