Javaw process still active

I am working on a project and I am using Swing classes (JBuilder 6). When I close a JFrame the javaw process remains active in the task manager (win 2000). I have added a windowlistaner on windowclosing (System.exit(0)) and also set the default closing operationto EXIT_ON_CLOSE but it still doesn't work.
Please help

Try using the following code in the constructor of the JFrame you are using.
It basically adds a WindowListener, and on closing disposes the frame and exits process.
Basically, what u have described in ur posting, but just in case this works, it would be great.
//code starts
addWindowListener(new java.awt.event.WindowAdapter()
� public void windowClosing(java.awt.event.WindowEvent evt)
� {
���dispose();
     �� System.exit(0);
� }
//code ends
-Manish.

Similar Messages

  • New Chain Process Type: Is the previous run in the chain still active?

    Has anyone seen any documentation on the new process type:  Is the previous run in the chain still active?
    We upgraded from NW SPS 10 to SPS 12 and have not been able to find any documentation on the new process type.
    Thanks
    Keith

    Hi!
    This process type was delivered by mistake. It will be removed with next patch. Please do not use it!
    Thanks for reporting this and best regards, Thomas Rinneberg, Dev. BW

  • New Process type:Is the previous run in the chain still active?

    Hi,
    Please provide details of the new process type Is the previous run in the chain still active? In SPS 12. Thanks in advance.

    Hi,
    did you see that post. it says it is a mistake and will be removed.
    New Chain Process Type: Is the previous run in the chain still active?
    regards,

  • Back ground job - report, is scheduled 49 hrs ago, still ACTIVE??

    Hi Experts,
    Pls. clarify one of my simple doubt that, Weather a report(which has only one SELECT statement, with key in WHERE clause) wuld take 49 hours to execute? bcoz, I scheduled a back ground job for my_report, 49 hours ago, its still ACTIVE, OR does it went to infinitive loop?
    thanq

    Hi
    no one select query won't take that mucj of time
    may be that program went in infinite loop
    please check with that
    reward if useful
    <b>below is the best way to write a select query</b>
    Ways of Performance Tuning
    1.     Selection Criteria
    2.     Select Statements
    •     Select Queries
    •     SQL Interface
    •     Aggregate Functions
    •     For all Entries
    Select Over more than one Internal table
    Selection Criteria
    1.     Restrict the data to the selection criteria itself, rather than filtering it out using the ABAP code using CHECK statement. 
    2.     Select with selection list.
    Points # 1/2
    SELECT * FROM SBOOK INTO SBOOK_WA.
      CHECK: SBOOK_WA-CARRID = 'LH' AND
             SBOOK_WA-CONNID = '0400'.
    ENDSELECT.
    The above code can be much more optimized by the code written below which avoids CHECK, selects with selection list
    SELECT  CARRID CONNID FLDATE BOOKID FROM SBOOK INTO TABLE T_SBOOK
      WHERE SBOOK_WA-CARRID = 'LH' AND
                  SBOOK_WA-CONNID = '0400'.
    Select Statements   Select Queries
    1.     Avoid nested selects
    2.     Select all the records in a single shot using into table clause of select statement rather than to use Append statements.
    3.     When a base table has multiple indices, the where clause should be in the order of the index, either a primary or a secondary index.
    4.     For testing existence , use Select.. Up to 1 rows statement instead of a Select-Endselect-loop with an Exit. 
    5.     Use Select Single if all primary key fields are supplied in the Where condition .
    Point # 1
    SELECT * FROM EKKO INTO EKKO_WA.
      SELECT * FROM EKAN INTO EKAN_WA
          WHERE EBELN = EKKO_WA-EBELN.
      ENDSELECT.
    ENDSELECT.
    The above code can be much more optimized by the code written below.
    SELECT PF1 PF2 FF3 FF4 INTO TABLE ITAB
        FROM EKKO AS P INNER JOIN EKAN AS F
          ON PEBELN = FEBELN.
    Note: A simple SELECT loop is a single database access whose result is passed to the ABAP program line by line. Nested SELECT loops mean that the number of accesses in the inner loop is multiplied by the number of accesses in the outer loop. One should therefore use nested SELECT loops  only if the selection in the outer loop contains very few lines or the outer loop is a SELECT SINGLE statement.
    Point # 2
    SELECT * FROM SBOOK INTO SBOOK_WA.
      CHECK: SBOOK_WA-CARRID = 'LH' AND
             SBOOK_WA-CONNID = '0400'.
    ENDSELECT.
    The above code can be much more optimized by the code written below which avoids CHECK, selects with selection list and puts the data in one shot using into table
    SELECT  CARRID CONNID FLDATE BOOKID FROM SBOOK INTO TABLE T_SBOOK
      WHERE SBOOK_WA-CARRID = 'LH' AND
                  SBOOK_WA-CONNID = '0400'.
    Point # 3
    To choose an index, the optimizer checks the field names specified in the where clause and then uses an index that has the same order of the fields . In certain scenarios, it is advisable to check whether a new index can speed up the performance of a program. This will come handy in programs that access data from the finance tables.
    Point # 4
    SELECT * FROM SBOOK INTO SBOOK_WA
      UP TO 1 ROWS
      WHERE CARRID = 'LH'.
    ENDSELECT.
    The above code is more optimized as compared to the code mentioned below for testing existence of a record.
    SELECT * FROM SBOOK INTO SBOOK_WA
        WHERE CARRID = 'LH'.
      EXIT.
    ENDSELECT.
    Point # 5
    If all primary key fields are supplied in the Where condition you can even use Select Single.
    Select Single requires one communication with the database system, whereas Select-Endselect needs two.
    Select Statements           contd..  SQL Interface
    1.     Use column updates instead of single-row updates
    to update your database tables.
    2.     For all frequently used Select statements, try to use an index.
    3.     Using buffered tables improves the performance considerably.
    Point # 1
    SELECT * FROM SFLIGHT INTO SFLIGHT_WA.
      SFLIGHT_WA-SEATSOCC =
        SFLIGHT_WA-SEATSOCC - 1.
      UPDATE SFLIGHT FROM SFLIGHT_WA.
    ENDSELECT.
    The above mentioned code can be more optimized by using the following code
    UPDATE SFLIGHT
           SET SEATSOCC = SEATSOCC - 1.
    Point # 2
    SELECT * FROM SBOOK CLIENT SPECIFIED INTO SBOOK_WA
      WHERE CARRID = 'LH'
        AND CONNID = '0400'.
    ENDSELECT.
    The above mentioned code can be more optimized by using the following code
    SELECT * FROM SBOOK CLIENT SPECIFIED INTO SBOOK_WA
      WHERE MANDT IN ( SELECT MANDT FROM T000 )
        AND CARRID = 'LH'
        AND CONNID = '0400'.
    ENDSELECT.
    Point # 3
    Bypassing the buffer increases the network considerably
    SELECT SINGLE * FROM T100 INTO T100_WA
      BYPASSING BUFFER
      WHERE     SPRSL = 'D'
            AND ARBGB = '00'
            AND MSGNR = '999'.
    The above mentioned code can be more optimized by using the following code
    SELECT SINGLE * FROM T100  INTO T100_WA
      WHERE     SPRSL = 'D'
            AND ARBGB = '00'
            AND MSGNR = '999'.
    Select Statements       contd…           Aggregate Functions
    •     If you want to find the maximum, minimum, sum and average value or the count of a database column, use a select list with aggregate functions instead of computing the aggregates yourself.
    Some of the Aggregate functions allowed in SAP are  MAX, MIN, AVG, SUM, COUNT, COUNT( * )
    Consider the following extract.
                Maxno = 0.
                Select * from zflight where airln = ‘LF’ and cntry = ‘IN’.
                 Check zflight-fligh > maxno.
                 Maxno = zflight-fligh.
                Endselect.
    The  above mentioned code can be much more optimized by using the following code.
    Select max( fligh ) from zflight into maxno where airln = ‘LF’ and cntry = ‘IN’.
    Select Statements    contd…For All Entries
    •     The for all entries creates a where clause, where all the entries in the driver table are combined with OR. If the number of entries in the driver table is larger than rsdb/max_blocking_factor, several similar SQL statements are executed to limit the length of the WHERE clause.
         The plus
    •     Large amount of data
    •     Mixing processing and reading of data
    •     Fast internal reprocessing of data
    •     Fast
         The Minus
    •     Difficult to program/understand
    •     Memory could be critical (use FREE or PACKAGE size)
    Points to be must considered FOR ALL ENTRIES
    •     Check that data is present in the driver table
    •     Sorting the driver table
    •     Removing duplicates from the driver table
    Consider the following piece of extract
    Loop at int_cntry.
           Select single * from zfligh into int_fligh
    where cntry = int_cntry-cntry.
    Append int_fligh.
    Endloop.
    The above mentioned can be more optimized by using the following code.
    Sort int_cntry by cntry.
    Delete adjacent duplicates from int_cntry.
    If NOT int_cntry[] is INITIAL.
                Select * from zfligh appending table int_fligh
                For all entries in int_cntry
                Where cntry = int_cntry-cntry.
    Endif.
    Select Statements    contd…  Select Over more than one Internal table
    1.     Its better to use a views instead of nested Select statements.
    2.     To read data from several logically connected tables use a join instead of nested Select statements. Joins are preferred only if all the primary key are available in WHERE clause for the tables that are joined. If the primary keys are not provided in join the Joining of tables itself takes time.
    3.     Instead of using nested Select loops it is often better to use subqueries.
    Point # 1
    SELECT * FROM DD01L INTO DD01L_WA
      WHERE DOMNAME LIKE 'CHAR%'
            AND AS4LOCAL = 'A'.
      SELECT SINGLE * FROM DD01T INTO DD01T_WA
        WHERE   DOMNAME    = DD01L_WA-DOMNAME
            AND AS4LOCAL   = 'A'
            AND AS4VERS    = DD01L_WA-AS4VERS
            AND DDLANGUAGE = SY-LANGU.
    ENDSELECT.
    The above code can be more optimized by extracting all the data from view DD01V_WA
    SELECT * FROM DD01V INTO  DD01V_WA
      WHERE DOMNAME LIKE 'CHAR%'
            AND DDLANGUAGE = SY-LANGU.
    ENDSELECT
    Point # 2
    SELECT * FROM EKKO INTO EKKO_WA.
      SELECT * FROM EKAN INTO EKAN_WA
          WHERE EBELN = EKKO_WA-EBELN.
      ENDSELECT.
    ENDSELECT.
    The above code can be much more optimized by the code written below.
    SELECT PF1 PF2 FF3 FF4 INTO TABLE ITAB
        FROM EKKO AS P INNER JOIN EKAN AS F
          ON PEBELN = FEBELN.
    Point # 3
    SELECT * FROM SPFLI
      INTO TABLE T_SPFLI
      WHERE CITYFROM = 'FRANKFURT'
        AND CITYTO = 'NEW YORK'.
    SELECT * FROM SFLIGHT AS F
        INTO SFLIGHT_WA
        FOR ALL ENTRIES IN T_SPFLI
        WHERE SEATSOCC < F~SEATSMAX
          AND CARRID = T_SPFLI-CARRID
          AND CONNID = T_SPFLI-CONNID
          AND FLDATE BETWEEN '19990101' AND '19990331'.
    ENDSELECT.
    The above mentioned code can be even more optimized by using subqueries instead of for all entries.
    SELECT * FROM SFLIGHT AS F INTO SFLIGHT_WA
        WHERE SEATSOCC < F~SEATSMAX
          AND EXISTS ( SELECT * FROM SPFLI
                         WHERE CARRID = F~CARRID
                           AND CONNID = F~CONNID
                           AND CITYFROM = 'FRANKFURT'
                           AND CITYTO = 'NEW YORK' )
          AND FLDATE BETWEEN '19990101' AND '19990331'.
    ENDSELECT.
    1.     Table operations should be done using explicit work areas rather than via header lines.
    2.     Always try to use binary search instead of linear search. But don’t forget to sort your internal table before that.
    3.     A dynamic key access is slower than a static one, since the key specification must be evaluated at runtime.
    4.     A binary search using secondary index takes considerably less time.
    5.     LOOP ... WHERE is faster than LOOP/CHECK because LOOP ... WHERE evaluates the specified condition internally.
    6.     Modifying selected components using “ MODIFY itab …TRANSPORTING f1 f2.. “ accelerates the task of updating  a line of an internal table.
    Point # 2
    READ TABLE ITAB INTO WA WITH KEY K = 'X‘ BINARY SEARCH.
    IS MUCH FASTER THAN USING
    READ TABLE ITAB INTO WA WITH KEY K = 'X'.
    If TAB has n entries, linear search runs in O( n ) time, whereas binary search takes only O( log2( n ) ).
    Point # 3
    READ TABLE ITAB INTO WA WITH KEY K = 'X'. IS FASTER THAN USING
    READ TABLE ITAB INTO WA WITH KEY (NAME) = 'X'.
    Point # 5
    LOOP AT ITAB INTO WA WHERE K = 'X'.
    ENDLOOP.
    The above code is much faster than using
    LOOP AT ITAB INTO WA.
      CHECK WA-K = 'X'.
    ENDLOOP.
    Point # 6
    WA-DATE = SY-DATUM.
    MODIFY ITAB FROM WA INDEX 1 TRANSPORTING DATE.
    The above code is more optimized as compared to
    WA-DATE = SY-DATUM.
    MODIFY ITAB FROM WA INDEX 1.
    7.     Accessing the table entries directly in a "LOOP ... ASSIGNING ..." accelerates the task of updating a set of lines of an internal table considerably
    8.    If collect semantics is required, it is always better to use to COLLECT rather than READ BINARY and then ADD.
    9.    "APPEND LINES OF itab1 TO itab2" accelerates the task of appending a table to another table considerably as compared to “ LOOP-APPEND-ENDLOOP.”
    10.   “DELETE ADJACENT DUPLICATES“ accelerates the task of deleting duplicate entries considerably as compared to “ READ-LOOP-DELETE-ENDLOOP”.
    11.   "DELETE itab FROM ... TO ..." accelerates the task of deleting a sequence of lines considerably as compared to “  DO -DELETE-ENDDO”.
    Point # 7
    Modifying selected components only makes the program faster as compared to Modifying all lines completely.
    e.g,
    LOOP AT ITAB ASSIGNING <WA>.
      I = SY-TABIX MOD 2.
      IF I = 0.
        <WA>-FLAG = 'X'.
      ENDIF.
    ENDLOOP.
    The above code works faster as compared to
    LOOP AT ITAB INTO WA.
      I = SY-TABIX MOD 2.
      IF I = 0.
        WA-FLAG = 'X'.
        MODIFY ITAB FROM WA.
      ENDIF.
    ENDLOOP.
    Point # 8
    LOOP AT ITAB1 INTO WA1.
      READ TABLE ITAB2 INTO WA2 WITH KEY K = WA1-K BINARY SEARCH.
      IF SY-SUBRC = 0.
        ADD: WA1-VAL1 TO WA2-VAL1,
             WA1-VAL2 TO WA2-VAL2.
        MODIFY ITAB2 FROM WA2 INDEX SY-TABIX TRANSPORTING VAL1 VAL2.
      ELSE.
        INSERT WA1 INTO ITAB2 INDEX SY-TABIX.
      ENDIF.
    ENDLOOP.
    The above code uses BINARY SEARCH for collect semantics. READ BINARY runs in O( log2(n) ) time. The above piece of code can be more optimized by
    LOOP AT ITAB1 INTO WA.
      COLLECT WA INTO ITAB2.
    ENDLOOP.
    SORT ITAB2 BY K.
    COLLECT, however, uses a hash algorithm and is therefore independent
    of the number of entries (i.e. O(1)) .
    Point # 9
    APPEND LINES OF ITAB1 TO ITAB2.
    This is more optimized as compared to
    LOOP AT ITAB1 INTO WA.
      APPEND WA TO ITAB2.
    ENDLOOP.
    Point # 10
    DELETE ADJACENT DUPLICATES FROM ITAB COMPARING K.
    This is much more optimized as compared to
    READ TABLE ITAB INDEX 1 INTO PREV_LINE.
    LOOP AT ITAB FROM 2 INTO WA.
      IF WA = PREV_LINE.
        DELETE ITAB.
      ELSE.
        PREV_LINE = WA.
      ENDIF.
    ENDLOOP.
    Point # 11
    DELETE ITAB FROM 450 TO 550.
    This is much more optimized as compared to
    DO 101 TIMES.
      DELETE ITAB INDEX 450.
    ENDDO.
    12.   Copying internal tables by using “ITAB2[ ] = ITAB1[ ]” as compared to “LOOP-APPEND-ENDLOOP”.
    13.   Specify the sort key as restrictively as possible to run the program faster.
    Point # 12
    ITAB2[] = ITAB1[].
    This is much more optimized as compared to
    REFRESH ITAB2.
    LOOP AT ITAB1 INTO WA.
      APPEND WA TO ITAB2.
    ENDLOOP.
    Point # 13
    “SORT ITAB BY K.” makes the program runs faster as compared to “SORT ITAB.”
    Internal Tables         contd…
    Hashed and Sorted tables
    1.     For single read access hashed tables are more optimized as compared to sorted tables.
    2.      For partial sequential access sorted tables are more optimized as compared to hashed tables
    Hashed And Sorted Tables
    Point # 1
    Consider the following example where HTAB is a hashed table and STAB is a sorted table
    DO 250 TIMES.
      N = 4 * SY-INDEX.
      READ TABLE HTAB INTO WA WITH TABLE KEY K = N.
      IF SY-SUBRC = 0.
      ENDIF.
    ENDDO.
    This runs faster for single read access as compared to the following same code for sorted table
    DO 250 TIMES.
      N = 4 * SY-INDEX.
      READ TABLE STAB INTO WA WITH TABLE KEY K = N.
      IF SY-SUBRC = 0.
      ENDIF.
    ENDDO.
    Point # 2
    Similarly for Partial Sequential access the STAB runs faster as compared to HTAB
    LOOP AT STAB INTO WA WHERE K = SUBKEY.
    ENDLOOP.
    This runs faster as compared to
    LOOP AT HTAB INTO WA WHERE K = SUBKEY.
    ENDLOOP.

  • Season Pass - Still active after the season is completed

    Some time ago I purchased a pass for the first season of Breaking Bad.
    After seven episodes the season was officially over.
    However, the season pass remains active (it still is).
    When I want to switch to a different iTunes store (different counry), iTunes tells me that it is not possible as long as I have active season passes.
    Is a season pass supposed to expire/end automatically after the respective season is complete?
    If it is supposed to be this way, how can I close/end my still active season pass.
    Thank in advance for the help

    Hi Girish,
    My bad, forgot to put all the required info in the post. Sorry about that.
    Database 10.2.0.2.0 - enterprise, Linux OS. I have enough SGA (64gb), PGA, undo, temp tablespace space.
    The select is a "normal" read only select that needs to read millions of blocks from data files. The main table is partitioned and the waits are on reading data from partitions. In v$session the main session and the child processes are marked as killed.
    In v$lock I see that the wait is on db read scan. Everything is working. That's actually my issue.
    Why it's still querying data/reading from disk when I killed all the sessions.
    Doesn't Oracle stop the processes associated with a killed session?
    I killed the session: alter system kill session 'sid,serial';
    Do you think "alter system disconnect session 'sid,serial' immediate" is better?
    What I don't understand is how can I stop fast (ok I get that it can not happen in a few seconds) a query that is only read only that is running for too long. When I kill a session I was expecting the processes associated with it to stop. In a update/insert/delete, the server will wait for the rollback, but this is not changing data.
    If you think more debug is necessary I will upload on Monday AWR and all the statistics I collected. I am not in the office now.
    Thanks,
    Daniel

  • Why process chain activation is taking more time?

    Hi BW Gurus,
    I am going to activate the process chain, but it takes more time to activate the process chain . What may be the reasons ?
    Regards,
    Raju

    Hi,
    Process chain activation becomes slow due to the following reasons.
    1)Large no of entities in RSPCCHAIN Table i.e, there is  lot of process chains and very large process chains.
    2)There is a missing index for the RSPCCHAIN Table.
    Solution for this problem is  we have to create an index for the following fields of the RSPCCHAIN table.
    EVENT_GREEN
    EVENT_PGREEN
    EVENT_RED
    EVENT_PRED
    Still  if you want further clarification on this , Refer the following sap notes.
    906512---Activating process chain is very slow.
    Related Notes: 872275, 872273& 872271 .
    Regards,
    Chendrasekhar

  • HT2090 hello, my eyesight issue happens occasionally, from time to time i run multiple apps that use the isight camera. when i close each app the isight camera's green light is still active. When that happens the only way to stop the isight camera is to r

    hello, my eyesight issue happens occasionally, from time to time i run multiple apps that use the isight camera. when i close each app the isight camera's green light is still active. When that happens the only way to stop the isight camera is to reboot.
    Is there a way to use activity monitor to identify and kill the process controlling the isight? My apologies in advance if this sounds windows (task manager) like.
    Thanks

    tqtclipper wrote:
    hello, my eyesight issue happens occasionally, from time to time i run multiple apps that use the isight camera...
    http://support.apple.
    com/kb/HT2411: Your camera can be used by only one application at a time.
    (Over time, Apple has changed the built-in camera's name on newer Macs from "iSight" to "FaceTime" and then to "FaceTime HD."  Regardless of the name of your Mac's built-in camera, the same info and troubleshooting applies.)
    tqtclipper wrote:
    ... Is there a way to use activity monitor to identify and kill the process controlling the isight? ...
    http://support.apple.
    com/kb/PH5147:  You can quit any process you can see in those listed in the window that opens when you use Activity Mornitor's 
         Window >
    Activity Monitor
    menu command.
    Message was edited by: EZ Jim
    Mac OSX 10.8.3

  • Session Still Active

    Hello All,
    A program is calling SM35 using call transaction method in Error mode and the batch input session is filtered based on the session name.
    But when i try to process the session in foreground, an error message "Session still active" is stopping from further process. But I am able to process this session in background.
    Please help me in solving this issue.
    Regards,
    Phani.

    Hi!
    If a session contains numerous entries, it could take a lot of time until it is finished.
    We can say processing 1 batch input entry takes 1 second. If there are 100000 entries, then it will take 100000 seconds to process.
    Because it is already running, you can't continue it online, running it again in background will do nothing, however it will not give an error message.. But you can check how many processed entries there are using the BI log.
    You can delete unwanted and corrupted BI sessions, using program RSBDCDEL.
    Regards
    Tamá

  • In the closure of Adobe, the process remains active and takes too much resource processor.   Expected results:The process AdobRd32.exe has to be correctly closed.

    In the closure of Adobe, the process remains active and takes too much resource processor.
    Expected results:The process AdobRd32.exe has to be correctly closed.

    I'm not sure on a Mac, but when I have this issue, I simply kill the thread (task-manager/processes/select the process, kill thread)
    I have had no ill effects doing this.
    It is my belief, it is the cloud, since they have a dcc connection, you can disconnect from the cloud, close everything, and the cloud is still connected to you. This is a feature of their update process I suppose.(speculation)  Additionally, I remember reading somewhere this issue was due to applying administrative permission at the instigation of the installation. (which I do allow *some* trusted companies to have this so updates can be applied during my downtime. ) 
    I have never had any overt issues after killing the thread and I have done that many times.
    Hope this helps

  • Moving Home, line still active in another name.

    I am moving home and trying to have a phone line connected. However, BT say that the phone line is still 'active' at the premises and the previous occupant will have to be contacted to have the line deactivated. Here's the rub, the previous occupant died some 3 months ago. BT refuse to have the line deactivated simply on mine or my landlords say so and that only a relative of the deceased can authorise them to deactivate. Another however, they are quite willing to 'transfer' the line to my name providing I take out a 12 month contract with them. How is this possible? If they can't deactivate the line, how are they able to transfer it to me providing if I take out a contract with them? This sounds very much like restrictive practice and I would like some advice on the matter.

    Hi chrisjpr
    BT can't just deactivate a line they can however apply for a transfer like most providers so if the line is active in someone elses name or with another provider then your order is progressed as a working line takeover ,BT or whatever provider you choose to go with will attempt to take over and notify the occupier if any and if after 11-14 days they don't reply the line is taken over into your name,this is standard process so not BTs fault,if the person is deceased BT can't just take a 3rd partys word for it unless a authorized person acting onbehalf of the account holder calls to notify BT to advise of the deceased and request the line be ceased,they have to go down the proper channels and allow the lead time set by the regulator that said it is unfortunate that the person is deceased but your 11-14 day lead time for having a line active/transfered in your name is nothing in comparison to the previous occupant being deceased,puts things in prospective I say,bite the bullet my friend and wait
    Inherent omniscience - the ability to know anything that one chooses to know and can be known

  • 'logger' process in activity monitor

    Hi all,
    I noticed a process running in activity monitor called 'logger' (just that). It seems to be part of the root user but i can't identify what it's connected to. Spotlight can't find it anywhere either. I've searched around on Google to see if there's any mention of it, but all i get are details of key logger software.
    Naturally i'm a bit concerned by this process, especially because i haven't (voluntarily) installed any logging software on my machine.
    It always seems to run at process ID 141, takes up 380KB of real memory, and 26.63 MB of virtual memory. no idea how long it's been there though. i've never seen it take up any CPU, but not sure if that means anything.
    Any ideas what it might be? and if it's malicious, how might i go about getting rid of it?

    blagga wrote:
    In /Library/StartupItems, I have a folder for the M-Audio soundcard, 3 folders that I think relate to the Maxtor external drive, and then finally a folder called RetroRun. LaunchDaemons and LaunchAgents are both empty.
    It could be one of these. If you're worried, you can search the files here for the term "logger" and see if any of these are using it. However, they might be using it even if you turn up nothing here as they might start an application elsewhere which calls it. You can either search the files using something like grep in the Terminal or open them in a text editor and use find.
    The other way to find out would be to temporarily remove these, restart and see if the process still appears - if not, likely one of these is the culprit.
    Incidentally, there are 16 whole folders things in /System/Library/StartupItems, as well as 33 'plist' files in /System/Library/LaunchDaemons.
    I have 16 and 37 respectively!
    - cfr

  • Transfer requirement items to be processed still exist. message no. L3 449

    Hi gurus
         i have the error during saving the Partial TO , error like "Transfer requirement items to be processed still exist.
        message no. L3   449 ". kindly suggest me , where i made mistake
    with regards
    DINESH KUMAR

    Hi JURGEN,
       whatever you told ,I followed and Activated partial picking for shipping.... but that is for SD module transaction.. i talking about Partial transfer order of goods issue against production order....
    If you have  difficult to understand my queries means, kindly send me your personal mail id. i will the screen shots to your mail id.
    THANKS YOU FOR UR SUPPORT
    With Regards
    DINESH
    Edited by: code acess on Dec 15, 2011 5:27 AM
    Edited by: code acess on Dec 15, 2011 5:47 AM
    Edited by: code acess on Dec 15, 2011 6:12 AM

  • FTP Displays as Disabled via Server Admin, but FTP still active via tnftpd

    Server Admin (v 10.5.3) displays that the FTP service on our box is inactive.
    However, FTP access to the server is still active. When I FTP via command line, I'm informed that tnftpd has allowed me to connect via FTP.
    I'd like to have OS X's built in FTP services disabled so that I can use SFTP only via CrushFTP.
    I can't figure out how to disable/block tnftpd. Any suggestions?
    I tried adding a "nologin" file to /etc, but this ended up causing every shell session to error out with a "access not allowed" error.

    The process was still loaded in launchd, so we just unloaded and that appears to have killed it for good.
    Weird, but that would explain it. I'm just not sure if there's a launchdaemon that would need to be removed to keep it from starting up after a reboot.
    -Doug

  • Help,"InsertTextData changed while command still active" Error

    I try to use the command kCreatePageFromPageCmdBoss.
    The case is, open a document with one page, and add some text frame to the page, then use the command to copy this new created page 100 times.
    code:
    for( int i=0; i<times;i++)
    InterfacePtr<ICommand> iCreatePageFromPageCmd(CmdUtils::CreateCommand(kCreatePageFromPageCmdBoss));
    if (iCreatePageFromPageCmd == nil){
    ASSERT(iCreatePageFromPageCmd);
    break;
    iCreatePageFromPageCmd->SetItemList(pageUIDList);
    InterfacePtr<ILayoutCmdData> iLayoutCmdData(iCreatePageFromPageCmd,UseDefaultIID());
    if (iLayoutCmdData == nil){
    ASSERT(iLayoutCmdData);
    break;
    // it is valid to set the layout control data parameter to nil, there are times when there is no view.
    iLayoutCmdData->Set(::GetUIDRef(iNewDocument),nil);
    // process the command
    status = CmdUtils::ProcessCommand(iCreatePageFromPageCmd);
    It is troublesome that I always get the error message:"InsertTextData changed while command still active" when I debug my plugin in the indsign, what shall I do?anyone knows?

    In my opinion,you can get the ILayoutControlData before the loop,
    for example:
    InterfacePtr<ILayoutControlData> iLayoutControlData(Utils<ILayoutUIUtils>()->QueryFrontLayoutData());
    or:
    InterfacePtr<ILayoutControlData> iLayoutControlData(Utils<ILayoutUIUtils>()->QueryLayoutData(IPMUnknown* inWindow));
    After you get the ILayoutControlData, you can specify it in loop
    as follows:
    for(int32 i=0;i<times;i++)
    iLayoutCmdData->Set(::GetUIDRef(iNewDocument),iLayoutControlData);
    Please try it,and tell me the result,thank you!
    hawkrococo

  • New RAT Shows 'Snake' Campaign Still Active

    New RAT Shows 'Snake' Campaign Still Active: Researchers....
    After analyzing the new threat, which they have dubbed "ComRAT,"
    In version 3.26, the author changed the key and remove the known file name
    This action can be an indication for the developer’s effort to hide this connection
    ComRAT is more complex and cleverer. The malware is loaded into each and every process of the infected machine and the main part (payload) of the malware is only executed in explorer.exe. Furthermore, the C&C communication
    blends into the usual browser traffic and the malware communicates to the browser by named pipe. It is by far a more complex userland design than Agent.BTZ.
    MD5:
    0ae421691579ff6b27f65f49e79e88f6    (dropper v3.26)
    255118ac14a9e66124f7110acd16f2cd    (lib1 v3.26)
    b407b6e5b4046da226d6e189a67f62ca    (lib2, v3.26)
    8ebf7f768d7214f99905c99b6f8242dc    (dropper, unknown version)
    9d481769de63789d571805009cbf709a    (dropper, unknown version)
    83a48760e92bf30961b4a943d3095b0a    (lib 64-Bit, unknown version)
    ea23d67e41d1f0a7f7e7a8b59e7cb60f    (lib 64-Bit; unknown version)
    Command and control
    weather-online.hopto.org
    webonline.mefound.com
    sportacademy.my03.com
    easport-news.publicvm.com
    new-book.linkpc.net
    Questions :
    We have analyzed all the MD5 values, but Microsoft FEP doesn’t have signature to Detect this Variant(but other AV vendors have detected this Variant).
    So we need to know, when Microsoft will come with updated signature to detect this new variant??
    Sample :
    https://www.virustotal.com/en-gb/file/a89f27758bb6e207477f92527b2174090012e2ac23dfc44cdf6effd539c15ada/analysis/
    Complete report of this malware below :
    https://blog.gdatasoftware.com/blog/article/the-uroburos-case-new-sophisticated-rat-identified.html.

    I checked the address of virustotal and it indicated that Microsoft will detect it as
    Backdoor:Win32/Turla.Q , when look into details of this malware in Microsoft Malware Protection Center:
    http://www.microsoft.com/security/portal/threat/encyclopedia/entry.aspx?Name=Backdoor%3aWin32%2fTurla.Q
    It is known from Nov 13, 2014 and later on. So FEP should be able to detect it.
    However, if you still believe there is a sample of this malware or any other malware which won't detect by FEP or any other Microsoft Anti-Malware products, you could submit sample to Microsoft Malware Protection Center:
    https://www.microsoft.com/security/portal/submission/submit.aspx
           

Maybe you are looking for

  • Query if-then-else logic with calculation

    Hello, I want to calculate within a BEX-formula. I have two key-figures: - Quantity - Value The logic should be like this: IF Value > 0 THEN Value / Quantity ELSE 0 ( / means: divided) How can I reach this? The URL http://help.sap.com/saphelp_nw70ehp

  • ADF BC / Why bind variables are mandatory in the sql query

    I got this error during view object excecution in the component browser : (oracle.jbo.SQLStmtException) JBO-27122: Erreur SQL lors de la préparation d'une instruction. Instruction : SELECT * FROM (Select distinct(socialgroup.socialgroup_i) from socia

  • Missing "clear cahe" button in Tools menu. How to fix this?

    In the Tools menu, I have only "Clear Recent History" button, but there is no "Clear Cache" button, so I cant delete temporary internet files.

  • Lightroom 5 not Showing in Application Manager - Still downloads 4.4

    Lightroom is showing 'Up to Date' in my Application Manager even though I have a full Creative Cloud subscription.  Have downloaded and installed other programs (apps) without a problem.  Just not showing the LR update to 5. How do I get LR 5?

  • What elements does Itunes not sync

    I have a phone which was not attached to my PC. I would like to attach it to my PC now but I would like to know what will be lost. I.E.  will I be able to keep the text messages that have been stored on it? Rob