Count consecutive Workdays where employee has taken SICK leave

I am trying to identify a way within sql to count the number of consecutive workdays (Monday - Friday) an employee has taken SICK leave. My problem in the past has been trying to count days whereas we cross the weekend. Currently I have 4 queries identifying patterns around the weekend that I run and export into an Excel Spreadsheet and manipulate from there. My goal is to be able to list an EMPLID (employee id), EMPL_RCD ( employee record), Min(DUR) (Date of absence), Max(DUR), and count of consecutive workdays.
Any help or guidance would will be appreciated. I have attached my current query.
I run my current query 4 times using the patterns below one at a time.
SELECT DISTINCT A.EMPLID,A.EMPL_RCD, A.DUR,b.dur,c.dur,d.dur, A.TL_QUANTITY, A.TRC
FROM PS_TL_RPTD_TIME A, PS_TL_RPTD_TIME B, PS_TL_RPTD_TIME C,PS_TL_RPTD_TIME D
WHERE A.EMPLID = B.EMPLID
AND A.EMPL_RCD = B.EMPL_RCD
AND A.EMPLID = C.EMPLID
AND A.EMPL_RCD = C.EMPL_RCD
AND A.EMPLID = D.EMPLID
AND A.EMPL_RCD = D.EMPL_RCD
AND B.EMPLID = C.EMPLID
AND B.EMPL_RCD = C.EMPL_RCD
AND B.TRC = C.TRC
AND A.TRC = B.TRC
AND A.TRC = C.TRC
AND A.TRC = D.TRC
AND (B.DUR = A.DUR+3 AND C.DUR = A.DUR+4 AND D.DUR = A.DUR+5) Friday, Monday, Tuesday, Wednesday
AND (B.DUR = A.DUR+1 AND C.DUR = A.DUR+4 AND D.DUR = A.DUR+5) Thursday, Friday, Monday, Tuesday
AND (B.DUR = A.DUR+1 AND C.DUR = A.DUR+2 AND D.DUR = A.DUR+5) Wednesday, Thursday, Friday, Monday
AND (B.DUR = A.DUR+1 AND C.DUR = A.DUR+2 AND D.DUR = A.DUR+3) -- Same workweek
AND A.TRC LIKE 'SICK%'
AND NOT EXISTS ( SELECT 'x' FROM PS_JOB J
WHERE J.EMPLID = A.EMPLID
AND J.EMPL_RCD = A.EMPL_RCD
AND J.EMPL_STATUS IN ('P','L')
AND J.EFFDT = ( SELECT MAX(J1.EFFDT) FROM PS_JOB J1
WHERE J1.EMPLID = J.EMPLID
AND J1.EMPL_RCD = J.EMPL_RCD
AND J1.EFFDT <= D.DUR))

You should consider a technique from data warehousing where you use a table to describe dates. To keep things simple, let's create a table that holds all your valid business days for the past 2 weeks...
create table business_dates (business_day date);
begin
insert into business_dates values (to_date('16-oct-2006'));
insert into business_dates values (to_date('17-oct-2006'));
insert into business_dates values (to_date('18-oct-2006'));
insert into business_dates values (to_date('19-oct-2006'));
insert into business_dates values (to_date('20-oct-2006'));
insert into business_dates values (to_date('23-oct-2006'));
insert into business_dates values (to_date('24-oct-2006'));
insert into business_dates values (to_date('25-oct-2006'));
insert into business_dates values (to_date('26-oct-2006'));
insert into business_dates values (to_date('27-oct-2006'));
insert into business_dates values (to_date('30-oct-2006'));
insert into business_dates values (to_date('31-oct-2006'));
insert into business_dates values (to_date('01-nov-2006'));
insert into business_dates values (to_date('02-nov-2006'));
insert into business_dates values (to_date('03-nov-2006'));
end;
now we create a table that shows whether each employee was sick or not for a given work day...
create table attendance (empid number, business_day date, sick char(1));
insert into attendance values (100, to_date('16-oct-2006'), 'N');
insert into attendance values (100, to_date('17-oct-2006'), 'Y');
insert into attendance values (100, to_date('18-oct-2006'), 'Y');
insert into attendance values (100, to_date('19-oct-2006'), 'N');
insert into attendance values (100, to_date('20-oct-2006'), 'N');
insert into attendance values (100, to_date('23-oct-2006'), 'Y');
insert into attendance values (100, to_date('24-oct-2006'), 'Y');
insert into attendance values (100, to_date('25-oct-2006'), 'Y');
insert into attendance values (100, to_date('26-oct-2006'), 'N');
insert into attendance values (100, to_date('27-oct-2006'), 'N');
insert into attendance values (100, to_date('30-oct-2006'), 'N');
insert into attendance values (100, to_date('31-oct-2006'), 'Y');
insert into attendance values (100, to_date('01-nov-2006'), 'N');
insert into attendance values (100, to_date('02-nov-2006'), 'N');
insert into attendance values (100, to_date('03-nov-2006'), 'N');
insert into attendance values (105, to_date('16-oct-2006'), 'Y');
insert into attendance values (105, to_date('17-oct-2006'), 'Y');
insert into attendance values (105, to_date('18-oct-2006'), 'N');
insert into attendance values (105, to_date('19-oct-2006'), 'N');
insert into attendance values (105, to_date('20-oct-2006'), 'Y');
insert into attendance values (105, to_date('23-oct-2006'), 'N');
insert into attendance values (105, to_date('24-oct-2006'), 'N');
insert into attendance values (105, to_date('25-oct-2006'), 'Y');
insert into attendance values (105, to_date('26-oct-2006'), 'Y');
insert into attendance values (105, to_date('27-oct-2006'), 'Y');
insert into attendance values (105, to_date('30-oct-2006'), 'Y');
insert into attendance values (105, to_date('31-oct-2006'), 'Y');
insert into attendance values (105, to_date('01-nov-2006'), 'N');
insert into attendance values (105, to_date('02-nov-2006'), 'N');
insert into attendance values (105, to_date('03-nov-2006'), 'Y');
Now the query to get each sick occurrence and the number of consecutive days for each employee is...
select empid, first_sick_day, sick_count from
(select empid,
first_value(business_day) over (partition by empid, groupno order by business_day) as first_sick_day,
     row_number() over (partition by empid, groupno order by business_day) as rn,
count(*) over (partition by empid, groupno) as sick_count
from
(select empid, business_day, daynum-rownum groupno
     from
          (SELECT a.empid, a.business_day, d.day_num as daynum
               FROM attendance a,
                    (select rownum as day_num, business_day
                    from (select business_day from business_dates order by business_day)) d
               WHERE sick = 'Y' AND a.business_day = d.business_day
               ORDER BY 1,2 )
where rn = 1;
The above query can be modified slightly to only give you the sick occurrence with the maximum number of consecutive days for each employee.
Having a separate date table is nice because you can take in account weekends, holidays or any other nonwork day by just removing that date from the table. Generating this table is easy as date dimension examples can be found on on the web, and the amount of rows is small (250 rows per year approx).
JR

Similar Messages

  • To get the sum of leave an  employee has taken

    hi all
    i have this query
    SELECT   dif.employee_number, dif.full_name employeename,
             TO_CHAR (date_entray, 'DY') DAY, date_entray attendance_date,
             TO_CHAR (start_date, 'dd-Mon-rrrr') doj, dif.dept_name, POSITION,
             tran_name, insert_type, day_desc,
             CASE
                WHEN insert_type = 'AnLv'
                   THEN COUNT
                          (insert_type)
             END days_anlv,
             CASE
                WHEN insert_type = 'SkLv'
                   THEN COUNT (insert_type)
             END days_sklv,
             CASE
                WHEN insert_type = 'BTrp'
                   THEN COUNT (insert_type)
             END days_btrp
        FROM nap_punch_data_emp_list trn, nap_emp_def dif,
             nap_punch_card_eleg ele
       WHERE trn.employee_number = dif.employee_number
         AND ele.employee_number = trn.employee_number
         AND date_entray BETWEEN :p_from_date AND :p_to_date
         AND trn.employee_number BETWEEN NVL (:p_emp_no, trn.employee_number)
                                     AND NVL (:p_emp_no2, trn.employee_number)
    GROUP BY dif.employee_number,
             dif.full_name,
             start_date,
             dif.dept_name,
             POSITION,
             tran_name,
             insert_type,
             date_entray,
             day_desc
    ORDER BY date_entray
    the output of which is
    EMPLOYEE_NUMBER     ATTENDANCE_DATE    INSERT_TYPE                            DAYS_ANLV                              DAYS_SKLV                                   DAYS_BTRP
    686                       04/18/2012          annual leave                          1
    688                        04/18/2012     sick leave                                                                         1
    689                     04/18/2012        annual leave                               1
    686                   04/19/2012        annual leave                                 1
    69                 04/19/2012          businesstrip                                                                                                                       1                         
    69               04/19/2012          businesstrip                                                                                                                         1
                is it possible to obtain
    employee number                                        days_anlv                            days_btrp
    686                                                                  2    
    69                                                                                                             2the sum of the respective leaves each employee has taken
    kindly guide
    thanking in advance
    Edited by: makdutakdu on Jun 24, 2012 2:59 PM
    Edited by: makdutakdu on Jun 24, 2012 3:00 PM
    Edited by: makdutakdu on Jun 24, 2012 3:01 PM
    Edited by: makdutakdu on Jun 24, 2012 3:02 PM
    Edited by: makdutakdu on Jun 24, 2012 3:03 PM
    Edited by: makdutakdu on Jun 24, 2012 3:03 PM
    Edited by: makdutakdu on Jun 24, 2012 3:04 PM
    Edited by: makdutakdu on Jun 24, 2012 3:26 PM
    Edited by: makdutakdu on Jun 24, 2012 3:27 PM
    Edited by: makdutakdu on Jun 24, 2012 3:28 PM
    Edited by: makdutakdu on Jun 25, 2012 9:05 AM

    Hi,
    makdutakdu wrote:
    hi all
    i have this query
    SELECT   dif.employee_number, dif.full_name employeename,
    TO_CHAR (date_entray, 'DY') DAY, date_entray attendance_date,
    TO_CHAR (start_date, 'dd-Mon-rrrr') doj, dif.dept_name, POSITION,
    tran_name, insert_type, day_desc,
    CASE
    WHEN insert_type = 'AnLv'
    THEN COUNT
    (insert_type)
    END days_anlv,
    CASE
    WHEN insert_type = 'SkLv'
    THEN COUNT (insert_type)
    END days_sklv,
    CASE
    WHEN insert_type = 'BTrp'
    THEN COUNT (insert_type)
    END days_btrp
    FROM nap_punch_data_emp_list trn, nap_emp_def dif,
    nap_punch_card_eleg ele
    WHERE trn.employee_number = dif.employee_number
    AND ele.employee_number = trn.employee_number
    AND date_entray BETWEEN :p_from_date AND :p_to_date
    AND trn.employee_number BETWEEN NVL (:p_emp_no, trn.employee_number)
    AND NVL (:p_emp_no2, trn.employee_number)
    GROUP BY dif.employee_number,
    dif.full_name,
    start_date,
    dif.dept_name,
    POSITION,
    tran_name,
    insert_type,
    date_entray,
    day_desc
    ORDER BY date_entray
    the output of which is
    EMPLOYEE_NUMBER     ATTENDANCE_DATE    INSERT_TYPE                DAYS_ANLV                              DAYS_SKLV                                   DAYS_BTRP
    686                       04/18/2012          annual leave                                     1
    688                        04/18/2012     sick leave                                                                                            1
    689                     04/18/2012        annual leave                                         1
    686                   04/19/2012        annual leave                                            1
    69                 04/19/2012          businesstrip                                                                                                                                               1                         
    69               04/19/2012          businesstrip                                                                                                                                                  1
    When posting formatted code, make sure it appears on this site so that people can read and understand it. Does the output above look okay ih your browser? I can;t tell which numbers are supposed to be in which columns. Use the "Preview" tab and edit your message, if necessarry, before posting.
    is it possible to obtain
    employee number days_anlv days_btrp
    686 2
    69 2
    the sum of the respective leaves each employee has takenIt's unclear what you want, but I'm sure you can do it.
    Whenever you have a question, post a little sample data (CREATE TABLE and INSERT statements, relevant columns only) for all the tables involved, and the results you want from that data.
    Explain, using specific examples, how you get those results from that data.
    Always say what version of Oracle you're using.
    See the forum FAQ {message:id=9360002}
    If you only want one row of output for each employee_number, then employe_number should be the only thing in the GROUP BY clause.
    You may need to do 2 GROUP BYs; one in a sub-query, and the the other (with employee_number alone in the GROUP BY clause) in the main query.
    Why do the results not include employee_numbers 688 and 689?

  • Public Holiday calendar not to be taken into account for Sick Leave

    Dear All,
    I need help.
    Public Holiday calendar not to be taken into account for Sick Leave.
    Eg -When I employee applies for sick leave, the public holiday in between the dates shouldnt be considered. How can I configure this requirement.
    Please help.
    Regards,
    Poornima

    For that group, you need 2 counting rules:
    - one for Holiday Class 0 (not a public holiday) and Day Work Schedule Class 0 (not a working day)
    - one for Holiday Class 0 (not a public holiday) and Day Work Schedule Class 1 to 9 (a working day)
    If you want, you can add an other one or two for Holiday Class 1 to 9 (public holiday)
    extract from our T556C
    2       1   10 Q      10 Sick leave deduct from quotas (incl personal/spec) XXXXX   X  X    XXXXXXXXXX  XXXXXXXXX X X        XX XX    100.00  100.00              1     1       10              
    2       1   10 Q      11 Sick leave deduct from quotas (incl personal/spec) XXXXX   X  X    XXXXXXXXXX X          X X        XX XX      0.00    0.00              1     1       10              
    2       1   30 Q      10 Special leave with pay (with quotas deduction)     XXXXX   X  X    XXXXXXXXXX  XXXXXXXXX X X        XX XX    100.00  100.00              1     1       30              
    2       1   30 Q      11 Special leave with pay (with quotas deduction)     XXXXX   X  X    XXXXXXXXXX X          X X        XX XX      0.00    0.00              1     1       30

  • Searchqu has taken over firefox, where is my comcast home page?

    no matter what I do searchqu has taken over from my Home page
    (comcast) I have purchased and anti virus anti malware
    I have removed searchqu from control panel ( that only fixed I.E.)
    I have changed the settings on firefox.to connect to comcast
    Nothhing seems to help

    This could help
    http://devilsworkshop.org/firefox-tweaks-address-bar-as-search-box-let-google-make-you-feel-lucky/

  • How to count weekends with sickness leaves??

    Hi experts,
    I want whenever for example an employee calls sick friday and monday, the total sicknes leave days should be 4, because of the weekend between the two days. the same I want to happen whenever a public vacation is in between, if for a example one is calling sich monday, tuesday is bank holiday, and wednesday still sick, the total sick leave days should be 3, not 2 that are now in the system because the bank holiday in deducted.
    How can I configure this and where in SPRO??
    Thank you in advance..

    Hi,
    In the counting rules that you define for that absence plzz check the boxes Saturday and Sunday.

  • Creating view to get instances to user in wich he has taken part

    hellow.
    I have a question. I should to create custom view inside Oracle BPM. This view should get only instances in wich current user has taken part, for a example, some user "test" has assigned in the instance to make some task. Part "Test" has done this task and he whant to look this instance after his task. But participant is not a initiator of the instance...
    This view is similar to another view, where participant create the instance and this participant - initiator. In this case, we should only add a condition in our view like "initiator is current user"....
    But what should I do in my case, when participat is not initiator of the instance but he whants to look tasks in the instance where he have taken part.
    Thank you very much.

    I have seen this requirement come up quite often but unfortunately it is not easily supported out of the box. The limitation is that you can only filter a view based on a project variable, and user defined project variables can only be primitive types. Because of this you cannot for example keep a list of participants as a project variable. The best you can get is a comma separated list of participant ids in a string, but this is still limited to 255 characters. The next limitation is that you can only compare the current user to a Participant project variable, so the initiator or current user, not against a string. The only way we have found to get the current user in to the filter against a string was to do some workspace customizations that were not all that straight forward.

  • Error while calling Receipt Un-application :Customer Transaction Identifier has taken a precedence over the transaction number

    Hi All,
    While calling the receipt Un-application API, I am getting a error like' Customer Transaction Identifier has taken a precedence over the transaction number'
    Kindly suggest as to how can I troubleshoot this?
    Appreciate your valuable Inputss

    Hi,
    i recommend having a Service request logged for this issue, as from related documentations in metalink most of them seemed to be a bug where oracle suggested patches (code Fixes) ... hence reaching oracle support would be a better approach ...
    Regards,
    Ivruksha

  • My daughters itouch was stolen today...is there any actions i can or should be taking so that all the pictures and videos she has taken can be deleted?

    My daughters itouch was stolen today...is there any actions i can or should be taking so that all the pictures and videos she has taken can be deleted?

    Change your iTunes (Apple ID) password along with any other password that was stored in the iPod.  If any passwords are associated with credit cards, contact the CC company and get your card replaced (with a new number).  If any passwords are associated with a bank or any other savings institution, contact them also and discuss approprate action with them.
    The "Find my..." function is pretty much useless if the device is in the hands of a thief.  All that is necessary is for the thief to connect to any computer with iTunes and "Restore as new."
    The only real protection you have is with the personal information on the device rather than the physical device itself.  This requires action before the device is lost/stolen.  If the device has significant personal information, it should have a strong 8-digit (or longer) password AND be configured for automatic wipe in the event of ten consecutive incorrect password entries.

  • Employee has a family tie to another employee

    Is it possible to record in SAP HR where an employee has a family tie to another employee? Corporate policy at my company is that there should be no direct line relationships, so a wife cannot report into her husband.  Whilst at the point of recruitment we would most certainly ensure that this did not happen, years down the line as people move in the organisation, where the connection is less obvious it may be forgotten. This could be the case for example with sisters u2013 different surnames, cousins etc.
    I'm thinking that I can create some additional fields on IT21 to indicate if the related person is an employee and perhaps include their PERNR, manager's name and org unit. 
    has anyone else had this requirement and if so, what was your solution?
    Thanks Tanya

    Hi
    Certainly have not come across this requirement before, but have come across several funny ones, so this doesn't appear to be very strange.
    I guess the only way is what you have already identified. Use IT0021 to store all family/dependent info details, and if any of them work in the same company, either use an existing field or enhance it with a new field to store the personnel number of the relative.
    Depending on how you do the recruitment in the system, either have some reports run everytime you process someone through it, or some online checks using user eixts etc.
    Hope this helps.

  • I have recently updated m iPhone 4 which was not used since months. It has to be updated from5.1.4 to iOS 7.0.4 and it has taken more than 15 hours to get started. Plz help me. It took about 5 to 6 hrs to prepare for updating.

    I have recently updated m iPhone 4 which was not used since months. It has to be updated from5.1.4 to iOS 7.0.4 and it has taken more than 15 hours to get started. Plz help me. It took about 5 to 6 hrs to prepare for updating.

    I am having this problem.  At first with the new iPhone 5, and then with the iPad 2.  I am not sure why this is happening. 
    My gut feeling is this is an iO6 issue and here's why -
    The problem mainly occurs with apps.  I have about 150 apps, and when I plugged in the phone, iTunes went to sync all of them.  The process would hang up after about 20 - 30 apps were loaded onto the phone. I could tell where about the process hung up because the apps on the phone showed up as "waiting".
    Then on the iPad 2 I plugged in to sync and saw there was a huge "Other" component in my storage.  It required me to restore the iPad 2 from backup.  With this restore the same issues occurred - putting the apps back on the iPad would hang up.  The videos on the iPad also got stuck - maybe after about 10 hours of videos transfered iTunes crashed.
    My solution has been to soft reset the device, restart Windows, and continue the process until it's complete.  This is remarkably inefficient and time-intensive but everything works with patience.
    I have been wondering if others have had these same problems. 

  • How to find procedure what has taken

    Hi All,
    I would like share one information on procedures code.
    we have two schemas. one is ods_inb_stg and another one is ODS. We have written select statement for some tables from ODS_INB_STG schema with some columns are outer join (left or outer might be) and some columns are inner join.
    my requirement is select some of the columns from ODS_INB_STG schema required tables and then insert into ODS schema corresponding table. Like that we have written select code. When ever we perform the code automatically populate the table.
    For populate table we have to execute same code...... that's why we have created procedure and schedule the procedure for populate the table. That table truncate is truncate and insert.
    we have not got any issues for that....... My questions are.....
    1> we have some procedures when we executed those procedures how do we know those procedures are executed and what time and how much time procedure has taken ?
    2> when ever person has executes a procedure where can we find this procedure has executed this time and this procedure starts this time and this procedure ends this time?
    3> would server creates any log file this procedures executed this time and this procedures has taken this time? If yes where it will store (server) and can we find daily queries and what ever fired any queries related to database?
    4> so many people access and fired a query, procedures, functions what ever can we find a log's for that........ In server where it will store?
    (A part from control table and toad and developer what ever GUI)
    Thanks and Regards,
    Venkat

    1> Keep a log table of start_time, end_time, procedure_name, errors etc. Simply create the table, then in your procedure, write the values into the log table
    2> See above
    3> See above
    4> Have a google around.. Here's a starting point: https://netfiles.uiuc.edu/jstrode/www/oraview/V$SQLTEXT.html

  • HT201272 iTunes has taken my money but no song has been downloaded onto my ipod touch or computer, How do I get my song or money back?

    iTunes has taken my money but no song has been downloaded onto my ipod touch or computer, How do I get my song or money back?
    I cannot seem to trace where the purchase went but it money is gone from account and I have no song.
    Please help!

    Starting at the end:
    - When the movie or tv show does transfer onto your iphone/ipod touch you will be able to see it in the expanded view of your device in the "DEVICES" section.
    - If the files are not on your device, then:
         -- confirm you have SD or HD-SD video. HD-only content will not play and probably will not even sync. iTunes seems to reliably have SD versions with their HD distributions so this should not be an issue
         -- confirm you are synch-ing the content to the ipod device by browsing the DEVICE view's Movie or TV Show tabs to confirm the movie or episode is 'checked'
    - If the files are on the iPod and you cannot find them, check your Settings: General for Restrictions.  If you restrict, for example the movies to "G" rating. PG and higher movies will sync but you will not be able to find them on the iPod!

  • Count consecutive appeareance

    Hi,
    I had a requirement like this
    <pre>
    In Table View output is like this
    ID STATUS     DATE
    101     01     03-01-11
    101     02     09-02-11
    101     03     11-03-11
    101     02     06-04-11
    101     02     07-05-11
    101     03     09-06-11
    101     02     14-07-11
    101     02     15-08-11
    101     04     12-09-11
    101     03     10-10-11
    101     03     12-11-11
    101     03     08-12-11
    </pre>
    <pre>
    Required Output should be like this - for ID 101 and STATUS '01' is not required
    STATUS     1Time     2Time     3&4Time          5&above
    02     1     2
    03     2          1
    04     1
    </pre>
    Columns 1Time, 2Time,3&4Time, 5&above means count the number of consecutive appeareance of the status (have to check previous month status and next month status)
    i.e for example if we take Status '02'
    after checking previous month and next month status, Status '02' has appeared one time consecutively on '01-02-11'(Feb)
    and hence 1 should come under '1Time' Column.
    similarly after checking previous month and next month status, the number of 2 consecutive appereance of status '02' is twice, that is on ('01-04-11', '01-05-11') and ('01-07-11', '01-08-11'),hence the count of them will 2 under '2Time' column
    For Status '03',
    there are two one-time consecutive appeareance of the Status, that is on '01-03-11' and '01-06-11'. Hence count is 2 under '1Time' column for status 03
    and Status '03' has single 3 consecutive appearance, that is on '01-10-11', '01-11-11', '01-12-11', hence count is 1 under 3&4Time coulmn.
    Regards
    mohan

    I did answer your question in the other forum:
    Count consecutive appearance
    hm

  • Firefox has remberd a password to a website ... chessatwork and I get loged in to my main page and when I click on any link it takes me right back to my log in page, where it has it stored.... password and user name,,, whats up and how do I turn that off?

    Firefox has remberd a password to a website ... chessatwork and I get loged in to my main page and when I click on any link it takes me right back to my log in page, where it has it stored.... password and user name,,, whats up and how do I turn that off? chessatwork has ran great for me for many yrs, then one day I down loaded firefox and went to play chess on this site chessatwork.com, well the window popped up asking to remember the log in and pass word and so I said ok, and it did, but now when I click log in and I go to my main page (home) and click on any link, say to play game I return right back to log in

    See http://kb.mozillazine.org/Deleting_autocomplete_entries<br />
    Remove a saved password here: Tools > Options > Security: Passwords: "Saved Passwords" > "Show Passwords"
    You may also need to remove the cookies from that website.<br />
    * Tools > Options > Privacy > Cookies: "Show Cookies"

  • Firefox has taken over my computer to the extent that I can't get out of firefox back to my regular homepage and moreover I can't even log out or shut down.

    When I try to log on as I have usually done I get a small window
    stating that an error has occurred and when I click on what should solve the problem a larger white window appears stating
    I should not close the window...although several times I have
    not close the window all I get is 2 blue spinning circles.
    I feel like Firefox has taken over my heretofore routine
    usage of my computer and I have lost control. HELP!!!!!

    That file could be set as a Launch Agent or Daemon in your ~/Library or /Library, You could try to look for it or Safeboot your computer and then empty the trash. Safebooting disables Launch Agents/Daemon and Third Party Kernal extensions. Here's the article to Safeboot OS X: What is Safe Boot, Safe Mode? - Apple Support

Maybe you are looking for

  • Email and SMS services in Goldengate

    Hi; i am able to make active-active replication enviroment. but i want some another facility. if there some process failure, some data error or you can say any type of error and stop the process. in case can we get any EMAIL or SMS alert for user not

  • Newbie needs help!  Cannot open database home page...

    Hi all, I know this sort of question has been posted before but either it never got resolved or the thread seems to just die... I have just installed 10gXE and have tried to open the 'homepage' but all I get is 'page not available' errors in either I

  • Use of adapter specific mess atributes,variable transportbinding in mailada

    hi all. i just want to know what is the purpose of adapter specific message  atributes,variable transportbinding in mail reciever adapter . one more thing is wat for VARIABLE HEADER NAME1,NAME2,NAME3. waiting for your any great answer. bye. regards.

  • Adobe air admin rights installation error

    so i just bought town of salem on steam, and i need adobe air to run it.. but i cant seem to install cause it needs admin rights and i contacted windows to verify that i do have all the rights. any ideas/tips?

  • "Server rejected an invalid flow" - RTMFP stops working.

    Hi, Sometimes RTMFP stops working on my server, and I have to restart it for RTMFP to work again. Here is what I saw in the error log : 2011-04-29 05:43:17 26120 (i)2631502 The server rejected an invalid flow. - 2011-04-29 05:44:22 26120 (i)2641213 C