Auto closure of threads

why cant the threads be auto closed in a stipulated time and is it possible to add a priority field in the threads ...though i know most of us will mark our thread as high priority....
many of the thread remain un closed as the user post them and never use there ID again to post new thread probably they create a new id for it

why cant the threads be auto closed in a stipulated time and is it possible to add a priority field in the threads ...though i know most of us will mark our thread as high priority....
many of the thread remain un closed as the user post them and never use there ID again to post new thread probably they create a new id for it

Similar Messages

  • PR and P.O auto closure  (MM)

    Dear all
    In my organization, A lot of PRs are raised by the uses and manual closure of them is a very
    time consuming task. We need to make a module which can close PRs and POs
    automatically/ This program can be scheduled on Saturday or Sunday night.thru SM36
    Criteria for closure is as follows:
    1. PRs which are not approved and PR date is prior to 30 days
    2. PRs which are approved and PO not made even after 90 days
    3. POs dated prior to 180 days and no goods are received.
    so, how can i plan for it.. and what are the right way to do this???
    regards
    sumit

    Hi,
    You can do this in two way. If you have identified list of POs then using Mass maintianance functionality or you can have a program developed which can be scheduled.
    Thanks
    Bhargavi.

  • Auto Closure of the PR once the PO is made

    Hi !Friends ,
    My requirement is such that once the PO is made reference to that  PR it should get closed (tick mark on the closed box in Item detail)
    Do we have any user exit or Badi for this , if so kindly share them.
    Thanks in advance

    Hi,
    There is no standard functionality which you want. Only thing is you can make once the PO is created for the mentioned PR qty, then system should not allow to create another PO with ref to that PR.
    We too tried previously but could'nt do it.
    regds,
    CB

  • PO Auto closure

    Is there any Standard Program available to close the PO progamatically, where
    Del complete indicator = yes
    Final Invoice Indicator = Yes
    Thanks in advance

    Hi
    If delivery completed indicator and Final invoice indicator are flagged then sytem assumes that PO is closed.  No standard program available to update them manually , you can createa custom program
    Thanks & Regards
    Kishore

  • Auto closure of Interaction Record

    Hi,
    How do I configure in the SAP CRM 7.0 system to automatically close Interaction Records that are linked to a Service Request when the Service Request is closed?

    Hi,
    as far as i know there is no configuration for this but you could acchiev this with development.
    There are several ways. One way is to check the SRQ status in BADI ORDER_SAVE.
    If the status is closed use Function module CRM_STATUS_CHANGE_EXTERN (system status) or CRM_STATUS_CHANGE_INTERN (user status) to close the interaction record.
    Kind regards
    Manfred

  • Multi-threaded performance server using 2 ports to two-way communication

    Hi, I'm new in the forums so welcome everyone. I'm developing now an online computer game based on orginal Polish board-game, but it doesn't mean. Important is that I need to develope a high-performance multi-threaded server, which can serve... let's say few hundres of games, and a thousend of players simulateously. My server works on two ports/sockets.
    First one is represented by "ServerSocketChannel clientConSsc" in my code. The main thread in my server class which invokes the method "run()" (which You can see below), registers clientConSsc with Selector and then repeatingly accepts incoming connections from clients on this socket. When connection(channel) is estabilished and clients wants to write some request to this channel, the main thread on server creates a new instance of class "RequestHandler" which extends Thread and handles this request (reads the request from channel, makes some changes on server, spreads some new messages to other clients in the same game and so on... everything on the same socket/port/channel). Then the channel/connection is closed by the server - I call such connections: "a short connections". In the same time the main thread continues the loop and is still able to accept connections from another players. That's the idea of multi-threaded server, right? :) And to this point, everything works fine, but... what if the server wants to trigger some new command, write new information to client?
    Server could have tried to open a SocketChannel to client's IP address, but then the client programme would have to create and ServerSocketChannel object, bind it to some InetAddress and then... and then client becomes a server! - that breaks the idea of client-server cooperation and demands on players of my game to have routed some port on their machines. To resolve this problem I made some sort of "system" which, when some player/client is logging into my server, accepts second (this time constant, not "short") connection on the second port I mentoined on the beginning. This connection is held in variable "SocketChannel serverCon" of class "Player" - which reflects a player logged onto server. Server maintains every such connection till the client logs off. After the connection is accepted, the player whom connection it was is added to collection called "playersToRegisterToWrite". After the Selector.selectNow() is invoked (as You can see in the code below), each and every player's connection is registered in selector (with selection key - OP_WRITE and attachment pointing on owning player). In the same time client's code is trying to read some bytes from this connection and blocks on it until some bytes are written to this connection. When server wants to "tell" something to client, deliver some message/command, it creates a new instance of class which extends an abstract class called "ServerAction" (another new thread) and adds it to collection "actionsToDo". In ServerAction's method "run()" there are whole code to interact with client (e.g. send an update of players' list, an update of games' list, a chat message). Finnaly when Selector informs the server that some connection is writable (some client is waiting for commands), then server checks if there's any "actionToDo" involving this client/player. If there is, it unregisters the connection from Selector (so no other ServerAction (thread) can write on this connection) and starts the action. At the end of every "run()" method of subclass of ServerAction there's a code, which again adds the player to collection "playersToRegisterToWrite", so the player's connection can again be registered in Selector and the player can again receive informations from server - after it consumed THIS "ServerAction".
    It looks to me like it should be working fine, but it's not. When I test my server and clients on the same machine (no ping/latency) everything seems to be working fine. But when it comes to play my game with somebody even on LAN or through the Internet there comes the problems. My first socket I describe (and first type of connections - short connections) works perfectly fine, so the requests triggered by client are delivered and handled properly. But the second socket is cirppling. For example: the server triggers a command refering to an update of clients logged to server' list. It is triggered by Selector so the client should be ready to read data from server, so the server sends data! And the client never receives it... Why?
    It experimented a whole lot of time on SocketChannel's method "configureBlocking(boolean)", but it never helps. I think the client should always block it's listening thread on connection, contratry to server which is ment to be fast, so it should send the data through non-blocking channels. Am I right? Are there any rules refering blocking configuration of SocketChannels?
    I will be grateful for every answer. To help You out I attach also drafts from run()'s methods of my classes.
    Server's main method - main thread :
        public void run() {
           try {
                selector = Selector.open();
                clientConSsc.configureBlocking(false);
                clientConSsc.register(selector , SelectionKey.OP_ACCEPT);
                while(serverRunning) {
                    try {
                        selector.selectNow();
                        Iterator it;
                        synchronized(playersToRegisterToWrite) {
                            it = playersToRegisterToWrite.iterator();
                            while(it.hasNext()) {
                                Player player = (Player)it.next();
                                it.remove();
                                player.serverCon.configureBlocking(false);
                                player.serverCon.register(selector , SelectionKey.OP_WRITE , player);
                        Set keys = selector.selectedKeys() {
                        it = keys.iterator();
                        while(it.hasNext()) {
                            SelectionKey key = (SelectionKey)it.next();
                            if(key.isAcceptable()) {
                                it.remove();
                                clientCon = clientConSsc.accept();
                                clientCon.configureBlocking(false);
                                clientCon.register(selector , SelectionKey.OP_READ);
                                continue;
                            if(key.isReadable()) {
                                it.remove();
                                key.cancel();
                                new RequestHandler(this , (SocketChannel)key.channel()).start();
                                continue;
                            if(key.isWritable()) {
                                if(key.attachment() != null ) {
                                    ServerAction action = null;
                                    synchronized(actionsToDo) {
                                        Iterator aIt = actionsToDo.iterator();
                                        while(aIt.hasNext()) {
                                            ServerAction temp = (ServerAction)aIt.next();
                                            if(temp.getPlayer().equals((Player)key.attachment())) {
                                                action = temp;
                                                aIt.remove();
                                                break;
                                    if(action != null) {
                                        key.channel().configureBlocking(false);
                                        it.remove();
                                        key.cancel();
                                        action.start();
                                continue;
                    } catch(Exception e) {
                        statusArea.append(e.toString() + "\n");
                        e.printStackTrace();
                        continue;
            } catch(ClosedChannelException e) {
                statusArea.append(e.toString() + "\n");
            } catch(IOException e) {
                statusArea.append(e.toString() + "\n");
                A part of server's RequestHandler's class' method run() - the method which handles requests triggered by client on first port:
    public void run() {
            boolean served = false;
                try {
                    channel.configureBlocking(true);
                    retryCount++;
                    retry = false;
                    String command = ns.readText(channel).trim();
                    ns.statusArea.append("ktos przesyla komende: " + command + "\n");
                    if(command != null && !command.equals("ERROR")) {
                        String[] cmd = command.split("�");
                        ns.statusArea.append("komenda: " + cmd[0] + "\n");
                        if(cmd[0].equals("CHAT")) {
                            if(cmd.length != 5) {
                                retry();
                            } else {
                                if(cmd[2].equals("NOGAME")) {      // jezeli nie ma okreslonej gry czyli rozsylamy do wszystkich
                                    for(int i = 0 ; i < ns.loggedPlayersListItems.size() ; i++) {
                                        Player current = (Player)ns.loggedPlayersListItems.get(i);
                                        if(current.state == Player.CHOOSING && !current.equals(new Player(Integer.parseInt(cmd[1]))))   // jezeli gracz jest w okienku wybierania gry to wysylamy mu broadcast
                                            ns.actionsToDo.add(new SendMsg(ns , current , "CHAT�" + cmd[1] + "�" + cmd[3] + "�" + cmd[4]));
                                } else {
                                    Game game = (Game)ns.gamesListItems.get(ns.gamesListItems.indexOf(new Game(Integer.parseInt(cmd[2]))));
                                    for(int i = 0 ; i < game.players.size() ; i++) {
                                        Player current = (Player)game.players.get(i);
                                        if(!current.equals(new Player(Integer.parseInt(cmd[1]))))
                                            ns.actionsToDo.add(new SendMsg(ns , current , "CHAT�" + cmd[1] + "�" + cmd[3] + "�" + cmd[4]));
                                served = true;
                        } else if(cmd[0].equals("GETGAMEINFO")) {
                            if(cmd.length != 3)
                                retry();
                            else {
                                int gameID = Integer.parseInt(cmd[2]);
                                ns.statusArea.append("poproszono o informacje o grze nr: " + gameID + "\n");
                                Game checkedGame = new Game(gameID);
                                if(ns.gamesListItems.contains(checkedGame)) {
                                    Game game = (Game)ns.gamesListItems.get(ns.gamesListItems.indexOf(checkedGame));
                                    channel.configureBlocking(true);
                                    ObjectOutputStream oos = new ObjectOutputStream(channel.socket().getOutputStream());
                                    oos.writeObject(game);
                                    oos.writeObject(game.players);
                                    oos.flush();
                                    ns.statusArea.append("wyslano informacje o grze nr: " + gameID + "\n");
                                } else {
                                    ns.statusArea.append("brak gry o nr: " + gameID + "\n");
                                served = true;
                } catch(IOException e) {
                    e.printStackTrace();
            if(!served) {
                ns.findAndDisconnectPlayer(channel);
            try {
                channel.close();
            } catch(IOException e) {
                e.printStackTrace();
        }An example of ServerAction's subclass - the class which triggers server commands to client on second port:
    class UpdateLoggedPlayersList extends ServerAction {
        public UpdateLoggedPlayersList(NeuroServer ns , Player player) {
            super(ns , player);
        public void run() {
            try {
                serverCon.configureBlocking(true);
                ns.sendText("UPDATELOGGEDPLAYERSLIST" , serverCon);
                if(ns.readText(serverCon).equals("OK")) {
                    ObjectOutputStream oos = new ObjectOutputStream(serverCon.socket().getOutputStream());
                    oos.writeObject(ns.loggedPlayersListItems);
                    oos.flush();
                synchronized(ns.playersToRegisterToWrite) {
                     ns.playersToRegisterToWrite.add(player);
            } catch(IOException e) {
                e.printStackTrace();
    }A part of client's CmdHandler's class' method run() - the method which handles commands triggered by server:
    public void run() {
        try {
            while(works) {
                String command = nc.readText(nc.serverCon);
                System.out.println("Server przesyla komende: " + command + "\n");
                String[] cmd = command.split("�");
                if(cmd[0] != null && !cmd[0].equals("ERROR")) {
                    if(cmd[0].equals("CHAT")) {
                        if(nc.chooseGameDialog != null && nc.chooseGameDialog.isVisible()) {     // jezeli na wybieraniu gry
                            newChatEntry(cmd[2] , null , cmd[3] , nc.chooseGameDialog.chatPane);
                        } else if(nc.readyDialog != null && nc.readyDialog.isVisible()) {  // jesli na przygotowywaniu
                            Player sender = (Player)nc.actGame.players.get(nc.actGame.players.indexOf(new Player(Integer.parseInt(cmd[1]))));
                            newChatEntry(cmd[2] , sender.fraction , cmd[3] , nc.readyDialog.chatPane);
                        } else if(nc.ng != null) {                   // jesli w grze
                            Player sender = (Player)nc.actGame.players.get(nc.actGame.players.indexOf(new Player(Integer.parseInt(cmd[1]))));
                            newChatEntry(cmd[2] , sender.fraction , cmd[3] , nc.ng.inGameChatPane);
                    } else if(cmd[0].equals("UPDATELOGGEDPLAYERSLIST")) {
                        nc.sendText("OK" , nc.serverCon , false);
                        nc.serverCon.configureBlocking(true);
                        ObjectInputStream ois = new ObjectInputStream(nc.serverCon.socket().getInputStream());
                        DefaultListModel players = (DefaultListModel)ois.readObject();
                        nc.chooseGameDialog.updateLoggedPlayersList(players);
        } catch(IndexOutOfBoundsException e) {
            System.out.println(e);
        } catch(IOException e) {
            System.out.println(e);
        } catch(ClassNotFoundException e) {
            System.out.println(e);
    }And two methods I used in codes above: sendText(String text , SocketChannel sc) and readText(SocketChannel sc) - they are my "utility" methods, which I use to send and receive Strings through specified SocketChannels.
    boolean sendText(String text , SocketChannel sc) {
        ByteBuffer bbuf = ByteBuffer.allocate(BSIZE);
        boolean sendRetry;
        boolean sent = false;
        do {
            sendRetry = false;
            try {
                StringBuffer cmd = new StringBuffer();
                cmd.setLength(0);
                if(text.length()+4 < 100)
                    cmd.append("0");
                if(text.length()+4 < 10)
                    cmd.append("0");
                cmd.append(Integer.toString(text.length()+4) + "�");
                cmd.append(text);
                cmd.append("\n");
                bbuf = charset.encode(CharBuffer.wrap(cmd));
                sc.write(bbuf);
                bbuf.clear();
                int n = sc.read(bbuf);
                if(n == 1) {
                    bbuf.flip();
                    Byte re = bbuf.get();
                    if(re == 1) {
                        sendRetry = true;
                    } else {
                        sent = true;
            } catch(Exception e) {
                findAndDisconnectPlayer(sc);
                try {
                    sc.close();
                } catch(IOException f) {
                    f.printStackTrace();
                return false;
        } while(!sent && sendRetry);
        return true;
    String readText(SocketChannel sc) {
        ByteBuffer bbuf = ByteBuffer.allocate(BSIZE);
        int readRetryCount = -1;
        boolean readRetry;
        do {
            readRetry = false;
            readRetryCount++;
            StringBuffer cmd = new StringBuffer();
            cmd.setLength(0);
            bbuf.clear();
            try {
                readLoop:
                while(true) {
                    int n = sc.read(bbuf);
                    if(n > 0) {
                        bbuf.flip();
                        CharBuffer cbuf = charset.decode(bbuf);
                        while(cbuf.hasRemaining()) {
                            char c = cbuf.get();
                            if(c == '\r' || c == '\n') break readLoop;
                            cmd.append(c);
                    } else break;
                statusArea.append(Thread.currentThread().getId() + " readText() odczytuje: " + cmd.toString() + "\n");
                if(cmd.length() < 3 || Integer.parseInt(cmd.substring(0 , 3)) != cmd.length()) {
                    sc.write(ByteBuffer.wrap(new byte[] {1}));
                    readRetry = true;
                } else {
                    sc.write(ByteBuffer.wrap(new byte[] {0}));    // length OK
                    return cmd.toString().substring(4 , cmd.toString().length());
            } catch(Exception e) {
                findAndDisconnectPlayer(sc);
                try {
                    sc.close();
                } catch(IOException f) {
                    f.printStackTrace();
                return "ERROR";
        } while(readRetry && readRetryCount < 3);
        findAndDisconnectPlayer(sc);
        try {
            sc.close();
        } catch(IOException e) {
            e.printStackTrace();
        return "ERROR";
    }Edited by: Kakalec on Jul 23, 2008 11:04 AM

    You seem to be using a horrendous mixture of PrintWriters, BufferedReaders, ObjectOutputStreams, and no doubt ObjectInputStreams. You can't do that.
    Some rules about this:
    (a) Whenever you use a stream or reader or writer on a socket, you must allocate it once for the life of the socket, not every time you want to do an I/O.
    There are many reasons for this including losing buffered data in the old stream and auto-closure of the socket on garbage-collection of the old stream.
    (b) You can't mix stream types on the same socket. (i) If you're writing objects, use an ObjectOutputStream, you must read with an ObjectInputStream, and you can't read or write anything that isn't supported by the API of ObjectOutputStream. (ii) If you're writing lines, use a BufferedWriter and a BufferedReader at the other end. If you're writing characters, use a Writer and a Reader. (iii) If you're writing primitive data or UTF strings, use a DataOutputStream and a DataInputStream. (iv) If you're writing bytes, use DataOutputStream and a DataInputStream or an OutputStream and an InputStream. You can't mix (i), (ii), (iii), and (iv).
    (c) Don't use PrintWriter or PrintStream over the network. They swallow exceptions that you need to know about. They are for writing to the console, or log files, where you don't really care about exceptions.
    (d) Call flush() before reading.
    (e) Always close the 'outermost' output stream or writer of a socket, never the input stream or the socket itself. Closing any of these closes the socket and therefore makes the other stream unusable, but only closing the output stream/writer will flush it.

  • Can't the old threads closed automatically?

    Hi,
    I am just thinking why can't the old threads closed automatically?
    There are lot of old threads which might got resolved OR might not have proper responses, appearing in every forum.
    If we have a functionality which close the thread with a tag "Expired" after 5 days (from the query raised date), that can help all of the volunteers.
    I do not see any benefit in keeping those threads active!
    Regards,
    Nick Loy

    If you work in a bigger company, then 5 days are almost nothing.
    SAP has such a nice CHarm process to make the environment secure, that means you cant even start developing something without having an approved change request. Not to talk about testing.
    Of course there are discussions which can be be closed immediately, others need weeks, some months.  I still get some helpful and correct answer points from answers I had given years ago.
    Without the "automatic" closure, you actually have evidence if the user takes care about his stuff or not, the auto closure makes this unresponsive user just look equal to someone who cares. Even more bad.  There is no real filter function in SCN to search only for answered questions, and you would miss a lot answered discussions which are not techncially marked answered.
    I actually had some spare time last weekend, and I reviewed ANY discussions posted between May 15 and May 30 in the MM forum having an answer and have not been closed  . I wrote a single direct message and included all OPs into the distribution list:
    You posted a question in SCN MM forum in last week of May. This question is still open despite of many answers. Is the issue really open and you don't follow up on it? If not open then please close your discussion. If you found the solution yourself, then share it. Check out the blog post 'How to close a discussion and why' in SCN.
    Yes I had some good responses to the direct message. Yes some of them have closed their discussion from May, quite a few posted a solution. Some do not understand at all what "correct answer" actually means and marked their own "thank you" as correct answer. And some others which are already known as careless did neither respond nor close any of their discussions, they are just going on and posting the next question.

  • Server stops when loading WPSD.NLM

    i found a strange behaviour of my NW&%SP8-VM.
    after reinstalling nmas the server stops loading when WPSD.NLM is called.
    the server does not abend or freeze ! :-)
    i can connect via rconj but not via nrm or netware client.
    i changed to hte logger screen and saved it to c:\nweserver :
    <F1> for Help-----------Top Of Screen Lines Lost: 0
    Initialize Keyboard
    Initialize Debugger
    Initialize Polling Keyboard
    System Memory
    Loading module XLDR.NLM
    Loading module PVER500.NLM
    Loading module LIBC.NLM from startup device
    Portions copyright (c) 1980, 1982, 1983, 1986, 1990, 1993 by the
    Regents
    of the University of California (Free BSD) and (c) 1997, 1998 by the
    NetBSD
    Foundation, Inc.
    Loading module FATFS.NLM from startup device
    Checking local drives
    ALERT: NetWare needs to check one or more drives for consistency. This
    becomes
    necessary when NetWare is not downed correctly (ie: from an abend, hang
    or
    quitting from the context of the internal debugger.)
    NetWare is now checking the C: volume for file system errors...
    Volume NWLOCALVOL created Aug-16-2007 17:3
    Volume Serial Number is BDDD-3062
    517,890,048 bytes total disk space.
    65,536 bytes in 2 hidden files.
    409,600 bytes in 46 directories.
    143,491,072 bytes in 2013 user files.
    373,923,840 bytes available on disk.
    8,192 bytes in allocation unit.
    63,219 total allocation units on disk.
    45,645 available allocation units on disk.
    VERIFIED OK
    Loading module TBX.NLM from startup device
    Loading module CDBE.NLM from startup device
    Initializing NetWare Configuration Database
    Running CDBE consistency check on the NetWare Configuration File
    (C:\NWSERVER).
    Validating CDBE Local Registry File...
    ++++++++++++++++++++++++++++++++++++++++++++++++++ ++++++++++++++++++++++++++++++
    ++++++++++++++++++++++++++++++++++++++
    CDBE consistency check completed successfully.
    NetWare Configuration file is located at C:\NWSERVER
    Building CDBE Local cache...
    Parsing the NetWare Configuration File [v6.1]
    Refreshing the NetWare Environment from the NetWare Configuration File.
    Initializing NetWare Environment
    The NetWare Environment has been updated successfully.
    Initialize Swap File
    Add Default Swap Info
    Processing LCONFIG.SYS file.
    LCONFIG.SYS file exists, overriding default locale values
    Process Startup File [Pass 1]
    System Cache
    Loading module NWKCFG.NLM from startup device
    NetWare Kernel Load Template v63.8 rev. 0.
    NetWare Kernel Load Template being verified.
    NetWare Kernel Load Template verification successful.
    Processing stage 0 loading of nlms.
    To Enable Splash Screen, reload server using command line option -L
    Processor 0 Speed
    NW Server v5.70+ detected
    Default options:
    Floppy drive is present.
    Floppy drive is present.
    Module ACPIDRV.PSM load status OK
    Auto-Loading Module ACPICA.NLM
    Auto-loading module ACPICA.NLM
    ACPI Component Architecture for ACPI compliant systems
    Version 1.05.16 16 January 2007
    Copyright (C) 2000-2007 Novell, Inc. All Rights Reserved.
    Auto-Loading Module ACPIASL.NLM
    Auto-loading module ACPIASL.NLM
    ACPI Architecture Services Layer for ACPI compliant systems
    Version 1.05.16 16 January 2007
    Copyright (C) 2003-2007 Novell, Inc. All Rights Reserved.
    Module ACPIASL.NLM load status OK
    Module ACPICA.NLM load status OK
    Module SCSIHD.CDM load status OK
    Module IDECD.CDM load status OK
    Module IDEATA.HAM load status OK
    Module LSIMPTNW.HAM load status OK
    Module KEYB.NLM load status OK
    Module CHARSET.NLM load status OK
    Loading module ACPIDRV.PSM
    ACPI Platform Support Module for ACPI compliant systems
    Version 1.05.19 16 January 2007
    Copyright (C) 1987-2007 Novell, Inc. All Rights Reserved.
    ACPI: RSDP @ 0xF6C70/0x0014 (v000 PTLTD )
    ACPI: RSDT @ 0x2FEFAB74/0x0030 (v001 PTLTD RSDT 0x06040000 LTP
    0x00000000)
    ACPI: FACP @ 0x2FEFEF14/0x0074 (v001 INTEL 440BX 0x06040000 PTL
    0x000F4240)
    ACPI: DSDT @ 0x2FEFABA4/0x4370 (v001 PTLTD Custom 0x06040000 MSFT
    0x0100000D)
    ACPI: FACS @ 0x2FEFFFC0/0x0040
    ACPI: APIC @ 0x2FEFEF88/0x0050 (v001 PTLTD APIC 0x06040000 LTP
    0x000000
    00)
    ACPI: BOOT @ 0x2FEFEFD8/0x0028 (v001 PTLTD $SBFTBL$ 0x06040000 LTP
    0x00000001)
    Parsing all Control Methods:
    Table [DSDT](id 0001) - 328 Objects with 31 Devices 84 Methods 9 Regions
    tbxface-0619 [13] TbLoadNamespace : ACPI Tables successfully
    acquired
    evxfevnt-0176 [13] Enable : Transition to ACPI mode
    successful
    evgpeblk-1108 [15] EvCreateGpeBlock : GPE 00 to 0F [_GPE] 2 regs on
    int 0x9
    evgpeblk-1208 [15] EvInitializeGpeBlock : Found 1 Wake, Enabled 1
    Runtime GPEs
    in this block
    Completing Region/Field/Buffer/Package
    initialization:..........................
    Initialized 9/9 Regions 0/0 Fields 26/26 Buffers 21/22 Packages (337
    nodes)
    Initializing Device/Processor/Thermal objects by executing _INI
    methods:.
    Executed 1 _INI methods requiring 0 _STA executions (examined 37
    objects)
    Module ACPIDRV.PSM load status OK
    Loading module SCSIHD.CDM
    Novell NetWare SCSI Fixed Disk Custom Device Module
    Version 3.03.10 30 May 2008
    Copyright (c) 1995-2008 Novell, Inc. All Rights Reserved.
    Module SCSIHD.CDM load status OK
    Loading module IDECD.CDM
    Novell ATA/IDE CD/DVD Custom Device Module
    Version 4.13 4 April 2007
    Copyright (C) 1994-2007, Novell, Inc. All rights reserved.
    Module IDECD.CDM load status OK
    Loading module IDEATA.HAM
    Novell IDE/ATA/ATAPI/SATA Host Adapter Module
    Version 4.34 5 May 2007
    Copyright (C) 1989-2007, Novell, Inc. All rights reserved.
    Module IDEATA.HAM load status OK
    Loading module LSIMPTNW.HAM
    LSI Corporation Common Architecture NWPA-HAM SAS/Fibre/SCSI Driver.
    Version 5.02 5 December 2007
    Copyright (c) 2000-2007 LSI Corporation. All rights reserved.
    Module LSIMPTNW.HAM load status OK
    Loading module KEYB.NLM
    NetWare National Keyboard Support
    Version 2.10 26 July 2001
    Copyright 2001 Novell, Inc. All rights reserved.
    (LsiMptNw-SAS/Fibre/SCSI) Device List:
    HBA ID LUN VENDOR PRODUCT REV SYNC WIDE QTAG IR P
    SCAN
    2 0 0 VMware Virtual disk 1.0 F40 W16 Yes Y
    New
    2 1 0 VMware Virtual disk 1.0 F40 W16 Yes Y
    New
    2 2 0 VMware Virtual disk 1.0 F40 W16 Yes Y
    New
    2 7 LSI Corpo LSI_53C1030 1 F160 W16
    New
    Keyboard support for Germany, code page 850 loaded
    Module KEYB.NLM load status OK
    Loading module CHARSET.NLM
    Display Character Set Support For NetWare
    Version 1.01 4 June 2003
    Copyright 2003, Novell, Inc. All Rights Reserved.
    Module CHARSET.NLM load status OK
    <SCSIHD>READCAPACITY SUCCEEDED FOR DEVICE 3
    <SCSIHD>CAPACITY=0x9FFFFF sectors * 200
    <SCSIHD>READCAPACITY SUCCEEDED FOR DEVICE 5
    <SCSIHD>CAPACITY=0x9FFFFF sectors * 200
    <SCSIHD>READCAPACITY SUCCEEDED FOR DEVICE 7
    <SCSIHD>CAPACITY=0x7FFFFF sectors * 200
    Total server memory: 785.982 Kilobytes
    Novell Open Enterprise Server, NetWare 6.5
    Support Pack Revision 08
    (C) Copyright 1983-2008 Novell Inc. All Rights Reserved. Patent Pending.
    Server Version 5.70.08 October 3, 2008
    Friday, 3 July 2009 19.36.36 <<NO TIME ZONE>>
    Loading module ACPICMGR.NLM
    ACPI Component Manager for ACPI compliant systems
    Version 1.05.16 16 January 2007
    Copyright (C) 2003-2007 Novell, Inc. All Rights Reserved.
    Module ACPICMGR.NLM load status OK
    Loading module ACPIPWR.NLM
    ACPI Power Management Driver for ACPI compliant systems
    Version 1.05.16 16 January 2007
    Copyright (C) 2003-2007 Novell, Inc. All Rights Reserved.
    Module ACPIPWR.NLM load status OK
    NOTE: The NLM "CONNMGR.NLM" has modified event 154 properties
    (1:0:0)<SCSIHD>REA
    DCAPACITY SUCCEEDED FOR DEVICE 3
    <SCSIHD>CAPACITY=0x9FFFFF sectors * 200
    <SCSIHD>READCAPACITY SUCCEEDED FOR DEVICE 5
    <SCSIHD>CAPACITY=0x9FFFFF sectors * 200
    <SCSIHD>READCAPACITY SUCCEEDED FOR DEVICE 7
    <SCSIHD>CAPACITY=0x7FFFFF sectors * 200
    Loading module MALHLP.NLM
    NSS Configure help messages (Build 163 MP)
    Version 3.27 13 November 2008
    Copyright 1987-2008 Novell, Inc. All Rights Reserved.
    Module MALHLP.NLM load status OK
    NSS background checking scheduled.
    (LsiMptNw-SAS/Fibre/SCSI) Device List:
    HBA ID LUN VENDOR PRODUCT REV SYNC WIDE QTAG IR P
    SCAN
    2 0 0 VMware Virtual disk 1.0 F40 W16 Yes Y
    Refr
    2 1 0 VMware Virtual disk 1.0 F40 W16 Yes Y
    Refr
    2 2 0 VMware Virtual disk 1.0 F40 W16 Yes Y
    Refr
    2 7 LSI Corpo LSI_53C1030 1 F160 W16
    Refr
    NetWare Virtual Disk
    Version 1.00 30 November 2004
    Copyright 2003-2004 Novell, Inc. All rights reserved.
    Module VDISK.NLM load status OK
    Adding swap file to 'SYS'
    Successfully imported symbols from NSS
    All Digitally Signed Objects successfully loaded.
    Loading module PMLODR.NLM
    Portions (C) Copyright 1986-1990 RSA Data Security, Inc.
    Loading module TIMESYNC.NLM
    NetWare Time Synchronization Services
    Version 6.61.01 14 October 2005
    Copyright 1991-2001,2002 Novell, Inc. All rights reserved.
    Auto-Loading Module CLIB.NLM
    Auto-loading module CLIB.NLM
    (Legacy) Standard C Runtime Library for NLMs
    Version 5.90.15 10 March 2008
    Copyright (c) 1996-2007 by Novell, Inc. All rights reserved.
    Auto-Loading Module NLMLIB.NLM
    Auto-loading module NLMLIB.NLM
    Novell NLM Runtime Library
    Version 5.90.15 10 March 2008
    Copyright (c) 1996-2007 by Novell, Inc. All rights reserved.
    Auto-Loading Module REQUESTR.NLM
    Auto-loading module REQUESTR.NLM
    Novell NCP Requestor for NLMs
    Version 5.90.15 10 March 2008
    Copyright (c) 1996-2007 by Novell, Inc. All rights reserved.
    Auto-Loading Module THREADS.NLM
    Auto-loading module THREADS.NLM
    Novell Threads Package for NLMs
    Version 5.90.15 10 March 2008
    Copyright (c) 1996-2007 by Novell, Inc. All rights reserved.
    Auto-Loading Module LIB0.NLM
    Auto-loading module LIB0.NLM
    Novell Ring 0 Library for NLMs
    Version 5.90.15 10 March 2008
    Copyright (c) 1996-2007 by Novell, Inc. All rights reserved.
    Loading module POLIMGR.NLM
    Module LIB0.NLM load status OK
    Module THREADS.NLM load status OK
    Module REQUESTR.NLM load status OK
    Auto-Loading Module STREAMS.NLM
    Auto-loading module STREAMS.NLM
    NetWare STREAMS PTF
    Version 6.00.06 4 May 2005
    Copyright 1989-1999 Mentat, Inc. All rights reserved.
    Portions Copyright 1989-2002 Novell, Inc. All rights reserved.
    Module STREAMS.NLM load status OK
    Module NLMLIB.NLM load status OK
    Auto-Loading Module NIT.NLM
    Auto-loading module NIT.NLM
    NetWare Interface Tools Library for NLMs
    Version 5.90.15 10 March 2008
    Copyright (c) 1996-2007 by Novell, Inc. All rights reserved.
    Module NIT.NLM load status OK
    Module CLIB.NLM load status OK
    Auto-Loading Module DSAPI.NLM
    Auto-loading module DSAPI.NLM
    NetWare NWNet Runtime Library
    Version 6.00.04 27 January 2006
    (C) Copyright 1995-2005, Novell, Inc. All rights reserved.
    Patent Pending--Novell, Inc.
    Auto-Loading Module NETNLM32.NLM
    Auto-loading module NETNLM32.NLM
    NetWare NWNet Runtime Library
    Version 6.01.03 26 August 2008
    (C) Copyright 1995-2008, Novell, Inc. All rights reserved.
    Patent Pending--Novell, Inc.
    Auto-Loading Module NCPNLM32.NLM
    Auto-loading module NCPNLM32.NLM
    NetWare NWNCP Runtime Library
    Version 6.01.03 26 August 2008
    (C) Copyright 1995-2008, Novell, Inc. All rights reserved.
    Patent Pending--Novell, Inc.
    Auto-Loading Module CLNNLM32.NLM
    Auto-loading module CLNNLM32.NLM
    NetWare NWClient Runtime Library
    Version 6.01.03 26 August 2008
    (C) Copyright 1995-2008, Novell, Inc. All rights reserved.
    Patent Pending--Novell, Inc.
    Module CLNNLM32.NLM load status OK
    Module NCPNLM32.NLM load status OK
    Module NETNLM32.NLM load status OK
    Auto-Loading Module DSEVENT.NLM
    Auto-loading module DSEVENT.NLM
    NetWare DSEvent Runtime Library
    Version 6.01.03 26 August 2008
    (C) Copyright 1995-2008, Novell, Inc. All rights reserved.
    Patent Pending--Novell, Inc.
    Module DSEVENT.NLM load status OK
    Module DSAPI.NLM load status OK
    Auto-Loading Module CLXNLM32.NLM
    Auto-loading module CLXNLM32.NLM
    NetWare NWCLX Runtime Library
    Version 6.01.03 26 August 2008
    (C) Copyright 1995-2008, Novell, Inc. All rights reserved.
    Patent Pending--Novell, Inc.
    Module CLXNLM32.NLM load status OK
    Module TIMESYNC.NLM load status OK
    NetWare License Policy Manager
    Version 6.27 3 November 2005
    Copyright 1984-2005 Novell, Inc. All rights reserved.
    Module POLIMGR.NLM load status OK
    SAS Data Flow Manager
    Version 27510.02a 25 August 2008
    Copyright 1999-2008, Novell, Inc. All rights reserved.
    All Digitally Signed Objects successfully loaded.
    Security Domain Infrastructure
    Version 27510.02a 25 August 2008
    Copyright 1998-2008, Novell, Inc. All rights reserved.
    All Digitally Signed Objects successfully loaded.
    Setting _admin volume's ID
    Loading module DHOST.NLM
    Novell DHost Portability Interface 1.0.0 SMP
    Version 10010.97 18 September 2006
    Copyright 1999-2006 Novell, Inc.
    DHost Portability Interface loaded successfully.
    Module DHOST.NLM load status OK
    Loading module SPMDCLNT.NLM
    Novell SPM Client for DClient 3.3.1.0 20081112
    Version 33100811.12 12 November 2008
    Copyright 2003-2008 Novell, Inc. All rights reserved.
    Module SPMDCLNT.NLM load status OK
    Loading module EDIT.NLM
    NetWare Text Editor
    Version 8.00.01 1 May 2006
    Copyright 1989-2006 Novell, Inc. All rights reserved.
    Auto-Loading Module NWSNUT.NLM
    Auto-loading module NWSNUT.NLM
    NetWare NLM Utility User Interface
    Version 7.00.01 11 July 2008
    Copyright 1989-2008 Novell, Inc. All rights reserved.
    Module NWSNUT.NLM load status OK
    Module EDIT.NLM load status OK
    SERVER-5.70-151: Unable to find load file DXEVENT.NLM
    Admin volume startup: error logging the server in = -634
    Unable to verify _admin volume object in eDirectory.
    Loading module CONLOG.NLM
    System Console Logger
    Version 3.01.02 8 August 2006
    (c) Copyright 1992-2002-2006 Novell, Inc. All rights reserved.
    Module CONLOG.NLM load status OK
    CONLOG-3.01-10: System console logging started Fri Jul 3 18:44:30 2009.
    CONLOG-3.01-9: Logging system console to sys:etc\console.log.
    CONLOG-3.01-22: Log file size restricted to 100 kilobytes.
    Loading module SNMP.NLM
    Netware 4.x/5.x/6.x SNMP Service
    Version 4.18 25 July 2006
    Copyright 1995-1999, 2002 Novell, Inc. All rights reserved.
    Auto-Loading Module TLI.NLM
    Auto-loading module TLI.NLM
    NetWare Transport Level Interface Library
    Version 4.30.02 19 December 2000
    Copyright 1989-1992 Mentat, Inc. All rights reserved.
    Portions Copyright 1989-2000 Novell, Inc. All rights reserved.
    Module TLI.NLM load status OK
    Module SNMP.NLM load status OK
    Loading module IPXS.NLM
    NetWare STREAMS IPX Protocol
    Version 4.10.01 12 February 1998
    Copyright 1989-1998 Novell, Inc. All rights reserved.
    Loading module BCALLSRV.NLM
    IPXS-4.10-0022:
    Warning, unable to open default IPX configuration file
    "SYS:ETC\IPXSPX.CFG"; using internal defaults.
    Module IPXS.NLM load status OK
    Backup Call Server MOAB_NDK2
    Version 1.02.01 18 August 1998
    (c) Copyright 1991-1998 Novell, Inc. All Rights Reserved.
    Auto-Loading Module BTRIEVE.NLM
    Auto-loading module BTRIEVE.NLM
    BTRIEVE.NLM v7.90.000
    Version 7.90 21 March 2001
    (c) Copyright Pervasive Software Inc. 1989-2001. All rights reserved.
    Auto-Loading Module NWMKDE.NLM
    Auto-loading module NWMKDE.NLM
    NWMKDE.NLM v7.94.251.000
    Version 7.94 11 December 2001
    (c) Copyright Pervasive Software Inc. 1989-2001. All rights reserved.
    Auto-Loading Module NWUCMGR.NLM
    Auto-loading module NWUCMGR.NLM
    NWUCMGR.NLM v1.5 Build 230
    Version 1.05 14 March 2001
    Module NWUCMGR.NLM load status OK
    User Count Manager
    (c) Copyright 1996-2001, Pervasive Software Inc. All rights reserved
    worldwide.
    Auto-Loading Module PSVCS.NLM
    Auto-loading module PSVCS.NLM
    Portability Services
    Version 251.00 30 November 2001
    Module PSVCS.NLM load status OK
    Auto-Loading Module NWAIF103.NLM
    Auto-loading module NWAIF103.NLM
    nwaif103.nlm v7.94, Build 251 ()
    Version 7.94 30 November 2001
    Module NWAIF103.NLM load status OK
    Auto-Loading Module NWENC103.NLM
    Auto-loading module NWENC103.NLM
    NWENC103.NLM v7.90.000 (Text Encoding Conversion Library)
    Version 7.90 24 February 2001
    Copyright (c) 1999-2001 Pervasive Software Inc.
    Module NWENC103.NLM load status OK
    Pervasive Text Encoding Library successfully loaded.
    NWMKDE-29:
    MicroKernel Database Engine
    (c) Copyright Pervasive Software Inc. 1989-2001
    All Rights Reserved
    Module NWMKDE.NLM load status OK
    BTRIEVE-1:
    Btrieve for NetWare v7.90
    (c) Copyright Pervasive Software Inc. 1989-2001
    All Rights Reserved.
    Module BTRIEVE.NLM load status OK
    Auto-Loading Module CSL.NLM
    Auto-loading module CSL.NLM
    NetWare Call Support Layer For NetWare
    Version 2.06.02 13 January 2000
    (c) Copyright 1991-2000 Novell, Inc. All Rights Reserved.
    Module CSL.NLM load status OK
    Module BCALLSRV.NLM load status OK
    BCALLSRV-1.02-59: BCALLSRV initializing.
    Loading module CNEAMD.LAN
    Novell Ethernet NE1500/2100 and PCnet (ISA, ISA+, PCI, Fast)
    Version 1.39 23 January 1998
    (c) Copyright 1996, 1997, 1998 by Novell, Inc. All rights reserved.
    Auto-Loading Module ETHERTSM.NLM
    Auto-loading module ETHERTSM.NLM
    Novell Ethernet Topology Specific Module
    Version 3.90 20 March 2006
    (C) Copyright 1990 - 2006, by Novell, Inc. All rights reserved.
    Auto-Loading Module MSM.NLM
    Auto-loading module MSM.NLM
    Novell Multi-Processor Media Support Module
    Version 4.12 22 August 2007
    Copyright (c) 1990 - 2007, by Novell, Inc. All rights reserved.
    Module MSM.NLM load status OK
    Module ETHERTSM.NLM load status OK
    Module CNEAMD.LAN load status OK
    Loading module CNEAMD.LAN
    Previously loaded module was used re-entrantly
    Module CNEAMD.LAN load status OK
    Loading module TCPIP.NLM
    Novell TCP/IP Stack - Network module (NULL encryption)
    Version 6.82 20 November 2007
    Copyright 1994-2007 Novell, Inc. All rights reserved.
    Patent pending
    Auto-Loading Module CSLIND.NLM
    Auto-loading module CSLIND.NLM
    TCPIP CSL INDEPENDENCE MODULE 7Dec99 7Dec99
    Version 4.21 7 December 1999
    Copyright 1994-1999 Novell, Inc. All rights reserved.
    Module CSLIND.NLM load status OK
    Auto-Loading Module NETLIB.NLM
    Auto-loading module NETLIB.NLM
    Novell TCPIP NETLIB Module
    Version 6.50.22 12 February 2003
    Copyright 1994-2003 Novell, Inc. All rights reserved. Patent
    pending.
    Module NETLIB.NLM load status OK
    Auto-Loading Module TCP.NLM
    Auto-loading module TCP.NLM
    Novell TCP/IP Stack - Transport module (NULL encryption)
    Version 6.82.04 30 September 2008
    Copyright 1994-2008 Novell, Inc. All rights reserved. Patent
    pending.
    Module TCP.NLM load status OK
    TCPIP-6.82-26: Fri Jul 3 18:44:48 2009
    Will act as a router.
    TCPIP-6.82-27: Fri Jul 3 18:44:48 2009
    RIP is disabled.
    Novell BSDSOCK Module
    Version 6.82 20 November 2007
    Copyright 1994-2007 Novell, Inc. All rights reserved.
    Module BSDSOCK.NLM load status OK
    Module TCPIP.NLM load status OK
    TCPIP.NLM autoloaded TCP.NLMLoading module IPXRTR.NLM
    IPX NLSP Router
    Version 6.81.01 22 April 2008
    Copyright 1994-2008 Novell, Inc. All rights reserved.
    Portions Copyright 1991-2008 D.L.S. Associates.
    Auto-Loading Module A3112.NLM
    Auto-loading module A3112.NLM
    OS Support For NetWare 4.x NLMs
    Version 4.18 25 October 1999
    (c) Copyright 1993-1997, Novell, Inc. All rights reserved.
    Module A3112.NLM load status PUB EXISTS
    Module IPXRTR.NLM load status OK
    Loading module IPXRTRNM.NLM
    IPX Router Network Management
    Version 6.60 24 June 1998
    Copyright 1994-1998 Novell, Inc. All rights reserved.
    Module IPXRTRNM.NLM load status OK
    Timesync: Waiting for TCP/IP to be initialized
    Timesync: TCP/IP initialized. Timesync is loaded with TCP/IP support
    Timesync: IPX is initialized. Timesync is loaded with IPX support
    Time Synchronization has been established
    Loading module VMWTOOL.NLM
    VMware Tools
    Version 1.01 26 July 2007
    Copyright (c) 1998-2007 VMware, Inc. All rights reserved.
    Protected by one or more U.S. Patent Nos.
    6,397,242, 6,496,847, 6,704,925, 6,711,672, 6,725,289,
    6,735,601, 6,785,886, 6,789,156, 6,795,966, 6,880,022,
    6,944,699, 6,961,806 and ...
    Module VMWTOOL.NLM load status OK
    Loading module NW5-IDLE.NLM
    Netware CPU Idler
    Version 1.00.09 26 March 2009
    Module NW5-IDLE.NLM load status OK
    Loading module JAVA.NLM
    java.nlm (based on 1.4.2_18) Build 08101613
    Version 1.43 16 October 2008
    Copyright (c) 2006 Novell, Inc. Portions Copyright (c) 2006 Sun
    Microsystems
    Auto-Loading Module JSOCK.NLM
    Auto-loading module JSOCK.NLM
    Support For Java Sockets (loader)
    Version 1.43 16 October 2008
    (C) Copyright 2000-2006 Novell, Inc. All Rights Reserved
    Module JSOCK.NLM load status OK
    Loading module JSOCK6X.NLM
    Module JAVA.NLM load status OK
    NetWare 6.x Support For Java Sockets (JDK 1.4.2)
    Version 1.43 16 October 2008
    (C) Copyright 2000-2006 Novell, Inc. All Rights Reserved
    Module JSOCK6X.NLM load status OK
    Loading module IPMGMT.NLM
    TCPIP - NetWare IP Address Management
    Version 1.03.01 29 May 2007
    Copyright (C) 2007 Novell, Inc. All Rights Reserved
    Module IPMGMT.NLM load status OK
    Loading module PERL.NLM
    Perl 5.8.4 - Command Line Interface
    Version 5.00.05 13 September 2005
    Copyright (C) 2000-01, 2004-05 Novell, Inc. All Rights Reserved.
    Loading module PERL.NLM
    Auto-Loading Module LIBPERL.NLM
    Auto-loading module LIBPERL.NLM
    Perl 5.8.4 - Script Interpreter and Library
    Version 5.00.05 13 September 2005
    Copyright (C) 2000-01, 2004-05 Novell, Inc. All Rights Reserved.
    Loading module JVM.NLM
    Module LIBPERL.NLM load status OK
    Module PERL.NLM load status OK
    Perl 5.8.4 - Command Line Interface
    Version 5.00.05 13 September 2005
    Copyright (C) 2000-01, 2004-05 Novell, Inc. All Rights Reserved.
    Module PERL.NLM load status OK
    Java Hotspot 1.4.2_18 Interpreter
    Version 1.43 16 October 2008
    (C) Copyright 2003-2006 Novell, Inc. All Rights Reserved.
    Module JVM.NLM load status OK
    Loading module VERIFY.NLM
    Java verify (based on 1.4.2_18)
    Version 1.43 16 October 2008
    Copyright (c) 2006 Novell, Inc. Portions Copyright (c) 2006 Sun
    Microsystems
    Module VERIFY.NLM load status OK
    Loading module JVMLIB.NLM
    Java jvmlib (based on 1.4.2_18)
    Version 1.43 16 October 2008
    Copyright (c) 2006 Novell, Inc. Portions Copyright (c) 2006 Sun
    Microsystems
    Module JVMLIB.NLM load status OK
    Loading module ZIP.NLM
    Java zip (based on 1.4.2_18)
    Version 1.43 16 October 2008
    Copyright (c) 2006 Novell, Inc. Portions Copyright (c) 2006 Sun
    Microsystems
    Fri Jul 3 18:45:13 2009
    Time synchronization has been established.
    Module ZIP.NLM load status OK
    Loading module NILE.NLM
    Novell N/Ties NLM ("") Release Build with symbols
    Version 7.00.01 20 August 2007
    Copyright (C) 1996-2007 Novell, Inc. All Rights Reserved
    Auto-Loading Module NWUTIL.NLM
    Auto-loading module NWUTIL.NLM
    Novell Utility Library NLM (_NW65[SP7]{""})
    Version 3.00.02 20 August 2007
    Copyright (C) 1996-2006 Novell, Inc. All Rights Reserved
    Fri Jul 3 18:45:29 2009
    Time synchronization has been lost after 2 successful polling loops.
    DOSFAT.NSS and/or FATFS.NLM is loaded!
    Module NWUTIL.NLM load status OK
    Auto-Loading Module PKIAPI.NLM
    Auto-loading module PKIAPI.NLM
    Public Key Infrastructure Services
    Version 2.23.10 20 November 2004
    Copyright 1997-2004 Novell, Inc. All rights reserved.
    Module PKIAPI.NLM load status OK
    Auto-Loading Module PKI.NLM
    Auto-loading module PKI.NLM
    Novell Certificate Server
    Version 3.32 25 August 2008
    Copyright 1997-2008 Novell, Inc. All rights reserved.
    Module PKI.NLM load status OK
    Module NILE.NLM load status OK
    Loading module HTTPSTK.NLM
    Novell Small Http Interface
    Version 4.03 4 September 2008
    Copyright 1998-2008 Novell, Inc. All rights reserved.
    Error accessing WinSock Services, ccode = 0x273B
    SERVER-5.70-1553: Module initialization failed.
    Module HTTPSTK.NLM NOT loaded
    Module HTTPSTK.NLM load status INIT FAIL
    Loading module NICISDI.XLM
    Module NICISDI.XLM load status OK
    Loading module SASDFM.XLM
    Module SASDFM.XLM load status OK
    Loading module NFAP4NRM.NLM
    NFAP Simple Password Management NLM
    Version 1.04 8 December 2003
    Copyright 2001-2003 Novell, Inc. All rights reserved.
    Auto-Loading Module SETMD4.NLM
    Auto-loading module SETMD4.NLM
    Windows Native File Access CIFS Library (Build 163 SP)
    Version 2.01 13 November 2008
    Copyright 1987-2008 Novell, Inc. All Rights Reserved.
    Auto-Loading Module NMASGPXY.NLM
    Auto-loading module NMASGPXY.NLM
    NMAS Generic Proxy 3.3.1.0 20081112
    Version 33100811.12 12 November 2008
    Copyright 2000-2008 Novell, Inc. All rights reserved.
    Module NMASGPXY.NLM load status OK
    Module SETMD4.NLM load status OK
    java: Class APAdminIPConf exited successfully
    java: Class ApacheIPConf exited successfully
    Auto-Loading Module PORTAL.NLM
    Auto-loading module PORTAL.NLM
    Novell Remote Manager NLM
    Version 4.03 22 September 2008
    Copyright 1998-2008 Novell, Inc. All rights reserved.
    java: Class com.novell.application.tomcat.ipconfig.IPConfigUti l exited
    successfu
    lly
    java: Class com.novell.application.tomcat.ipconfig.IPConfigUti l exited
    successfu
    lly
    Auto-Loading Module HTTPSTK.NLM
    Auto-loading module HTTPSTK.NLM
    Novell Small Http Interface
    Version 4.03 4 September 2008
    Copyright 1998-2008 Novell, Inc. All rights reserved.
    Error accessing WinSock Services, ccode = 0x273B
    Module HTTPSTK.NLM load status INIT FAIL
    Auto-Loading Module NWIDK.NLM
    Auto-loading module NWIDK.NLM
    CDWare Volume Module
    Version 3.01.01 19 September 2003
    Copyright 2003 Novell, Inc. All rights reserved.
    Module NWIDK.NLM load status OK
    Module PORTAL.NLM cannot be loaded until HTTPSTK is loaded
    Module PORTAL.NLM load status AUTO FAIL
    Auto-Loading Module HTTPSTK.NLM
    Auto-loading module HTTPSTK.NLM
    Novell Small Http Interface
    Version 4.03 4 September 2008
    Copyright 1998-2008 Novell, Inc. All rights reserved.
    Error accessing WinSock Services, ccode = 0x273B
    Module HTTPSTK.NLM load status INIT FAIL
    Module NFAP4NRM.NLM cannot be loaded until PORTAL is loaded
    Module NFAP4NRM.NLM cannot be loaded until HTTPSTK is loaded
    Error processing External Records.
    Module NFAP4NRM.NLM NOT loaded
    Module NFAP4NRM.NLM load status AUTO FAIL
    Loading module AFPTCP.NLM
    AFPTCP (Build 163 SP)
    Version 2.07 13 November 2008
    Copyright 1987-2008 Novell, Inc. All Rights Reserved.
    Auto-Loading Module WSPDSI.NLM
    Auto-loading module WSPDSI.NLM
    NetWare Winsock Service 1.0 NLM for Data Stream Interface
    Version 6.21.01 25 October 2005
    Copyright 1984-2004 Novell, Inc. All rights reserved.
    Auto-Loading Module WSPIP.NLM
    Auto-loading module WSPIP.NLM
    NetWare Winsock Service 1.0 NLM for TCP and UDP
    Version 6.24 4 December 2007
    Copyright 1984-2007 Novell, Inc. All rights reserved.
    Module WSPIP.NLM load status OK
    Module WSPDSI.NLM load status OK
    Module AFPTCP.NLM load status OK
    Loading module CIFS.NLM
    CIFS Semantic Agent (Build 163 MP)
    Version 3.27 13 November 2008
    Copyright 1987-2008 Novell, Inc. All Rights Reserved.
    Auto-Loading Module VLRPC.NLM
    Auto-loading module VLRPC.NLM
    DFS Volume Location Database (VLDB) RPC interface (Build 163 MP)
    Version 3.27 13 November 2008
    Copyright 1987-2008 Novell, Inc. All Rights Reserved.
    Auto-Loading Module DFSLIB.NLM
    Auto-loading module DFSLIB.NLM
    DFS Common Library (Build 163 MP)
    Version 3.27 13 November 2008
    Copyright 1987-2008 Novell, Inc. All Rights Reserved.
    Module DFSLIB.NLM load status OK
    Auto-Loading Module JSTCP.NLM
    Auto-loading module JSTCP.NLM
    Jetstream TCP Transport Layer (Build 163 MP)
    Version 3.27 13 November 2008
    Copyright 1987-2008 Novell, Inc. All Rights Reserved.
    Patents Pending.
    Auto-Loading Module JSMSG.NLM
    Auto-loading module JSMSG.NLM
    Jetstream Message Layer (Build 163 MP)
    Version 3.27 13 November 2008
    Copyright 1987-2008 Novell, Inc. All Rights Reserved.
    Patents pending.
    Module JSMSG.NLM load status OK
    Module JSTCP.NLM load status OK
    Module VLRPC.NLM load status OK
    The share point "_ADMIN" is now active on volume _ADMIN.
    The share point "SYS" is now active on volume SYS.
    The share point "NW65OS" is now active on volume NW65OS.
    Module CIFS.NLM load status OK
    Loading module CIFSPROX.NLM
    NMAS Proxy for CIFS (Build 163 MP)
    Version 3.27 13 November 2008
    Copyright 1987-2008 Novell, Inc. All Rights Reserved.
    Auto-Loading Module LDAPX.NLM
    Auto-loading module LDAPX.NLM
    NetWare Extension APIs for LDAP SDK (Clib version)
    Version 3.05.01 22 October 2008
    (C) Copyright 1999-2005, Novell, Inc. All rights reserved.
    Module LDAPX.NLM load status OK
    Module CIFSPROX.NLM load status OK
    Loading module NFAP4NRM.NLM
    NFAP Simple Password Management NLM
    Version 1.04 8 December 2003
    Copyright 2001-2003 Novell, Inc. All rights reserved.
    Auto-Loading Module PORTAL.NLM
    Auto-loading module PORTAL.NLM
    Novell Remote Manager NLM
    Version 4.03 22 September 2008
    Copyright 1998-2008 Novell, Inc. All rights reserved.
    Auto-Loading Module HTTPSTK.NLM
    Auto-loading module HTTPSTK.NLM
    Novell Small Http Interface
    Version 4.03 4 September 2008
    Copyright 1998-2008 Novell, Inc. All rights reserved.
    Module HTTPSTK.NLM load status OK
    Module PORTAL.NLM load status OK
    Module NFAP4NRM.NLM load status OK
    Loading module PKI.NLM
    This module is ALREADY loaded and cannot be loaded more than once.
    Module PKI.NLM load status NOT MULTIPLE
    Loading module NLDAP.NLM
    LDAP Agent for Novell eDirectory 8.8 SP4
    Version 20218.11 30 January 2009
    Copyright 1997-2007 Novell, Inc. All rights reserved.
    Module NLDAP.NLM load status OK
    Loading module PSA.NSS
    PSA Posix Semantic Agent (PSA) (Build 163 MP)
    Version 3.27 13 November 2008
    Copyright 1987-2008 Novell, Inc. All Rights Reserved.
    This product includes software developed by the University of
    California, Berk
    eley and its contributors.
    Module PSA.NSS load status OK
    Loading module JAVA.NLM
    This module is ALREADY loaded and cannot be loaded more than once.
    Module JAVA.NLM load status NOT MULTIPLE
    Loading module SCRCB.NLM
    Scripting - LibC-CLib Context Broker
    Version 1.00 3 October 2005
    Copyright (c) 2002-03 Novell, Inc. All Rights Reserved.
    Module SCRCB.NLM load status OK
    Loading module LSSS.NLM
    Novell SecretStore LDAP Extension Manager 3.4.1.2
    Version 3.40 8 August 2008
    Copyright 1998-2008 Novell, Inc.
    U.S. Patent No. 5,818,936
    U.S. Patent No. 7,231,517.
    Auto-Loading Module SSLDP.NLM
    Auto-loading module SSLDP.NLM
    Novell SecretStore LDAP Transport Plugin 3.4.1.2
    Version 3.40 8 August 2008
    Copyright 1998-2008 Novell, Inc.
    U.S. Patent No. 5,818,936
    U.S. Patent No. 7,231,517.
    Auto-Loading Module SSS.NLM
    Auto-loading module SSS.NLM
    Novell SecretStore 3.4.1.2
    Version 3.40 8 August 2008
    Copyright 1998-2008 Novell, Inc.
    U.S. Patent No. 5,818,936
    U.S. Patent No. 7,231,517.
    Module SSS.NLM load status OK
    SSS.NLM: Audit Not Available!
    Loading module APACHE2.NLM
    Cache Refresh Scheduled ...
    SecretStore Service Configuration
    =================================
    SecretStore Service Configuration Cache Enabled...
    Cache Refresh Frequency Set to 30 Minutes...
    Default Policy Object Hierarchy Was Used...
    DN of the SecretStore Policy Object =
    SecretStore.Security
    Master Password Feature Enabled...
    Last Accessed Timestamp Feature Disabled...
    Module SSLDP.NLM load status OK
    SSS.NLM: Audit Log Reporting Not Requested...
    Module LSSS.NLM load status OK
    SecretStore LDAP Service Extensions Loaded...
    Apache Web Server 2.0.63
    Version 2.00.63 25 April 2008
    Copyright 2006 The Apache Software Foundation. Licensed under the
    Apache Licen
    se Version 2.0.
    Loading module NMASLDAP.NLM
    Auto-Loading Module APRLIB.NLM
    Auto-loading module APRLIB.NLM
    Apache Portability Runtime Library 0.9.17
    Version 0.09.17 25 April 2008
    Licensed under the Apache License Version 2.0
    Module APRLIB.NLM load status OK
    Module APACHE2.NLM load status OK
    NMAS LDAP Extensions 3.3.1.0 20081112
    Version 33100811.12 12 November 2008
    Copyright 2001-2008 Novell, Inc. All rights reserved.
    Module NMASLDAP.NLM load status OK
    Loading module SYSCALLS.NLM
    NetWare Operating System Call and Marshalling Library
    Version 5.61 2 August 2007
    (c) Copyright 1996-2007 Novell, Inc. All rights reserved.
    Loading module LDAPXS.NLM
    SSLDP.NLM: LDAP Service Plugin Available...
    Module SYSCALLS.NLM load status OK
    (Clib version)
    Version 3.05.01 22 October 2008
    (C) Copyright 1999-2005, Novell, Inc. All rights reserved.
    Module LDAPXS.NLM load status OK
    Loading module LBURP.NLM
    Loading module NLSTRAP.NLM
    LDAP Bulkload Update/Replication Protocol service extension for
    Novell eDirect
    ory 8.8
    Version 20215.04 28 August 2008
    Copyright 2001-2002 Novell, Inc. All rights reserved.
    Module LBURP.NLM load status OK
    NetWare License Server Trap
    Version 5.02 19 February 2004
    Copyright 1997-2004 Novell, Inc. All Rights Reserved.
    Loading module SASL.NLM
    Module NLSTRAP.NLM load status OK
    Simple Authentication and Security Layer 3.3.1.0 20081112
    Version 33100811.12 12 November 2008
    Copyright 2002-2008 Novell, Inc. All rights reserved.
    Module SASL.NLM load status OK
    NLSTRAP: Server Name is NW65
    NLSTRAP: Community String set to public
    NLSTRAP: Time Interval set to 10
    Loading module APACHE2.NLM
    Loading in address space ADMINSRV.
    Apache Web Server 2.0.63
    Version 2.00.63 25 April 2008
    Copyright 2006 The Apache Software Foundation. Licensed under the
    Apache Licen
    se Version 2.0.
    Auto-Loading Module APRLIB.NLM
    Auto-loading module APRLIB.NLM
    Loading in address space ADMINSRV.
    Apache Portability Runtime Library 0.9.17
    Version 0.09.17 25 April 2008
    Licensed under the Apache License Version 2.0
    Auto-Loading Module LIBC.NLM
    Auto-loading module LIBC.NLM
    Loading in address space ADMINSRV.
    Standard C Runtime Library for NLMs [optimized, 7]
    Version 9.00.05 3 October 2008
    Copyright (c) 1999-2007 by Novell, Inc. All rights reserved.
    Portions copyright (c) 1980, 1982, 1983, 1986, 1990, 1993 by the
    Regents
    of the University of California (Free BSD) and (c) 1997, 1998 by the
    NetBSD
    Foundation, Inc.
    Module LIBC.NLM load status OK
    Module APRLIB.NLM load status OK
    Module APACHE2.NLM load status OK
    Loading module SMSUT.NLM
    SMS - Utility Library for NetWare 6.X
    Version 1.01.03 26 June 2008
    Copyright (C) 1990-2003, 2005 Novell, Inc. All Rights Reserved.
    Fri Jul 3 18:46:23 2009
    Time synchronization has been established.
    Module SMSUT.NLM load status OK
    Loading module SMDR.NLM
    SMS - Storage Data Requestor
    Version 6.58.01 16 October 2008
    Copyright (C) 1989-95, 2007, 2008 Novell, Inc. All Rights Reserved.
    Module SMDR.NLM load status OK
    Loading module SPXS.NLM
    Loading module TSAFS.NLM
    SMS - File System Agent for NetWare 6.X
    Version 6.53.03 16 October 2008
    Copyright (C) 2002-03, 2008 Novell, Inc. All Rights Reserved.
    Module TSAFS.NLM load status OK
    NetWare SPX/SPXII Protocol (PTF)
    Version 5.14 18 January 2000
    Copyright 1992-1999 Novell, Inc. All Rights Reserved.
    Auto-Loading Module A3112.NLM
    Auto-loading module A3112.NLM
    OS Support For NetWare 4.x NLMs
    Version 4.18 25 October 1999
    (c) Copyright 1993-1997, Novell, Inc. All rights reserved.
    Module A3112.NLM load status PUB EXISTS
    Loading module NISSERV.NLM
    Module SPXS.NLM load status OK
    NetWare NFS - NIS Server
    Version 15.12.02 14 October 2008
    Copyright (C) 1995-2006, Novell, Inc. All Rights Reserved.
    Auto-Loading Module UNICRYPT.NLM
    Auto-loading module UNICRYPT.NLM
    TCP/IP Encryption NLM
    Version 9.11 15 December 1998
    (C) Copyright 1995, Novell, Inc. All rights reserved
    Module UNICRYPT.NLM load status OK
    Auto-Loading Module NDSILIB.NLM
    Auto-loading module NDSILIB.NLM
    NetWare NFS - eDirectory Interface Library
    Version 15.05.01 14 October 2008
    Copyright (C) 1999-2006, Novell, Inc. All Rights Reserved.
    Auto-Loading Module NETDB.NLM
    Auto-loading module NETDB.NLM
    Network Database Access Module
    Version 4.11.05 6 January 2005
    Copyright (C) 1993-2005, Novell, Inc. All Rights Reserved.
    Loading module DSBACKER.NLM
    Loading module JNET.NLM
    NDS Context: O=nwmig
    NetDB Library loaded successfully.
    Module NETDB.NLM load status OK
    Auto-Loading Module NISBIND.NLM
    Auto-loading module NISBIND.NLM
    NetWare NFS - NIS Client Module
    Version 15.02.02 14 October 2008
    Copyright (C) 1995-2006, Novell, Inc. All Rights Reserved.
    Auto-Loading Module PKERNEL.NLM
    Auto-loading module PKERNEL.NLM
    NetWare NFS - Portmapper and RPC Module
    Version 15.01 14 October 2008
    Copyright (C) 1995-2005, Novell, Inc. All Rights Reserved.
    Auto-Loading Module RPCBSTUB.NLM
    Auto-loading module RPCBSTUB.NLM
    NetWare NFS - Portmapper & Rpcbind co-existance Support Module
    Version 15.00.16 14 October 2008
    Copyright (C) 1995-2005, Novell, Inc. All Rights Reserved.
    Module RPCBSTUB.NLM load status OK
    Module PKERNEL.NLM load status OK
    Module NISBIND.NLM load status OK
    Default domain is not set, you need to set it through ypset
    Unable to Login. : error -219. Run schinst -n and try again. If the
    problem stil
    l persists, see the TroubleShooting section of the admin doc.
    Could not authenticate ContextHandle.Run schinst -n and try again. If
    the proble
    m still persists, see the TroubleShooting section of the admin doc.
    Exiting...-2
    19
    Module NDSILIB.NLM load status OK
    Auto-Loading Module NISSWDD.NLM
    Auto-loading module NISSWDD.NLM
    NetWare NFS - NIS Password Management Support Module
    Version 15.02.02 14 October 2008
    Copyright (C) 1995-2006, Novell, Inc. All Rights Reserved.
    Module NISSWDD.NLM load status OK
    NISSERV - Error initializing NDSILIB at startup
    Module NISSERV.NLM load status OK
    Java jnet (based on 1.4.2_18)
    Version 1.43 16 October 2008
    Copyright (c) 2006 Novell, Inc. Portions Copyright (c) 2006 Sun
    Microsystems
    Loading module XNFS.NLM
    Module JNET.NLM load status OK
    Module NDSILIB.NLM is being referenced
    You must unload NISSWDD.NLM before you can unload NDSILIB.NLM
    Loading module PERL.NLM
    Loading module PERL.NLM
    NetWare NFS - NFS Server for NetWare 6.5
    Version 1.04.02 14 October 2008
    Copyright (C) 2002-2008, Novell, Inc. All Rights Reserved.
    Error : NFS services initialization failed during eDirectory interface
    library
    (ndsilib.nlm) initialization - Error Code : 9600. Unloading XNFS.NLM.
    Error : Try running 'schinst -n'. For details refer to Native File
    Access doc
    umentation.
    SERVER-5.70-1553: Module initialization failed.
    Module XNFS.NLM NOT loaded
    Module XNFS.NLM load status INIT FAIL
    Install for Novell eDirectory
    Version 20218.05 1 October 2008
    Copyright (c) 1993-2007 Novell, Inc. All rights reserved.
    Loading module EMBOX.NLM
    Module DSBACKER.NLM load status OK
    Perl 5.8.4 - Command Line Interface
    Version 5.00.05 13 September 2005
    Copyright (C) 2000-01, 2004-05 Novell, Inc. All Rights Reserved.
    Auto-Loading Module LIBPERL.NLM
    Auto-loading module LIBPERL.NLM
    Perl 5.8.4 - Script Interpreter and Library
    Version 5.00.05 13 September 2005
    Copyright (C) 2000-01, 2004-05 Novell, Inc. All Rights Reserved.
    Module LIBPERL.NLM load status OK
    Module PERL.NLM load status OK
    Using CATALINA_BASE: sys:/tomcat/4
    Using CATALINA_HOME: sys:/tomcat/4
    Using CATALINA_TMPDIR: sys:/tomcat/4/temp
    Using JAVA_HOME: SYS:\java
    Doing a start
    java: Class com.novell.application.tomcat.util.tccheck.LDAPVer ifier
    exited succe
    ssfully
    Module DSBACKER.NLM unloaded
    eDirectory Management Tool Box Engine
    Version 20215.23 24 April 2008
    Copyright 2001-2007 Novell, Inc. All rights reserved. Patents
    Pending.
    Auto-Loading Module XIS11.NLM
    Auto-loading module XIS11.NLM
    XML Integration Service
    Version 1.00.03 30 September 2008
    Copyright (c) 1993-2002 Novell, Inc. All rights reserved.
    Module XIS11.NLM load status OK
    Module EMBOX.NLM load status OK
    Perl 5.8.4 - Command Line Interface
    Version 5.00.05 13 September 2005
    Copyright (C) 2000-01, 2004-05 Novell, Inc. All Rights Reserved.
    Module PERL.NLM load status OK
    Using CATALINA_BASE: sys:/tomcat/4
    Using CATALINA_HOME: sys:/tomcat/4
    Using CATALINA_TMPDIR: sys:/tomcat/4/temp
    Using JAVA_HOME: SYS:\java
    Doing a start
    Loading module LANGMAN.NLM
    java: Class com.novell.application.tomcat.util.tccheck.LDAPVer ifier
    exited succe
    ssfully
    Loading module OWCIMOMD.NLM
    Novell Cross-Platform Language Manager
    Version 10210.69 23 April 2008
    Copyright 2001-2003 Novell, Inc. All rights reserved. Patents
    Pending.
    Auto-Loading Module XI18N.NLM
    Auto-loading module XI18N.NLM
    Novell Cross-Platform Internationalization Package
    Version 10310.53 2 August 2005
    Copyright 2001-2003 Novell, Inc. All rights reserved. Patents
    Pending.
    Module XI18N.NLM load status OK
    Module LANGMAN.NLM load status OK
    OpenWBEM CIMOM Daemon with Novell providers
    Version 3.02 27 November 2007
    Copyright (C) 2004 Novell, Inc. Portions Copyright (C) 2000-2004
    Vintela, Inc
    Auto-Loading Module LLDAPSSL.NLM
    Auto-loading module LLDAPSSL.NLM
    NetWare SSL Library for LDAP SDK (LibC version)
    Version 3.05.01 22 October 2008
    (C) Copyright 1999-2005, Novell, Inc. All rights reserved.
    Module LLDAPSSL.NLM load status OK
    Auto-Loading Module LIBGCC_S.NLM
    Auto-loading module LIBGCC_S.NLM
    gcc runtime and intrinsics support
    Version 3.04.03 29 April 2005
    Copyright (C) 1989-2004 Free Software Foundation, Inc.
    Loading module HT2SOAP.NLM
    Module LIBGCC_S.NLM load status OK
    Starting service NetWare Administration Tomcat
    Apache Tomcat/4.1.37-LE-jdk1.4
    Starting service Tomcat-Standalone
    Apache Tomcat/4.1.37-LE-jdk1.4
    Using config file: /system/cimom/etc/openwbem/openwbem.conf
    [1] CIMOM beginning startup
    Module OWCIMOMD.NLM load status OK
    Loading module RCONAG6.NLM
    Fri Jul 3 18:50:17 2009
    Time synchronization has been lost after 8 successful polling loops.
    eDirectory Management Tool Box HTTP to SOAP shim
    Version 20215.23 24 April 2008
    Copyright 2001-2007 Novell, Inc. All rights reserved. Patents
    Pending.
    Module HT2SOAP.NLM load status OK
    RConsole Agent for Netware
    Version 6.11 20 November 2007
    (C) 1995-1998, 2004-2006 Novell, Inc. All rights reserved.
    Auto-Loading Module SAS.NLM
    Auto-loading module SAS.NLM
    Secure Authentication Services
    Version 1.75 13 March 2004
    Copyright 1997-2003 Novell, Inc. All rights reserved.
    Portions Copyright 1996 Terisa Systems, Inc. All rights reserved.
    Loading module EMBOXMGR.NLM
    Module SAS.NLM load status OK
    Module RCONAG6.NLM load status OK
    eDirectory Management Tool Box Manager
    Version 20215.23 24 April 2008
    Copyright 2001-2007 Novell, Inc. All rights reserved. Patents
    Pending.
    Auto-Loading Module EMBOXMSG.NLM
    Auto-loading module EMBOXMSG.NLM
    eDirectory Management Tool Box Message API
    Version 20215.23 24 April 2008
    Copyright 2001-2007 Novell, Inc. All rights reserved. Patents
    Pending.
    Loading module SLPDA.NLM
    Module EMBOXMSG.NLM load status OK
    Module EMBOXMGR.NLM load status OK
    SERVICE LOCATION NDS DIRECTORY AGENT (RFC2165/RFC2608)
    Version 2.13 15 November 2005
    Copyright 1996-2005 Novell, Inc. All rights reserved.
    Loading module RSS.NLM
    NetWare Secure IP Remote Console service registered
    Fri Jul 3 18:50:29 2009
    RCONAG6 LISTEN /dev/ssltcp 172.16.16.57:2036
    Fri Jul 3 18:50:29 2009
    RCONAG6 LISTEN /dev/tcp 172.16.16.57:2034
    Fri Jul 3 18:50:29 2009
    RCONAG6 LISTEN /dev/nspx D5F83F:000000000001:16800
    NetWare IP Remote Console service registered
    Fri Jul 3 18:50:49 2009
    Time synchronization has been established.
    Novell GroupWise WebAccess
    Version 7.0.3
    (C) Copyright 1993-2008 Novell, Inc. All rights reserved.
    <GroupWise WebAccess> WebAccess Servlet is ready for work
    Novell GroupWise WebAccess Spell Checker
    Version 7.0.3
    (C) Copyright 1996-2008 Novell, Inc. All rights reserved.
    Maximum suggestions: 10
    Dictionary path :
    SYS:\Tomcat\4\webapps\gw\web-inf\classes\com\novell
    \collexion\morphology\data
    <GroupWise WebAccess Spell Checker> Spell Servlet is ready for work
    Loading module WPSD.NLM
    Fri Jul 3 18:52:55 2009
    Fri Jul 3 18:53:25 2009
    Time synchronization has been established.
    Fri Jul 3 18:57:16 2009
    RCONAG6 192.168.10.123:2376 Remote console connection granted

    Hello,
    maybe your problem has to do something with loading SLPDA.NLM. If you
    cannot get to open Autoexec.ncf then go back to DOS-Mode, rename this
    file in C:\nwserver-directory and start again. i have seenthis behaviour
    on servers loading SLPDA with no network-communication and they stop
    loading at WPSD.NLM. Try to load SLPD.NLM manually when the server is
    up. After that shift the line in Autoexec.ncf where you want to load
    Slpda.NLM to the end of the file and boot the server again to see what
    happens.
    Good luck
    Burkhard Wiegand
    Netware Admin
    Debeka-Versicherungen
    D-56068 Koblenz

  • Error on clone database, oracle 10g release 2 for windows server 2008

    Hi,
    OS: Windows Server 2008 X64
    Oracle: oracle 10g release r2 for windows server 2008
    An error occurred when creating a database, stop at last step, Screenshot:
    [http://temp.wsria.com/oracle_create_db.png|http://temp.wsria.com/oracle_create_db.png]
    the trace log content:
    [main] [9:56:35:982] [CommandLineArguments.process:563] CommandLineArguments->process: number of arguments = 32
    [main] [9:56:35:982] [CommandLineArguments.process:738] CommandLineArguments->process: Create Database argument is specified
    [main] [9:56:35:982] [CommandLineArguments.process:910] CommandLineArguments->process: template Name argument is specified
    [main] [9:56:35:982] [CommandLineArguments.process:960] CommandLineArguments->process: db name argument is specified
    [main] [9:56:35:982] [CommandLineArguments.process:3074] CommandLineArguments->process: in Operation Type is Creation/GenerateScripts Mode condition
    [main] [9:56:35:997] [CommandLineArguments.process:3298] CommandLineArguments->process: Successfully process command line arguments
    [main] [9:56:36:668] [Host.checkOPS:2055] Inside checkOPS
    [main] [9:56:36:668] [Host.checkOPS:2067] Trying to check cluster existence
    [main] [9:56:36:715] [Library.getInstance:97] Created instance of Library.
    [main] [9:56:36:715] [Library.load:197] Loading orauts.dll...
    [main] [9:56:36:715] [Library.load:203] oracleHome D:\oracle\product\10.2.0\db_1
    [main] [9:56:36:715] [sPlatform.isHybrid:63] osName=Windows Vista osArch=amd64 rc=false
    [main] [9:56:36:715] [Library.load:223] Loading library D:\oracle\product\10.2.0\db_1\bin\orauts.dll
    [main] [9:56:36:715] [Library.load:247] Loaded library D:\oracle\product\10.2.0\db_1\bin\orauts.dll from path=
    D:\oracle\product\10.2.0\db_1\bin
    [main] [9:56:36:715] [Library.load:197] Loading MSVCRT.dll...
    [main] [9:56:36:715] [Library.load:203] oracleHome D:\oracle\product\10.2.0\db_1
    [main] [9:56:36:715] [sPlatform.isHybrid:63] osName=Windows Vista osArch=amd64 rc=false
    [main] [9:56:36:715] [Library.load:223] Loading library D:\oracle\product\10.2.0\db_1\bin\MSVCRT.dll
    [main] [9:56:36:731] [Library.load:247] Loaded library D:\oracle\product\10.2.0\db_1\bin\MSVCRT.dll from path=
    D:\oracle\product\10.2.0\db_1\bin
    [main] [9:56:36:731] [Library.load:197] Loading orawsec10.dll...
    [main] [9:56:36:731] [Library.load:203] oracleHome D:\oracle\product\10.2.0\db_1
    [main] [9:56:36:731] [sPlatform.isHybrid:63] osName=Windows Vista osArch=amd64 rc=false
    [main] [9:56:36:731] [Library.load:223] Loading library D:\oracle\product\10.2.0\db_1\bin\orawsec10.dll
    [main] [9:56:36:731] [Library.load:247] Loaded library D:\oracle\product\10.2.0\db_1\bin\orawsec10.dll from path=
    D:\oracle\product\10.2.0\db_1\bin
    [main] [9:56:36:731] [Library.load:197] Loading orasrvm10.dll...
    [main] [9:56:36:731] [Library.load:203] oracleHome D:\oracle\product\10.2.0\db_1
    [main] [9:56:36:731] [sPlatform.isHybrid:63] osName=Windows Vista osArch=amd64 rc=false
    [main] [9:56:36:731] [Library.load:223] Loading library D:\oracle\product\10.2.0\db_1\bin\orasrvm10.dll
    [main] [9:56:36:731] [Library.load:247] Loaded library D:\oracle\product\10.2.0\db_1\bin\orasrvm10.dll from path=
    D:\oracle\product\10.2.0\db_1\bin
    [main] [9:56:36:731] [Version.isPre10i:189] isPre10i.java: Returning FALSE
    [main] [9:56:36:731] [WindowsSystem.regKeyExists:1006] WindowsSystem.regKeyExists: mainkey= HKEY_LOCAL_MACHINE subkey = Software\Oracle\Ocr
    [main] [9:56:36:746] [WindowsSystem.getCSSConfigType:1163] configType=null
    [main] [9:56:36:746] [Host.checkOPS:2073] cluster existence:false
    [main] [9:56:36:746] [Host.checkOPS:2111] Cluster installed=false
    [main] [9:56:36:902] [InitParamHandler.endElement:506] CustomSGA flag: false
    [main] [9:56:36:902] [InitParamHandler.endElement:507] Database Type: MULTIPURPOSE
    [main] [9:56:36:918] [InitParamHandler.endElement:508] Mem Percentage: 40
    [main] [9:56:36:918] [InitParamHandler.endElement:526] distributing Memory: 13737443328
    [main] [9:56:36:918] [MemoryCalculator.calculateMemory:122] Setting SGA to MAX_SGA 1610612736
    [main] [9:56:36:918] [StorageAttributes.setAttribute:232] IN threadID:1 group#=1
    [main] [9:56:36:918] [StorageAttributes.setAttribute:232] IN threadID:1 group#=2
    [main] [9:56:36:918] [StorageAttributes.setAttribute:241] Current threadID=1
    [main] [9:56:36:918] [StorageAttributes.setAttribute:248] Current threadID=1 ==> redoGroups[0]=1
    [main] [9:56:36:918] [StorageAttributes.setAttribute:258] vRedoGroups:[1]
    [main] [9:56:36:918] [StorageAttributes.setAttribute:288] setAttribute: bExists=false
    [main] [9:56:36:918] [StorageAttributes.setAttribute:232] IN threadID:1 group#=3
    [main] [9:56:36:918] [StorageAttributes.setAttribute:241] Current threadID=1
    [main] [9:56:36:918] [StorageAttributes.setAttribute:248] Current threadID=1 ==> redoGroups[0]=1
    [main] [9:56:36:918] [StorageAttributes.setAttribute:248] Current threadID=1 ==> redoGroups[1]=2
    [main] [9:56:36:918] [StorageAttributes.setAttribute:258] vRedoGroups:[1, 2]
    [main] [9:56:36:933] [StorageAttributes.setAttribute:288] setAttribute: bExists=false
    [main] [9:56:36:933] [TemplateManager.parseCloneTemplate:1477] See for any transportable datafiles in TemplateManager.....
    [main] [9:56:36:933] [TemplateManager.isInstallTemplate:2178] Selected Template by user:=General Purpose
    [main] [9:56:36:933] [TemplateManager.isInstallTemplate:2185] The Message Id to be searched:=GENERAL_PURPOSE
    [main] [9:56:36:933] [TemplateManager.parseCloneTemplate:1489] create new clone data file for tp file.......
    [main] [9:56:36:933] [Host.setupOIDCommandlineParameters:7184] setupOIDCommandlineParameters:
    [main] [9:56:36:933] [Host.setupOIDCommandlineParameters:7185] m_regWithdirService: false
    [main] [9:56:36:933] [Host.setupOIDCommandlineParameters:7186] m_unregWithdirService: false
    [main] [9:56:36:933] [Host.setupOIDCommandlineParameters:7187] m_updateDirService: false
    [main] [9:56:36:933] [Verifier.processRawConfigFile:3523] StorageType == 0
    [main] [9:56:36:933] [Verifier.setOradataDest:4349] setOradataDest:dfDest=D:\oracle\product\10.2.0\oradata
    [main] [9:56:36:933] [TemplateManager.updateDatafileDestination:1957] updateDatafiles:datafileDir=D:\oracle\product\10.2.0\oradata
    [main] [9:56:36:933] [TemplateManager.updateDatafileDestination:2103] From template, RedoLogGrName=1
    [main] [9:56:36:965] [TemplateManager.updateDatafileDestination:2118] new file name redo01.log
    [main] [9:56:36:965] [TemplateManager.updateDatafileDestination:2103] From template, RedoLogGrName=2
    [main] [9:56:36:965] [TemplateManager.updateDatafileDestination:2118] new file name redo02.log
    [main] [9:56:36:965] [TemplateManager.updateDatafileDestination:2103] From template, RedoLogGrName=3
    [main] [9:56:36:965] [TemplateManager.updateDatafileDestination:2118] new file name redo03.log
    [main] [9:56:36:965] [ProgressOnlyHost.performOperation:162] processRawConfigFile=false
    [main] [9:56:36:965] [Verifier.validateTemplate:1629] StorageType == 0
    [main] [9:56:36:965] [ProgressOnlyHost.performOperation:178] validateTemplate=true
    [main] [9:56:36:965] [OracleHome.isRacEnabled:149] bRacOn = false
    [main] [9:56:36:980] [Verifier.validateTemplate:1629] StorageType == 0
    [main] [9:56:36:980] [Verifier.calculateCloneDatafilePathsAndSizes:2951] canonicalPath=D:\oracle\product\10.2.0\
    [main] [9:56:36:980] [Verifier.calculateCloneDatafilePathsAndSizes:2951] canonicalPath=D:\oracle\product\10.2.0\
    [main] [9:56:36:980] [Verifier.calculateCloneDatafilePathsAndSizes:2951] canonicalPath=D:\oracle\product\10.2.0\
    [main] [9:56:36:980] [Verifier.calculateCloneDatafilePathsAndSizes:2951] canonicalPath=D:\oracle\product\10.2.0\
    [main] [9:56:36:980] [Verifier.calculateCloneDatafilePathsAndSizes:2951] canonicalPath=D:\oracle\product\10.2.0\
    [main] [9:56:36:980] [Verifier.calculateRedoLogGroupFileSizes:3083] canonicalPath=D:\oracle\product\10.2.0\
    [main] [9:56:36:980] [Verifier.calculateRedoLogGroupFileSizes:3083] canonicalPath=D:\oracle\product\10.2.0\
    [main] [9:56:36:980] [Verifier.calculateRedoLogGroupFileSizes:3083] canonicalPath=D:\oracle\product\10.2.0\
    [main] [9:56:36:980] [Verifier.getControlfFileSizes:3001] No. of Control files:=3
    [main] [9:56:37:105] [Host.executeSteps:4044] Executing steps....
    [main] [9:56:37:105] [Host.setUpForOperation:2920] setUpForOperation: Mode = 128
    [main] [9:56:37:121] [Host.executeSteps:4186] setupForOperation returned: true
    [main] [9:56:37:121] [Host.createStepSQLInterface:5948] sid =ora10g
    [main] [9:56:37:136] [SQLEngine.initialize:242] Execing SQLPLUS/SVRMGR process...
    [main] [9:56:37:136] [SQLEngine.initialize:270] m_bReaderStarted: false
    [main] [9:56:37:136] [SQLEngine.initialize:274] Starting Reader Thread...
    [Thread-4] [9:56:37:355] [StepContext$ModeRunner.run:2478] ---- Progress Needed:=true
    [Thread-4] [9:56:37:464] [BasicStep.execute:202] Executing Step : CLONE_DB_CREATION_RMAN_RESTORE
    [Thread-4] [9:56:37:464] [StepErrorHandler.setFatalErrors:322] setting Fatal Error: ORA-01092
    [Thread-4] [9:56:37:464] [StepErrorHandler.setFatalErrors:322] setting Fatal Error: ORA-01034
    [Thread-4] [9:56:37:464] [StepErrorHandler.setFatalErrors:322] setting Fatal Error: ORA-03114
    [Thread-4] [9:56:37:464] [StepErrorHandler.setFatalErrors:322] setting Fatal Error: ORA-12560
    [Thread-4] [9:56:37:464] [StepErrorHandler.setIgnorableErrors:250] setting Ignorable Error: ORA-01109
    [Thread-4] [9:56:37:464] [BasicStep.configureSettings:304] messageHandler being set=null
    [Thread-4] [9:56:37:464] [BasicStep.execute:202] Executing Step : INSTANCE_CREATION
    [Thread-4] [9:56:37:464] [BasicStep.configureSettings:304] messageHandler being set=null
    [Thread-4] [9:56:37:479] [InitParamAttributes.sortParams:3532] m_sortOn:-1 sortOn:4
    [Thread-4] [9:56:37:620] [OracleHome.isRacEnabled:149] bRacOn = false
    [Thread-4] [9:56:37:667] [Host.noEntryinOratab:5115] Check made for oratab arg passed............
    [Thread-4] [9:56:37:667] [Oradim.getAddEntryCommand:353] AddEntry=[D:\oracle\product\10.2.0\db_1\bin\oradim.exe, -new, -sid, ORA10G, -startmode, manual, -spfile]
    [Thread-4] [9:56:38:899] [Oradim.getEditEntryCommand:422] getEditEntry cmd=[D:\oracle\product\10.2.0\db_1\bin\oradim.exe, -edit, -sid, ORA10G, -startmode, auto, -srvcstart, system]
    [Thread-4] [9:56:39:55] [Oradim.addSidToRegistry:871] oracleHomeKey: SOFTWARE\ORACLE\KEY_OraDb10g_home1
    [Thread-4] [9:56:39:117] [BasicStep.configureSettings:304] messageHandler being set=oracle.sysman.assistants.util.UIMessageHandler@c73f0d8
    [Thread-4] [9:56:39:117] [CloneRmanRestoreStep.executeImpl:217] Instance Creation went fine..........
    [Thread-4] [9:56:39:117] [CloneRmanRestoreStep.executeImpl:224] db_recovery_file_dest=D:\oracle\product\10.2.0\flash_recovery_area
    [Thread-4] [9:56:39:117] [CloneRmanRestoreStep.executeImpl:227] db_recovery_file_dest_size=2147483648
    [Thread-4] [9:56:39:991] [SQLEngine.setSpool:1750] old Spool = null
    [Thread-4] [9:56:39:991] [SQLEngine.setSpool:1751] Setting Spool = D:\oracle\product\10.2.0\db_1\cfgtoollogs\dbca\ora10g\CloneRmanRestore.log
    [Thread-4] [9:56:39:991] [SQLEngine.setSpool:1752] Is spool appendable? --> true
    [Thread-4] [9:56:39:991] [CloneRmanRestoreStep.executeImpl:320] starting with pfile=D:\oracle\product\10.2.0\admin\ora10g\pfile\init.ora

    Check your SQLNET.AUTHENTICATION_SERVICES settings in sqlnet.ora file.
    ORA-28547 : Connection to server failed, probable Net8 admin error
    thanks
    http://swervedba.wordpress.com/

  • Oracle 10.2.0.1 Standard Edition on Windows Server 2003 R2 SP2 German vers.

    Hi,
    We got a "strange" error installing Oracle db on MS win Ser 2003. When the installation procedure created the database it stopped with Ora-604 and Ora-2248. My first thought was the language problem but I'm not sure.
    Below you'll see the trace.log
    If anyone can give me a clue, it would most appreciated !
    Thanks a lot,
    Jacques
    [main] [12:33:57:652] [CommandLineArguments.process:563] CommandLineArguments->process: number of arguments = 32
    [main] [12:33:57:652] [CommandLineArguments.process:738] CommandLineArguments->process: Create Database argument is specified
    [main] [12:33:57:652] [CommandLineArguments.process:910] CommandLineArguments->process: template Name argument is specified
    [main] [12:33:57:652] [CommandLineArguments.process:960] CommandLineArguments->process: db name argument is specified
    [main] [12:33:57:652] [CommandLineArguments.process:3074] CommandLineArguments->process: in Operation Type is Creation/GenerateScripts Mode condition
    [main] [12:33:57:668] [CommandLineArguments.process:3298] CommandLineArguments->process: Successfully process command line arguments
    [main] [12:33:58:73] [Host.checkOPS:2053] Inside checkOPS
    [main] [12:33:58:73] [Host.checkOPS:2065] Trying to check cluster existence
    [main] [12:33:58:120] [Library.getInstance:95] Created instance of Library.
    [main] [12:33:58:120] [Library.load:195] Loading orauts.dll...
    [main] [12:33:58:120] [Library.load:201] oracleHome D:\Programme\oracle\product\10.2.0\db_1
    [main] [12:33:58:120] [sPlatform.isHybrid:63] osName=Windows 2003 osArch=x86 rc=false
    [main] [12:33:58:120] [Library.load:220] Loading library D:\Programme\oracle\product\10.2.0\db_1\bin\orauts.dll
    [main] [12:33:58:120] [Library.load:244] Loaded library D:\Programme\oracle\product\10.2.0\db_1\bin\orauts.dll from path=
    D:\Programme\oracle\product\10.2.0\db_1\bin
    [main] [12:33:58:136] [Library.load:195] Loading MSVCR71.dll...
    [main] [12:33:58:136] [Library.load:201] oracleHome D:\Programme\oracle\product\10.2.0\db_1
    [main] [12:33:58:136] [sPlatform.isHybrid:63] osName=Windows 2003 osArch=x86 rc=false
    [main] [12:33:58:136] [Library.load:220] Loading library D:\Programme\oracle\product\10.2.0\db_1\bin\MSVCR71.dll
    [main] [12:33:58:136] [Library.load:244] Loaded library D:\Programme\oracle\product\10.2.0\db_1\bin\MSVCR71.dll from path=
    D:\Programme\oracle\product\10.2.0\db_1\bin
    [main] [12:33:58:136] [Library.load:195] Loading orawsec10.dll...
    [main] [12:33:58:136] [Library.load:201] oracleHome D:\Programme\oracle\product\10.2.0\db_1
    [main] [12:33:58:136] [sPlatform.isHybrid:63] osName=Windows 2003 osArch=x86 rc=false
    [main] [12:33:58:136] [Library.load:220] Loading library D:\Programme\oracle\product\10.2.0\db_1\bin\orawsec10.dll
    [main] [12:33:58:136] [Library.load:244] Loaded library D:\Programme\oracle\product\10.2.0\db_1\bin\orawsec10.dll from path=
    D:\Programme\oracle\product\10.2.0\db_1\bin
    [main] [12:33:58:136] [Library.load:195] Loading orasrvm10.dll...
    [main] [12:33:58:136] [Library.load:201] oracleHome D:\Programme\oracle\product\10.2.0\db_1
    [main] [12:33:58:136] [sPlatform.isHybrid:63] osName=Windows 2003 osArch=x86 rc=false
    [main] [12:33:58:136] [Library.load:220] Loading library D:\Programme\oracle\product\10.2.0\db_1\bin\orasrvm10.dll
    [main] [12:33:58:136] [Library.load:244] Loaded library D:\Programme\oracle\product\10.2.0\db_1\bin\orasrvm10.dll from path=
    D:\Programme\oracle\product\10.2.0\db_1\bin
    [main] [12:33:58:136] [Version.isPre10i:189] isPre10i.java: Returning FALSE
    [main] [12:33:58:136] [WindowsSystem.regKeyExists:997] WindowsSystem.regKeyExists: mainkey= HKEY_LOCAL_MACHINE subkey = Software\Oracle\Ocr
    [main] [12:33:58:183] [WindowsSystem.getCSSConfigType:1154] configType=null
    [main] [12:33:58:183] [Host.checkOPS:2071] cluster existence:false
    [main] [12:33:58:183] [Host.checkOPS:2109] Cluster installed=false
    [main] [12:33:58:292] [InitParamHandler.endElement:506] CustomSGA flag: false
    [main] [12:33:58:292] [InitParamHandler.endElement:507] Database Type: MULTIPURPOSE
    [main] [12:33:58:292] [InitParamHandler.endElement:508] Mem Percentage: 40
    [main] [12:33:58:292] [InitParamHandler.endElement:526] distributing Memory: 858993049
    [main] [12:33:58:292] [StorageAttributes.setAttribute:232] IN threadID:1 group#=1
    [main] [12:33:58:292] [StorageAttributes.setAttribute:232] IN threadID:1 group#=2
    [main] [12:33:58:292] [StorageAttributes.setAttribute:241] Current threadID=1
    [main] [12:33:58:308] [StorageAttributes.setAttribute:248] Current threadID=1 ==> redoGroups[0]=1
    [main] [12:33:58:308] [StorageAttributes.setAttribute:258] vRedoGroups:[1]
    [main] [12:33:58:308] [StorageAttributes.setAttribute:288] setAttribute: bExists=false
    [main] [12:33:58:308] [StorageAttributes.setAttribute:232] IN threadID:1 group#=3
    [main] [12:33:58:308] [StorageAttributes.setAttribute:241] Current threadID=1
    [main] [12:33:58:308] [StorageAttributes.setAttribute:248] Current threadID=1 ==> redoGroups[0]=1
    [main] [12:33:58:308] [StorageAttributes.setAttribute:248] Current threadID=1 ==> redoGroups[1]=2
    [main] [12:33:58:308] [StorageAttributes.setAttribute:258] vRedoGroups:[1, 2]
    [main] [12:33:58:308] [StorageAttributes.setAttribute:288] setAttribute: bExists=false
    [main] [12:33:58:308] [TemplateManager.parseCloneTemplate:1474] See for any transportable datafiles in TemplateManager.....
    [main] [12:33:58:308] [Host.setupOIDCommandlineParameters:7177] setupOIDCommandlineParameters:
    [main] [12:33:58:308] [Host.setupOIDCommandlineParameters:7178] m_regWithdirService: false
    [main] [12:33:58:308] [Host.setupOIDCommandlineParameters:7179] m_unregWithdirService: false
    [main] [12:33:58:308] [Host.setupOIDCommandlineParameters:7180] m_updateDirService: false
    [main] [12:33:58:308] [Verifier.processRawConfigFile:3523] StorageType == 0
    [main] [12:33:58:308] [Verifier.setOradataDest:4349] setOradataDest:dfDest=D:\Programme\oracle\product\10.2.0\oradata
    [main] [12:33:58:308] [TemplateManager.updateDatafileDestination:1950] updateDatafiles:datafileDir=D:\Programme\oracle\product\10.2.0\oradata
    [main] [12:33:58:308] [TemplateManager.updateDatafileDestination:2096] From template, RedoLogGrName=1
    [main] [12:33:58:323] [TemplateManager.updateDatafileDestination:2111] new file name redo01.log
    [main] [12:33:58:323] [TemplateManager.updateDatafileDestination:2096] From template, RedoLogGrName=2
    [main] [12:33:58:323] [TemplateManager.updateDatafileDestination:2111] new file name redo02.log
    [main] [12:33:58:323] [TemplateManager.updateDatafileDestination:2096] From template, RedoLogGrName=3
    [main] [12:33:58:323] [TemplateManager.updateDatafileDestination:2111] new file name redo03.log
    [main] [12:33:58:323] [ProgressOnlyHost.performOperation:162] processRawConfigFile=false
    [main] [12:33:58:323] [Verifier.validateTemplate:1629] StorageType == 0
    [main] [12:33:58:323] [ProgressOnlyHost.performOperation:178] validateTemplate=true
    [main] [12:33:58:339] [OracleHome.isRacEnabled:147] bRacOn = false
    [main] [12:33:58:354] [Verifier.validateTemplate:1629] StorageType == 0
    [main] [12:33:58:354] [Verifier.calculateCloneDatafilePathsAndSizes:2951] canonicalPath=D:\Programme\oracle\product\10.2.0\
    [main] [12:33:58:354] [Verifier.calculateCloneDatafilePathsAndSizes:2951] canonicalPath=D:\Programme\oracle\product\10.2.0\
    [main] [12:33:58:354] [Verifier.calculateCloneDatafilePathsAndSizes:2951] canonicalPath=D:\Programme\oracle\product\10.2.0\
    [main] [12:33:58:354] [Verifier.calculateCloneDatafilePathsAndSizes:2951] canonicalPath=D:\Programme\oracle\product\10.2.0\
    [main] [12:33:58:354] [Verifier.calculateCloneDatafilePathsAndSizes:2951] canonicalPath=D:\Programme\oracle\product\10.2.0\
    [main] [12:33:58:354] [Verifier.calculateRedoLogGroupFileSizes:3083] canonicalPath=D:\Programme\oracle\product\10.2.0\
    [main] [12:33:58:354] [Verifier.calculateRedoLogGroupFileSizes:3083] canonicalPath=D:\Programme\oracle\product\10.2.0\
    [main] [12:33:58:354] [Verifier.calculateRedoLogGroupFileSizes:3083] canonicalPath=D:\Programme\oracle\product\10.2.0\
    [main] [12:33:58:354] [Verifier.getControlfFileSizes:3001] No. of Control files:=3
    [main] [12:33:58:479] [Host.executeSteps:4042] Executing steps....
    [main] [12:33:58:479] [Host.setUpForOperation:2918] setUpForOperation: Mode = 128
    [main] [12:33:58:479] [Host.executeSteps:4184] setupForOperation returned: true
    [main] [12:33:58:479] [Host.createStepSQLInterface:5946] sid =Rainbow
    [main] [12:33:58:495] [SQLEngine.getEnvParams:424] NLS_LANG: GERMAN_SWITZERLAND.WE8MSWIN1252
    [main] [12:33:58:495] [SQLEngine.initialize:241] Execing SQLPLUS/SVRMGR process...
    [main] [12:33:58:510] [SQLEngine.initialize:269] m_bReaderStarted: false
    [main] [12:33:58:510] [SQLEngine.initialize:273] Starting Reader Thread...
    [Thread-3] [12:33:58:901] [StepContext$ModeRunner.run:2458] ---- Progress Needed:=true
    [Thread-3] [12:33:59:88] [BasicStep.execute:202] Executing Step : CLONE_DB_CREATION_RMAN_RESTORE
    [Thread-3] [12:33:59:88] [StepErrorHandler.setFatalErrors:322] setting Fatal Error: ORA-01092
    [Thread-3] [12:33:59:88] [StepErrorHandler.setFatalErrors:322] setting Fatal Error: ORA-01034
    [Thread-3] [12:33:59:88] [StepErrorHandler.setFatalErrors:322] setting Fatal Error: ORA-03114
    [Thread-3] [12:33:59:88] [StepErrorHandler.setFatalErrors:322] setting Fatal Error: ORA-12560
    [Thread-3] [12:33:59:88] [StepErrorHandler.setIgnorableErrors:250] setting Ignorable Error: ORA-01109
    [Thread-3] [12:33:59:88] [BasicStep.configureSettings:304] messageHandler being set=null
    [Thread-3] [12:33:59:88] [BasicStep.execute:202] Executing Step : INSTANCE_CREATION
    [Thread-3] [12:33:59:88] [BasicStep.configureSettings:304] messageHandler being set=null
    [Thread-3] [12:33:59:88] [InitParamAttributes.sortParams:3525] m_sortOn:-1 sortOn:4
    [Thread-3] [12:33:59:244] [OracleHome.isRacEnabled:147] bRacOn = false
    [Thread-3] [12:33:59:244] [Host.noEntryinOratab:5113] Check made for oratab arg passed............
    [Thread-3] [12:33:59:244] [Oradim.getAddEntryCommand:353] AddEntry=[D:\Programme\oracle\product\10.2.0\db_1\bin\oradim.exe, -new, -sid, RAINBOW, -startmode, manual, -spfile]
    [Thread-3] [12:34:0:492] [Oradim.getEditEntryCommand:422] getEditEntry cmd=[D:\Programme\oracle\product\10.2.0\db_1\bin\oradim.exe, -edit, -sid, RAINBOW, -startmode, auto, -srvcstart, system]
    [Thread-3] [12:34:0:680] [Oradim.addSidToRegistry:871] oracleHomeKey: SOFTWARE\ORACLE\KEY_OraDb10g_home1
    [Thread-3] [12:34:0:742] [BasicStep.configureSettings:304] messageHandler being set=oracle.sysman.assistants.util.UIMessageHandler@898540
    [Thread-3] [12:34:0:742] [CloneRmanRestoreStep.executeImpl:217] Instance Creation went fine..........
    [Thread-3] [12:34:0:742] [CloneRmanRestoreStep.executeImpl:224] db_recovery_file_dest=D:\Programme\oracle\product\10.2.0/flash_recovery_area
    [Thread-3] [12:34:0:742] [CloneRmanRestoreStep.executeImpl:227] db_recovery_file_dest_size=2147483648
    [Thread-3] [12:34:1:476] [SQLEngine.setSpool:1743] old Spool = null
    [Thread-3] [12:34:1:476] [SQLEngine.setSpool:1744] Setting Spool = D:\Programme\oracle\product\10.2.0\db_1\cfgtoollogs\dbca\Rainbow\CloneRmanRestore.log
    [Thread-3] [12:34:1:476] [SQLEngine.setSpool:1745] Is spool appendable? --> true
    [Thread-3] [12:34:1:476] [CloneRmanRestoreStep.executeImpl:320] starting with pfile=D:\Programme\oracle\product\10.2.0/admin/Rainbow/pfile/init.ora
    [Thread-1] [12:34:4:35] [BasicStep.handleNonIgnorableError:430] oracle.sysman.assistants.util.UIMessageHandler@898540:messageHandler
    [Thread-1] [12:34:4:35] [BasicStep.handleNonIgnorableError:431] ORA-00604: error occurred at recursive SQL level 1
    ORA-02248: invalid option for ALTER SESSION
    :msg
    ************************************************************

    Yes, there's a known problem, not with german language, but with territory Switzerland, see on metalink:
    ORA-604 / ORA-02248 WITH NLS_LANG SET TO TERRITORY SWITZERLAND
    Doc ID: 334481.1
    ORA-02248 is only the last error, you have others:
    StepErrorHandler.setFatalErrors:322 setting Fatal Error: ORA-01092
    Thread-3 12:33:59:88 StepErrorHandler.setFatalErrors:322 setting Fatal Error: ORA-01034
    Thread-3 12:33:59:88 StepErrorHandler.setFatalErrors:322 setting Fatal Error: ORA-03114
    Thread-3 12:33:59:88 StepErrorHandler.setFatalErrors:322 setting Fatal Error: ORA-12560
    Thread-3 12:33:59:88 StepErrorHandler.setIgnorableErrors:250 setting Ignorable Error: ORA-01109
    Not sure whether this related to the same problem. As a workaround you may change the territory, for example to GERMANY. If that works you hit the bug mentioned in the metalink not. Normally NLS_LANG is set in the registry.
    Werner

  • Oracle 11g Installation DBCA ORA-01034: Oracle Not Available

    I have two oracle databases installed (using the default settings in dbca) and running on a Windows 2003 R2 server, already.
    However, when I try and create a third using the defaults, after 2%, dbca receives an ORA-01034: Oracle Not Available and stops the creation process.
    I've searched 16 hours or so for a similar issue, but haven't had much luck other than to check sqlnet.ora for OS authentication, the registry keys, and tnsnames.ora.
    I've looked at the trace log for dbca a few times for the different attempts at creating a new database, and they tend to differ when the error is generated.
    Looking at Event Viewer, I noticed that connection events occurred during installation, and that for at least one case, CONNECT / AS SYSDBA occured 3 times before the error was generated.
    I've made more than 3 databases on another machine (XP - not server 2003), without any issue, but it seems odd that this error would be because of server 2003.
    I'm fairly inexperienced with configuring databases for Oracle, so please excuse my ignorance.
    Here's a log file to accompany the issue:
    [main] [14:59:16:460] [DBCAWizard.removePageFromList:1318] DBCAWizard->removePageFromList: The page to be removed = NetworkConfPage
    [main] [14:59:16:460] [DBCAWizard.removePageFromList:1318] DBCAWizard->removePageFromList: The page to be removed = NetworkConfPage
    [main] [14:59:16:460] [DBCAWizard.removePageFromList:1318] DBCAWizard->removePageFromList: The page to be removed = NetworkConfPage
    [main] [14:59:16:460] [DBCAWizard.removePageFromList:1318] DBCAWizard->removePageFromList: The page to be removed = NetworkConfPage
    [main] [14:59:16:460] [DBCAWizard.removePageFromList:1318] DBCAWizard->removePageFromList: The page to be removed = NetworkConfPage
    [main] [14:59:16:460] [DBCAWizard.removePageFromList:1318] DBCAWizard->removePageFromList: The page to be removed = NetworkConfPage
    [main] [14:59:16:460] [DBCAWizard.removePageFromList:1318] DBCAWizard->removePageFromList: The page to be removed = NetworkConfPage
    [main] [14:59:16:460] [CommandLineArguments.process:639] CommandLineArguments->process: number of arguments = 0
    [main] [14:59:16:976] [Host.checkOPS:2290] Inside checkOPS
    [main] [14:59:16:976] [Host.checkOPS:2302] Trying to check cluster existence
    [main] [14:59:17:38] [Library.getInstance:106] Created instance of Library.
    [main] [14:59:17:38] [Library.load:206] Loading orauts.dll...
    [main] [14:59:17:38] [Library.load:212] oracleHome D:\app\Administrator\product\11.1.0\db_1
    [main] [14:59:17:38] [Library.load:227] Property oracle.installer.library_loc is set to value=D:\app\Administrator\product\11.1.0\db_1\oui\lib\win32
    [main] [14:59:17:54] [Library.load:229] Loading library D:\app\Administrator\product\11.1.0\db_1\oui\lib\win32\orauts.dll
    [main] [14:59:17:54] [Library.load:262] Loaded library D:\app\Administrator\product\11.1.0\db_1\oui\lib\win32\orauts.dll from path=
    D:\app\Administrator\product\11.1.0\db_1\oui\lib\win32
    [main] [14:59:17:54] [Library.load:206] Loading MSVCR71.dll...
    [main] [14:59:17:54] [Library.load:212] oracleHome D:\app\Administrator\product\11.1.0\db_1
    [main] [14:59:17:54] [Library.load:227] Property oracle.installer.library_loc is set to value=D:\app\Administrator\product\11.1.0\db_1\oui\lib\win32
    [main] [14:59:17:54] [Library.load:229] Loading library D:\app\Administrator\product\11.1.0\db_1\oui\lib\win32\MSVCR71.dll
    [main] [14:59:17:54] [Library.load:262] Loaded library D:\app\Administrator\product\11.1.0\db_1\oui\lib\win32\MSVCR71.dll from path=
    D:\app\Administrator\product\11.1.0\db_1\oui\lib\win32
    [main] [14:59:17:54] [Library.load:206] Loading orawsec11.dll...
    [main] [14:59:17:54] [Library.load:212] oracleHome D:\app\Administrator\product\11.1.0\db_1
    [main] [14:59:17:54] [Library.load:227] Property oracle.installer.library_loc is set to value=D:\app\Administrator\product\11.1.0\db_1\oui\lib\win32
    [main] [14:59:17:54] [Library.load:229] Loading library D:\app\Administrator\product\11.1.0\db_1\oui\lib\win32\orawsec11.dll
    [main] [14:59:17:54] [Library.load:262] Loaded library D:\app\Administrator\product\11.1.0\db_1\oui\lib\win32\orawsec11.dll from path=
    D:\app\Administrator\product\11.1.0\db_1\oui\lib\win32
    [main] [14:59:17:54] [Library.load:206] Loading orasrvm11.dll...
    [main] [14:59:17:54] [Library.load:212] oracleHome D:\app\Administrator\product\11.1.0\db_1
    [main] [14:59:17:54] [Library.load:227] Property oracle.installer.library_loc is set to value=D:\app\Administrator\product\11.1.0\db_1\oui\lib\win32
    [main] [14:59:17:54] [Library.load:229] Loading library D:\app\Administrator\product\11.1.0\db_1\oui\lib\win32\orasrvm11.dll
    [main] [14:59:17:54] [Library.load:262] Loaded library D:\app\Administrator\product\11.1.0\db_1\oui\lib\win32\orasrvm11.dll from path=
    D:\app\Administrator\product\11.1.0\db_1\oui\lib\win32
    [main] [14:59:17:54] [Version.isPre10i:213] isPre10i.java: Returning FALSE
    [main] [14:59:17:54] [WindowsSystem.regKeyExists:1104] WindowsSystem.regKeyExists: mainkey= HKEY_LOCAL_MACHINE subkey = Software\Oracle\Ocr
    [main] [14:59:17:648] [WindowsSystem.getCSSConfigType:1271] configType=null
    [main] [14:59:17:648] [Host.checkOPS:2308] cluster existence:false
    [main] [14:59:17:648] [Host.checkOPS:2346] Cluster installed=false
    [AWT-EventQueue-0] [14:59:19:429] [OsUtilsBase.getOracleBaseFromInventory:413] Getting ORACLE_BASE from inventory.
    [AWT-EventQueue-0] [14:59:19:445] [OsUtilsBase.getOracleBaseFromInventory:427] Setting oracle.installer.oui_loc = D:\app\Administrator\product\11.1.0\db_1\oui
    [AWT-EventQueue-0] [14:59:19:445] [OsUtilsBase.getOracleBaseFromInventory:430] Oracle Inventory property invptrloc = null
    [AWT-EventQueue-0] [14:59:19:445] [OsUtilsBase.getOracleBaseFromInventory:447] Inventory Home Size = 1
    [AWT-EventQueue-0] [14:59:19:445] [OsUtilsBase.getOracleBaseFromInventory:473] ORACLE_BASE returned from inventory:= D:\app\Administrator
    [AWT-EventQueue-0] [14:59:19:445] [Host.displayOracleBaseWarning:1115] oracleBaseFromEnv null
    [AWT-EventQueue-0] [14:59:19:445] [Host.displayOracleBaseWarning:1121] oracle_base from OUI D:\app\Administrator oracle_base from env
    [AWT-EventQueue-0] [14:59:24:538] [InitParamHandler.endElement:517] CustomSGA flag: false
    [AWT-EventQueue-0] [14:59:24:538] [InitParamHandler.endElement:518] Database Type: MULTIPURPOSE
    [AWT-EventQueue-0] [14:59:24:538] [InitParamHandler.endElement:519] Mem Percentage: 40
    [AWT-EventQueue-0] [14:59:24:538] [InitParamHandler.endElement:552] Total memory MB: 818
    [AWT-EventQueue-0] [14:59:24:538] [OsUtilsBase.is64Bit:294] architecture is 64 bit: false
    [AWT-EventQueue-0] [14:59:24:538] [MemoryCalculator.<clinit>:92] setting memory minimums for 32 bit
    [AWT-EventQueue-0] [14:59:24:554] [StorageAttributes.setAttribute:237] IN threadID:1 group#=1
    [AWT-EventQueue-0] [14:59:24:554] [StorageAttributes.setAttribute:237] IN threadID:1 group#=2
    [AWT-EventQueue-0] [14:59:24:554] [StorageAttributes.setAttribute:246] Current threadID=1
    [AWT-EventQueue-0] [14:59:24:554] [StorageAttributes.setAttribute:253] Current threadID=1 ==> redoGroups[0]=1
    [AWT-EventQueue-0] [14:59:24:554] [StorageAttributes.setAttribute:263] vRedoGroups:[1]
    [AWT-EventQueue-0] [14:59:24:554] [StorageAttributes.setAttribute:293] setAttribute: bExists=false
    [AWT-EventQueue-0] [14:59:24:554] [StorageAttributes.setAttribute:237] IN threadID:1 group#=3
    [AWT-EventQueue-0] [14:59:24:554] [StorageAttributes.setAttribute:246] Current threadID=1
    [AWT-EventQueue-0] [14:59:24:554] [StorageAttributes.setAttribute:253] Current threadID=1 ==> redoGroups[0]=1
    [AWT-EventQueue-0] [14:59:24:554] [StorageAttributes.setAttribute:253] Current threadID=1 ==> redoGroups[1]=2
    [AWT-EventQueue-0] [14:59:24:554] [StorageAttributes.setAttribute:263] vRedoGroups:[1, 2]
    [AWT-EventQueue-0] [14:59:24:554] [StorageAttributes.setAttribute:293] setAttribute: bExists=false
    [AWT-EventQueue-0] [14:59:24:554] [TemplateManager.parseCloneTemplate:1509] See for any transportable datafiles in TemplateManager.....
    [AWT-EventQueue-0] [14:59:36:804] [DatabaseNamePage.onNameChanged:751] m_oldGDBName =
    [AWT-EventQueue-0] [14:59:36:819] [OracleHome.isRacEnabled:177] bRacOn = false
    [AWT-EventQueue-0] [14:59:36:897] [ManagementOptionsPage.initializePage:692] Enumerating Agents
    [AWT-EventQueue-0] [14:59:41:350] [ManagementOptionsPage.validate:1049] emConfigChkBox State: true
    [AWT-EventQueue-0] [14:59:41:350] [ManagementOptionsPage.validate:1050] switchChkBox State: false
    [AWT-EventQueue-0] [14:59:41:350] [ManagementOptionsPage.validateAndSetParams:1090] In validateAndSetParams
    [AWT-EventQueue-0] [14:59:41:350] [NetworkUtils.checkListenerStatus:350] Checking listener status: LISTENER
    [AWT-EventQueue-0] [14:59:41:569] [NetworkUtils.checkListenerStatus:356] lsnrct status output
    LSNRCTL for 32-bit Windows: Version 11.1.0.6.0 - Production on 13-JUN-2008 14:59:41
    Copyright (c) 1991, 2007, Oracle. All rights reserved.
    Connecting to (DESCRIPTION=(ADDRESS=(PROTOCOL=TCP)(HOST=XXX)(PORT=1521)))
    STATUS of the LISTENER
    Alias LISTENER
    Version TNSLSNR for 32-bit Windows: Version 11.1.0.6.0 - Production
    Start Date 13-JUN-2008 10:32:10
    Uptime 0 days 4 hr. 27 min. 33 sec
    Trace Level user
    Security ON: Local OS Authentication
    SNMP OFF
    Listener Parameter File D:\app\Administrator\product\11.1.0\db_1\network\admin\listener.ora
    Listener Log File d:\app\administrator\diag\tnslsnr\XXX\listener\alert\log.xml
    Listener Trace File d:\app\administrator\diag\tnslsnr\XXX\listener\trace\ora_1792_1876.trc
    Listening Endpoints Summary...
    (DESCRIPTION=(ADDRESS=(PROTOCOL=tcp)(HOST=XXX)(PORT=1521)))
    Services Summary...
    Service "Oracle8" has 2 instance(s).
    Instance "ORCL", status UNKNOWN, has 1 handler(s) for this service...
    Instance "XXX", status UNKNOWN, has 1 handler(s) for this service...
    Service "XXX" has 1 instance(s).
    Instance "XXX", status READY, has 1 handler(s) for this service...
    Service "XXX" has 1 instance(s).
    Instance "XXX", status READY, has 1 handler(s) for this service...
    Service "XXX" has 1 instance(s).
    Instance "XXX", status READY, has 1 handler(s) for this service...
    Service "XXX" has 1 instance(s).
    Instance "XXX", status READY, has 1 handler(s) for this service...
    Service "XXX" has 1 instance(s).
    Instance "XXX", status READY, has 1 handler(s) for this service...
    Service "XXX" has 1 instance(s).
    Instance "XXX", status READY, has 1 handler(s) for this service...
    The command completed successfully
    [AWT-EventQueue-0] [15:0:14:475] [TemplateManager.isInstallTemplate:2226] Selected Template by user:=General Purpose
    [AWT-EventQueue-0] [15:0:14:475] [TemplateManager.isInstallTemplate:2233] The Message Id to be searched:=GENERAL_PURPOSE
    [AWT-EventQueue-0] [15:0:14:490] [TemplateManager.isInstallTemplate:2226] Selected Template by user:=General Purpose
    [AWT-EventQueue-0] [15:0:14:490] [TemplateManager.isInstallTemplate:2233] The Message Id to be searched:=GENERAL_PURPOSE
    [AWT-EventQueue-0] [15:0:14:506] [TemplateManager.isInstallTemplate:2226] Selected Template by user:=General Purpose
    [AWT-EventQueue-0] [15:0:14:506] [TemplateManager.isInstallTemplate:2233] The Message Id to be searched:=GENERAL_PURPOSE
    [AWT-EventQueue-0] [15:0:15:84] [Verifier.processRawConfigFile:3709] StorageType == 0
    [AWT-EventQueue-0] [15:0:15:84] [DatabaseOptionPage.doNext:266] processRawConfigFile=false
    [AWT-EventQueue-0] [15:0:17:724] [InitParametersPage.validate:225] InitParametersPage->validate: in SPFile condition
    [AWT-EventQueue-0] [15:0:17:724] [InitParametersPage.validate:229] original spFileName with variables ={ORACLE_HOME}\database\spfile{SID}.ora
    [AWT-EventQueue-0] [15:0:17:724] [Verifier.validateSPFile:4853] The SPFILE={ORACLE_HOME}\database\spfile{SID}.ora
    [AWT-EventQueue-0] [15:0:17:724] [ClusterUtils.validateRawDevice:784] Inside validateRawDevice
    [AWT-EventQueue-0] [15:0:17:724] [ClusterUtils.validateRawDevice:796] Device Exception
    [AWT-EventQueue-0] [15:0:17:724] [ClusterUtils.isRaw:762] The handle is invalid.
    [AWT-EventQueue-0] [15:0:17:724] [InitParametersPage.validate:337] InitParametersPage->validate: calling createUndoAttributes
    [AWT-EventQueue-0] [15:0:19:131] [StoragePage.selectAndExpandItem:333] item=oracle.sysman.emSDK.client.dataComponent.dataDrivenTree.TreeParentNode[label=Storage,index=0]
    [AWT-EventQueue-0] [15:0:19:178] [StoragePage.selectAndExpandItem:342] item.isExpanded=true
    [AWT-EventQueue-0] [15:0:19:193] [StoragePage.selectAndExpandItem:354] selection.isSelected(item)=false
    [AWT-EventQueue-0] [15:0:20:771] [StoragePage.validate:934] StoragePage: In validate function
    [AWT-EventQueue-0] [15:0:20:787] [Verifier.validateTemplate:1780] StorageType == 0
    [AWT-EventQueue-0] [15:0:20:818] [CreationOptionPage.setSaveTemplateVisible:465] Setting save template visible = true
    [AWT-EventQueue-0] [15:0:23:177] [DBCAWizard.onFinish:1203] m_bFinishClicked: false
    [TaskScheduler timer] [15:0:23:177] [OracleHome.isRacEnabled:177] bRacOn = false
    [TaskScheduler timer] [15:0:23:193] [NetworkUtils.checkListenerStatus:350] Checking listener status: LISTENER
    [TaskScheduler timer] [15:0:23:412] [NetworkUtils.checkListenerStatus:356] lsnrct status output
    LSNRCTL for 32-bit Windows: Version 11.1.0.6.0 - Production on 13-JUN-2008 15:00:23
    Copyright (c) 1991, 2007, Oracle. All rights reserved.
    Connecting to (DESCRIPTION=(ADDRESS=(PROTOCOL=TCP)(HOST=XXX)(PORT=1521)))
    STATUS of the LISTENER
    Alias LISTENER
    Version TNSLSNR for 32-bit Windows: Version 11.1.0.6.0 - Production
    Start Date 13-JUN-2008 10:32:10
    Uptime 0 days 4 hr. 28 min. 14 sec
    Trace Level user
    Security ON: Local OS Authentication
    SNMP OFF
    Listener Parameter File D:\app\Administrator\product\11.1.0\db_1\network\admin\listener.ora
    Listener Log File d:\app\administrator\diag\tnslsnr\XXX\listener\alert\log.xml
    Listener Trace File d:\app\administrator\diag\tnslsnr\XXX\listener\trace\ora_1792_1876.trc
    Listening Endpoints Summary...
    (DESCRIPTION=(ADDRESS=(PROTOCOL=tcp)(HOST=XXX)(PORT=1521)))
    Services Summary...
    Service "Oracle8" has 2 instance(s).
    Instance "ORCL", status UNKNOWN, has 1 handler(s) for this service...
    Instance "XXX", status UNKNOWN, has 1 handler(s) for this service...
    Service "XXX" has 1 instance(s).
    Instance "XXX", status READY, has 1 handler(s) for this service...
    Service "XXX" has 1 instance(s).
    Instance "XXX", status READY, has 1 handler(s) for this service...
    Service "XXX" has 1 instance(s).
    Instance "XXX", status READY, has 1 handler(s) for this service...
    Service "XXX" has 1 instance(s).
    Instance "XXX", status READY, has 1 handler(s) for this service...
    Service "XXX" has 1 instance(s).
    Instance "XXX", status READY, has 1 handler(s) for this service...
    Service "XXX" has 1 instance(s).
    Instance "XXX", status READY, has 1 handler(s) for this service...
    The command completed successfully
    [TaskScheduler timer] [15:0:23:412] [Verifier.validateTemplate:1780] StorageType == 0
    [TaskScheduler timer] [15:0:23:412] [Verifier.calculateCloneDatafilePathsAndSizes:3137] canonicalPath=D:\app\Administrator\oradata\
    [TaskScheduler timer] [15:0:23:412] [Verifier.calculateCloneDatafilePathsAndSizes:3137] canonicalPath=D:\app\Administrator\oradata\
    [TaskScheduler timer] [15:0:23:412] [Verifier.calculateCloneDatafilePathsAndSizes:3137] canonicalPath=D:\app\Administrator\oradata\
    [TaskScheduler timer] [15:0:23:412] [Verifier.calculateCloneDatafilePathsAndSizes:3137] canonicalPath=D:\app\Administrator\oradata\
    [TaskScheduler timer] [15:0:23:412] [Verifier.calculateCloneDatafilePathsAndSizes:3137] canonicalPath=D:\app\Administrator\oradata\
    [TaskScheduler timer] [15:0:23:443] [Verifier.calculateRedoLogGroupFileSizes:3269] canonicalPath=D:\app\Administrator\oradata\
    [TaskScheduler timer] [15:0:23:443] [Verifier.calculateRedoLogGroupFileSizes:3269] canonicalPath=D:\app\Administrator\oradata\
    [TaskScheduler timer] [15:0:23:443] [Verifier.calculateRedoLogGroupFileSizes:3269] canonicalPath=D:\app\Administrator\oradata\
    [TaskScheduler timer] [15:0:23:443] [Verifier.getControlfFileSizes:3187] No. of Control files:=3
    [Thread-15] [15:0:23:474] [UIHost.getHtmlSummary:1055] UIHost:getHtmlSummary: running createTemplateDocument NOT for SHOW_TEMPLATE condition
    [Thread-15] [15:0:23:490] [UIHost.getHtmlSummary:1061] UIHost:getHtmlSummary: after running createTemplateDocument NOT for SHOW_TEMPLATE condition
    [Thread-15] [15:0:23:615] [XSLConst.generateHeaderXSL:211] NLS:Template Name:= null
    [Thread-15] [15:0:23:615] [XSLConst.generateHeaderXSL:216] Template Description:= Use this database template to create a pre-configured database optimized for general purpose or transaction processing usage.
    [Thread-15] [15:0:23:865] [UIHost.getHtmlSummary:1100] UIHost->getHtmlSummary: start printing of transformed document
    [TaskScheduler timer] [15:0:26:302] [Host.executeSteps:4426] Executing steps....
    [TaskScheduler timer] [15:0:26:302] [Host.setUpForOperation:3198] setUpForOperation: Mode = 128
    [TaskScheduler timer] [15:0:26:302] [OsUtilsBase.copyFile:715] OsUtilsBase.copyFile:
    [TaskScheduler timer] [15:0:26:318] [OsUtilsBase.copyFile:763] **write of file at destination complete...
    [TaskScheduler timer] [15:0:26:318] [OsUtilsBase.copyFile:798] **file copy status:= true
    [TaskScheduler timer] [15:1:13:879] [OsUtilsBase.copyFile:763] **write of file at destination complete...
    [TaskScheduler timer] [15:1:13:879] [OsUtilsBase.copyFile:798] **file copy status:= true
    [TaskScheduler timer] [15:1:13:895] [Host.executeSteps:4605] setupForOperation returned: true
    [TaskScheduler timer] [15:1:13:895] [Host.createStepSQLInterface:6444] sid =Mapping
    [TaskScheduler timer] [15:1:13:895] [SQLEngine.getEnvParams:446] NLS_LANG: AMERICAN_AMERICA.WE8MSWIN1252
    [TaskScheduler timer] [15:1:13:895] [SQLEngine.initialize:253] Execing SQLPLUS/SVRMGR process...
    [TaskScheduler timer] [15:1:14:35] [SQLEngine.initialize:281] m_bReaderStarted: false
    [TaskScheduler timer] [15:1:14:35] [SQLEngine.initialize:285] Starting Reader Thread...
    [Thread-35] [15:1:14:35] [StepContext$ModeRunner.run:2487] ---- Progress Needed:=true
    [Thread-35] [15:1:14:67] [BasicStep.execute:202] Executing Step : CLONE_DB_CREATION_RMAN_RESTORE
    [Thread-35] [15:1:14:67] [StepErrorHandler.setFatalErrors:322] setting Fatal Error: ORA-01092
    [Thread-35] [15:1:14:67] [StepErrorHandler.setFatalErrors:322] setting Fatal Error: ORA-01034
    [Thread-35] [15:1:14:67] [StepErrorHandler.setFatalErrors:322] setting Fatal Error: ORA-03114
    [Thread-35] [15:1:14:67] [StepErrorHandler.setFatalErrors:322] setting Fatal Error: ORA-12560
    [Thread-35] [15:1:14:67] [StepErrorHandler.setIgnorableErrors:250] setting Ignorable Error: ORA-01109
    [Thread-35] [15:1:14:67] [BasicStep.configureSettings:304] messageHandler being set=oracle.sysman.assistants.util.UIMessageHandler@e1666
    [Thread-35] [15:1:14:67] [BasicStep.execute:202] Executing Step : INSTANCE_CREATION
    [Thread-35] [15:1:14:67] [BasicStep.configureSettings:304] messageHandler being set=oracle.sysman.assistants.util.UIMessageHandler@e1666
    [Thread-35] [15:1:14:67] [InitParamAttributes.sortParams:3562] m_sortOn:4 sortOn:4
    [Thread-35] [15:1:14:67] [InitParamAttributes.createInitFile:1698] Processing init param db_block_size
    [Thread-35] [15:1:14:67] [InitParamAttributes.createInitFile:1703] The value is 8192
    [Thread-35] [15:1:14:67] [InitParamAttributes.createInitFile:1698] Processing init param open_cursors
    [Thread-35] [15:1:14:67] [InitParamAttributes.createInitFile:1703] The value is 300
    [Thread-35] [15:1:14:67] [InitParamAttributes.createInitFile:1698] Processing init param db_domain
    [Thread-35] [15:1:14:67] [InitParamAttributes.createInitFile:1703] The value is ""
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1698] Processing init param db_name
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1703] The value is Mapping
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1698] Processing init param control_files
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1703] The value is ("D:\app\Administrator\oradata\Mapping\control01.ctl", "D:\app\Administrator\oradata\Mapping\control02.ctl", "D:\app\Administrator\oradata\Mapping\control03.ctl")
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1698] Processing init param db_recovery_file_dest
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1703] The value is D:\app\Administrator\flash_recovery_area
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1698] Processing init param db_recovery_file_dest_size
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1703] The value is 2147483648
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1698] Processing init param compatible
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1703] The value is 11.1.0.0.0
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1698] Processing init param diagnostic_dest
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1703] The value is D:\app\Administrator
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1698] Processing init param memory_target
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1703] The value is 857735168
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1698] Processing init param processes
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1703] The value is 150
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1698] Processing init param audit_file_dest
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1703] The value is D:\app\Administrator\admin\Mapping\adump
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1698] Processing init param audit_trail
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1703] The value is db
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1698] Processing init param remote_login_passwordfile
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1703] The value is EXCLUSIVE
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1698] Processing init param dispatchers
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1703] The value is "(PROTOCOL=TCP) (SERVICE=MappingXDB)"
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1698] Processing init param undo_tablespace
    [Thread-35] [15:1:14:192] [InitParamAttributes.createInitFile:1703] The value is UNDOTBS1
    [Thread-35] [15:1:14:473] [OracleHome.isRacEnabled:177] bRacOn = false
    [Thread-35] [15:1:14:473] [Host.noEntryinOratab:5562] Check made for oratab arg passed............
    [Thread-35] [15:1:14:473] [Oradim.getAddEntryCommand:355] AddEntry=[D:\app\Administrator\product\11.1.0\db_1\bin\oradim.exe, -new, -sid, MAPPING, -startmode, manual, -spfile]
    [Thread-35] [15:1:19:35] [Oradim.getEditEntryCommand:436] getEditEntry cmd=[D:\app\Administrator\product\11.1.0\db_1\bin\oradim.exe, -edit, -sid, MAPPING, -startmode, auto, -srvcstart, system]
    [Thread-35] [15:1:19:520] [Oradim.addSidToRegistry:884] oracleHomeKey: SOFTWARE\ORACLE\KEY_OraDb11g_home1
    [Thread-35] [15:1:19:520] [OracleHome.getVersion:974] OracleHome.getVersion called. Current Version: 11.1.0.6.0
    [Thread-35] [15:1:19:520] [OracleHome.getVersion:1046] Current Version From Inventory: 11.1.0.6.0
    [Thread-35] [15:1:19:520] [OracleHome.getVersion:1051] using sqlplus: D:\app\Administrator\product\11.1.0\db_1\bin\sqlplus.exe
    [Thread-35] [15:1:19:520] [CommonUtils.createPasswordFile:515] calling new orapwd for version : 11.1.0.6.0
    [Thread-35] [15:1:19:520] [OsUtilsBase.execProg:1335] beginning execProg with input array.
    [Thread-35] [15:1:19:520] [OsUtilsBase.execProg:1347] finished execProg with input array.
    [Thread-35] [15:1:19:520] [BasicStep.configureSettings:304] messageHandler being set=oracle.sysman.assistants.util.UIMessageHandler@e1666
    [Thread-35] [15:1:19:520] [CloneRmanRestoreStep.executeImpl:218] Instance Creation went fine..........
    [Thread-35] [15:1:19:520] [CloneRmanRestoreStep.executeImpl:225] db_recovery_file_dest=D:\app\Administrator\flash_recovery_area
    [Thread-35] [15:1:19:520] [CloneRmanRestoreStep.executeImpl:228] db_recovery_file_dest_size=2147483648
    [Thread-35] [15:1:23:67] [SQLEngine.done:2014] Done called
    oracle.sysman.assistants.util.sqlEngine.SQLFatalErrorException: ORA-01034: ORACLE not available
         at oracle.sysman.assistants.util.sqlEngine.SQLEngine.executeImpl(SQLEngine.java:1530)
         at oracle.sysman.assistants.util.sqlEngine.SQLEngine.connect(SQLEngine.java:853)
         at oracle.sysman.assistants.dbca.backend.CloneRmanRestoreStep.executeImpl(CloneRmanRestoreStep.java:245)
         at oracle.sysman.assistants.util.step.BasicStep.execute(BasicStep.java:210)
         at oracle.sysman.assistants.util.step.Step.execute(Step.java:140)
         at oracle.sysman.assistants.util.step.StepContext$ModeRunner.run(StepContext.java:2497)
         at java.lang.Thread.run(Thread.java:595)
    [Thread-35] [15:1:23:207] [BasicStep.configureSettings:304] messageHandler being set=oracle.sysman.assistants.util.UIMessageHandler@e1666
    [Thread-35] [15:1:23:207] [StepContext$ModeRunner.run:2513] oracle.sysman.assistants.dbca.backend.CloneRmanRestoreStep.executeImpl(CloneRmanRestoreStep.java:448)
    oracle.sysman.assistants.util.step.BasicStep.execute(BasicStep.java:210)
    oracle.sysman.assistants.util.step.Step.execute(Step.java:140)
    oracle.sysman.assistants.util.step.StepContext$ModeRunner.run(StepContext.java:2497)
    java.lang.Thread.run(Thread.java:595)
    [Thread-35] [15:1:24:191] [SQLEngine.done:2014] Done called
    [Thread-35] [15:1:24:191] [Host.createStepSQLInterface:6444] sid =Mapping
    [Thread-35] [15:1:24:207] [SQLEngine.getEnvParams:446] NLS_LANG: AMERICAN_AMERICA.WE8MSWIN1252
    [Thread-35] [15:1:24:207] [SQLEngine.initialize:253] Execing SQLPLUS/SVRMGR process...
    [Thread-35] [15:1:24:207] [SQLEngine.initialize:281] m_bReaderStarted: false
    [Thread-35] [15:1:24:207] [SQLEngine.initialize:285] Starting Reader Thread...
    [Thread-35] [15:1:24:348] [CloneRmanRestoreStep.cancel:614] Cleaning up partially extracted files failed
    [Thread-35] [15:1:24:535] [SQLEngine.done:2014] Done called
    [Thread-35] [15:1:24:754] [CloneRmanRestoreStep.cancel:629] RMAN cleanup failed
    [Thread-35] [15:1:24:754] [CloneRmanRestoreStep.cancel:630] oracle.sysman.assistants.util.sqlEngine.SQLEngine.executeImpl(SQLEngine.java:1530)
    oracle.sysman.assistants.util.sqlEngine.SQLEngine.connect(SQLEngine.java:853)
    oracle.sysman.assistants.dbca.backend.CloneRmanRestoreStep.cancel(CloneRmanRestoreStep.java:617)
    oracle.sysman.assistants.util.step.StepContext$ModeRunner.cancel(StepContext.java:2590)
    oracle.sysman.assistants.util.step.StepContext$ModeRunner.run(StepContext.java:2552)
    java.lang.Thread.run(Thread.java:595)
    [Thread-35] [15:1:24:754] [CloneDBCreationStep.cancel:895] CloneDBCreationStep.cancel(): nodeList= null
    [Thread-35] [15:1:24:754] [SQLEngine.reInitialize:624] Reinitializing SQLEngine...
    [Thread-35] [15:1:24:754] [SQLEngine.getEnvParams:446] NLS_LANG: AMERICAN_AMERICA.WE8MSWIN1252
    [Thread-35] [15:1:24:754] [SQLEngine.initialize:253] Execing SQLPLUS/SVRMGR process...
    [Thread-35] [15:1:24:754] [SQLEngine.initialize:281] m_bReaderStarted: false
    [Thread-35] [15:1:24:863] [SQLEngine.initialize:285] Starting Reader Thread...
    [Thread-35] [15:1:24:863] [SQLEngine.initialize:334] Waiting for m_bReaderStarted to be true
    [Thread-35] [15:1:25:254] [SQLEngine.done:2014] Done called
    [Thread-35] [15:1:25:473] [OracleHome.isRacEnabled:177] bRacOn = false
    [Thread-35] [15:1:25:473] [Oradim.getRemoveEntryCommand:477] Execing D:\app\Administrator\product\11.1.0\db_1\bin\oradim.exe -delete -sid MAPPING
    [Thread-35] [15:1:27:316] [SQLEngine.done:2014] Done called
    [AWT-EventQueue-0] [15:1:30:379] [SQLEngine.done:2014] Done called
    Any help will be greatly appreciated.

    I found out from another dba that oracle takes up 1 gb of memory by default. So creating 2 databases with default settings means that 2 gb of memory was taken on a windows 32 bit server. So that means only 2 gb is available to the machine, and the server takes up more than half of that making the memory available scarce for another oracle database to be created.

  • ORA-12560 error during 11G Install

    Hi,
    I am trying to install 11G on my WIN XP Pro laptop.During the installation process, whilst the database configuration assistant is on the "Completing Database Creation" stage, ORA-12560 TNS:Protocol Adpater error is thrown.
    I've followed all steps so far in the install guide including installing Microsoft Loopback Adapter for my DHCP laptop but to no avail.
    Anyone's been through this thing before? Appreciate a quick repsosne please.
    Thanks.

    Here's the extract from the log at C:\app\gopher\cfgtoollogs\dbca\homedatabase.I've highlighted the TNS protocol error in bold.
    [Thread-43] [10:2:2:765] [OracleHome.isRacEnabled:177] bRacOn = false
    [Thread-43] [10:2:2:765] [Host.noEntryinOratab:5562] Check made for oratab arg passed............
    [Thread-43] [10:2:2:765] [Oradim.getAddEntryCommand:355] AddEntry=[C:\app\gopher\product\11.1.0\db_1\bin\oradim.exe, -new, -sid, homedatabase, -startmode, manual, -spfile]
    [Thread-43] [10:2:3:890] [Oradim.getEditEntryCommand:436] getEditEntry cmd=[C:\app\gopher\product\11.1.0\db_1\bin\oradim.exe, -edit, -sid, homedatabase, -startmode, auto, -srvcstart, system]
    [Thread-43] [10:2:4:484] [Oradim.addSidToRegistry:884] oracleHomeKey: SOFTWARE\ORACLE\KEY_OraDb11g_home1
    [Thread-43] [10:2:4:484] [OracleHome.getVersion:974] OracleHome.getVersion called. Current Version: 11.1.0.6.0
    [Thread-43] [10:2:4:484] [OracleHome.getVersion:1046] Current Version From Inventory: 11.1.0.6.0
    [Thread-43] [10:2:4:484] [OracleHome.getVersion:1051] using sqlplus: C:\app\gopher\product\11.1.0\db_1\bin\sqlplus.exe
    [Thread-43] [10:2:4:484] [CommonUtils.createPasswordFile:515] calling new orapwd for version : 11.1.0.6.0
    [Thread-43] [10:2:4:484] [OsUtilsBase.execProg:1335] beginning execProg with input array.
    [Thread-43] [10:2:4:484] [OsUtilsBase.execProg:1347] finished execProg with input array.
    [Thread-43] [10:2:4:484] [BasicStep.configureSettings:304] messageHandler being set=oracle.sysman.assistants.util.UIMessageHandler@e7bb91
    [Thread-43] [10:2:4:484] [CloneRmanRestoreStep.executeImpl:218] Instance Creation went fine..........
    [Thread-43] [10:2:4:500] [CloneRmanRestoreStep.executeImpl:225] db_recovery_file_dest=C:\app\gopher\flash_recovery_area
    [Thread-43] [10:2:4:500] [CloneRmanRestoreStep.executeImpl:228] db_recovery_file_dest_size=2147483648
    [Thread-43] [10:2:11:484] [SQLEngine.done:2014] Done called
    oracle.sysman.assistants.util.sqlEngine.SQLFatalErrorException: ORA-12560: TNS:protocol adapter error
         at oracle.sysman.assistants.util.sqlEngine.SQLEngine.executeImpl(SQLEngine.java:1530)
         at oracle.sysman.assistants.util.sqlEngine.SQLEngine.connect(SQLEngine.java:853)
         at oracle.sysman.assistants.dbca.backend.CloneRmanRestoreStep.executeImpl(CloneRmanRestoreStep.java:245)
         at oracle.sysman.assistants.util.step.BasicStep.execute(BasicStep.java:210)
         at oracle.sysman.assistants.util.step.Step.execute(Step.java:140)
         at oracle.sysman.assistants.util.step.StepContext$ModeRunner.run(StepContext.java:2497)
         at java.lang.Thread.run(Thread.java:595)
    [Thread-43] [10:2:11:484] [BasicStep.configureSettings:304] messageHandler being set=oracle.sysman.assistants.util.UIMessageHandler@e7bb91
    [Thread-43] [10:2:11:484] [StepContext$ModeRunner.run:2513] oracle.sysman.assistants.dbca.backend.CloneRmanRestoreStep.executeImpl(CloneRmanRestoreStep.java:448)
    oracle.sysman.assistants.util.step.BasicStep.execute(BasicStep.java:210)
    oracle.sysman.assistants.util.step.Step.execute(Step.java:140)
    oracle.sysman.assistants.util.step.StepContext$ModeRunner.run(StepContext.java:2497)
    java.lang.Thread.run(Thread.java:595)
    [Thread-43] [10:2:12:609] [SQLEngine.done:2014] Done called
    [Thread-43] [10:2:12:609] [Host.createStepSQLInterface:6444] sid =homedatabase
    [Thread-43] [10:2:12:609] [SQLEngine.getEnvParams:446] NLS_LANG: AMERICAN_AMERICA.WE8MSWIN1252
    [Thread-43] [10:2:12:609] [SQLEngine.initialize:253] Execing SQLPLUS/SVRMGR process...
    [Thread-43] [10:2:12:625] [SQLEngine.initialize:281] m_bReaderStarted: false
    [Thread-43] [10:2:12:625] [SQLEngine.initialize:285] Starting Reader Thread...
    [Thread-43] [10:2:12:625] [SQLEngine.initialize:334] Waiting for m_bReaderStarted to be true
    [Thread-43] [10:2:12:843] [SQLEngine.initialize:334] Waiting for m_bReaderStarted to be true
    [Thread-43] [10:2:12:859] [CloneRmanRestoreStep.cancel:614] Cleaning up partially extracted files failed
    [Thread-43] [10:2:12:921] [SQLEngine.done:2014] Done called
    [Thread-43] [10:2:12:921] [CloneRmanRestoreStep.cancel:629] RMAN cleanup failed
    [Thread-43] [10:2:12:921] [CloneRmanRestoreStep.cancel:630] oracle.sysman.assistants.util.sqlEngine.SQLEngine.executeImpl(SQLEngine.java:1530)
    oracle.sysman.assistants.util.sqlEngine.SQLEngine.connect(SQLEngine.java:853)
    oracle.sysman.assistants.dbca.backend.CloneRmanRestoreStep.cancel(CloneRmanRestoreStep.java:617)
    oracle.sysman.assistants.util.step.StepContext$ModeRunner.cancel(StepContext.java:2590)
    oracle.sysman.assistants.util.step.StepContext$ModeRunner.run(StepContext.java:2552)
    java.lang.Thread.run(Thread.java:595)
    [Thread-43] [10:2:12:921] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\oradata\homedatabase\SYSTEM01.DBF
    [Thread-43] [10:2:12:921] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\oradata\homedatabase\SYSAUX01.DBF
    [Thread-43] [10:2:12:921] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\oradata\homedatabase\UNDOTBS01.DBF
    [Thread-43] [10:2:12:921] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\oradata\homedatabase\USERS01.DBF
    [Thread-43] [10:2:12:921] [CloneDBCreationStep.cancel:895] CloneDBCreationStep.cancel(): nodeList= null
    [Thread-43] [10:2:12:921] [SQLEngine.reInitialize:624] Reinitializing SQLEngine...
    [Thread-43] [10:2:12:921] [SQLEngine.getEnvParams:446] NLS_LANG: AMERICAN_AMERICA.WE8MSWIN1252
    [Thread-43] [10:2:12:921] [SQLEngine.initialize:253] Execing SQLPLUS/SVRMGR process...
    [Thread-43] [10:2:12:937] [SQLEngine.initialize:281] m_bReaderStarted: false
    [Thread-43] [10:2:12:937] [SQLEngine.initialize:285] Starting Reader Thread...
    [Thread-43] [10:2:12:937] [SQLEngine.initialize:334] Waiting for m_bReaderStarted to be true
    [Thread-43] [10:2:13:93] [SQLEngine.done:2014] Done called
    [Thread-43] [10:2:13:93] [OracleHome.isRacEnabled:177] bRacOn = false
    [Thread-43] [10:2:13:93] [Oradim.getRemoveEntryCommand:477] Execing C:\app\gopher\product\11.1.0\db_1\bin\oradim.exe -delete -sid homedatabase
    [Thread-43] [10:2:13:203] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\product\11.1.0\db_1\database\PWDhomedatabase.ora
    [Thread-43] [10:2:13:203] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\product\11.1.0\db_1\database\inithomedatabase.ora
    [Thread-43] [10:2:13:203] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\admin\homedatabase\pfile\init.ora
    [Thread-43] [10:2:13:203] [CloneDBCreationStep.cancel:936] CloneDBCreationStep.cancel(): bRaw=false
    [Thread-43] [10:2:13:203] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\oradata\homedatabase\SYSTEM01.DBF
    [Thread-43] [10:2:13:203] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\oradata\homedatabase\SYSAUX01.DBF
    [Thread-43] [10:2:13:203] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\oradata\homedatabase\UNDOTBS01.DBF
    [Thread-43] [10:2:13:203] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\oradata\homedatabase\USERS01.DBF
    [Thread-43] [10:2:13:203] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\oradata\homedatabase\redo01.log
    [Thread-43] [10:2:13:203] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\oradata\homedatabase\redo02.log
    [Thread-43] [10:2:13:203] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\oradata\homedatabase\redo03.log
    [Thread-43] [10:2:13:203] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\oradata\homedatabase\control01.ctl
    [Thread-43] [10:2:13:203] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\oradata\homedatabase\control02.ctl
    [Thread-43] [10:2:13:203] [OsUtilsBase.deleteFile:1013] OsUtilsBase.deleteFile: C:\app\gopher\oradata\homedatabase\control03.ctl
    [Thread-43] [10:2:13:203] [SQLEngine.done:2014] Done called
    [AWT-EventQueue-0] [10:2:20:609] [SQLEngine.done:2014] Done called

  • /sbin/init high CPU usage (80%)

    My PC run slowly, I viewed the processes by htop utility and it revealed that /sbin/init has a constantly high CPU usage, around 70-80%. I scanned it with clamscan virus scanner, but not infected. What can I do to fix this problem?

    Did you mean "ps -ef" ? Then:
    UID PID PPID C STIME TTY TIME CMD
    root 1 0 8 Sep22 ? 08:27:41 /usr/lib/systemd/systemd --system --deserialize 131
    root 2 0 0 Sep22 ? 00:00:00 [kthreadd]
    root 3 2 0 Sep22 ? 00:45:38 [ksoftirqd/0]
    root 5 2 0 Sep22 ? 00:00:00 [kworker/0:0H]
    root 7 2 0 Sep22 ? 00:05:10 [rcu_preempt]
    root 8 2 0 Sep22 ? 00:00:03 [rcu_sched]
    root 9 2 0 Sep22 ? 00:00:00 [rcu_bh]
    root 10 2 0 Sep22 ? 00:00:02 [migration/0]
    root 11 2 0 Sep22 ? 00:00:01 [watchdog/0]
    root 12 2 0 Sep22 ? 00:00:01 [watchdog/1]
    root 13 2 0 Sep22 ? 00:00:02 [migration/1]
    root 14 2 0 Sep22 ? 00:54:35 [ksoftirqd/1]
    root 16 2 0 Sep22 ? 00:00:00 [kworker/1:0H]
    root 17 2 0 Sep22 ? 00:00:00 [khelper]
    root 18 2 0 Sep22 ? 00:00:00 [kdevtmpfs]
    root 19 2 0 Sep22 ? 00:00:00 [netns]
    root 20 2 0 Sep22 ? 00:00:00 [khungtaskd]
    root 21 2 0 Sep22 ? 00:00:00 [writeback]
    root 22 2 0 Sep22 ? 00:00:00 [ksmd]
    root 23 2 0 Sep22 ? 00:00:52 [khugepaged]
    root 24 2 0 Sep22 ? 00:00:00 [crypto]
    root 25 2 0 Sep22 ? 00:00:00 [kintegrityd]
    root 26 2 0 Sep22 ? 00:00:00 [bioset]
    root 27 2 0 Sep22 ? 00:00:00 [kblockd]
    root 30 2 0 Sep22 ? 00:05:54 [kswapd0]
    root 31 2 0 Sep22 ? 00:00:00 [fsnotify_mark]
    root 35 2 0 Sep22 ? 00:00:00 [kthrotld]
    root 36 2 0 Sep22 ? 00:00:00 [ipv6_addrconf]
    root 37 2 0 Sep22 ? 00:00:00 [deferwq]
    root 63 2 0 Sep22 ? 00:00:00 [khubd]
    root 64 2 0 Sep22 ? 00:00:00 [firewire]
    root 65 2 0 Sep22 ? 00:00:00 [firewire_ohci]
    root 66 2 0 Sep22 ? 00:00:00 [ata_sff]
    root 68 2 0 Sep22 ? 00:00:00 [scsi_eh_0]
    root 69 2 0 Sep22 ? 00:00:00 [scsi_tmf_0]
    root 70 2 0 Sep22 ? 00:00:00 [scsi_eh_1]
    root 71 2 0 Sep22 ? 00:00:00 [scsi_tmf_1]
    root 74 2 0 Sep22 ? 00:00:00 [scsi_eh_2]
    root 75 2 0 Sep22 ? 00:00:00 [scsi_tmf_2]
    root 76 2 0 Sep22 ? 00:00:00 [scsi_eh_3]
    root 77 2 0 Sep22 ? 00:00:00 [scsi_tmf_3]
    root 88 2 0 Sep22 ? 00:01:22 [kworker/0:1H]
    root 89 2 0 Sep22 ? 00:00:00 [scsi_eh_4]
    root 90 2 0 Sep22 ? 00:00:00 [scsi_tmf_4]
    root 91 2 0 Sep22 ? 00:00:07 [usb-storage]
    root 99 2 0 Sep22 ? 00:00:00 [kworker/1:1H]
    root 101 2 0 Sep22 ? 00:00:27 [jbd2/sda1-8]
    root 102 2 0 Sep22 ? 00:00:00 [ext4-rsv-conver]
    root 130 1 0 Sep22 ? 00:08:22 /usr/lib/systemd/systemd-journald
    root 145 2 0 Sep22 ? 00:00:00 [rpciod]
    root 147 2 0 Sep22 ? 00:00:00 [nfsiod]
    root 163 1 0 Sep22 ? 00:00:00 /usr/lib/systemd/systemd-udevd
    root 221 2 0 Sep22 ? 00:00:00 [kpsmoused]
    root 243 1 1 Sep22 ? 01:39:24 /sbin/mount.ntfs-3g /dev/sda2 /mnt/ntfs -n -o rw,uid=1000,gid=100,dmask=022,fmask=133
    root 251 1 0 Sep22 ? 00:00:34 /usr/lib/systemd/systemd-logind
    dbus 253 1 0 Sep22 ? 00:02:38 /usr/bin/dbus-daemon --system --address=systemd: --nofork --nopidfile --systemd-activation
    root 254 1 0 Sep22 ? 00:02:32 /usr/bin/haveged -w 1024 -v 1
    root 255 1 0 Sep22 ? 00:00:00 /usr/bin/dhcpcd -q -b
    rpc 258 1 0 Sep22 ? 00:00:00 /usr/bin/rpcbind -w
    root 288 1 0 Sep22 ? 00:00:13 /usr/bin/NetworkManager --no-daemon
    root 295 1 0 Sep22 ? 00:00:00 /usr/sbin/rpc.idmapd
    root 330 2 0 Sep22 ? 00:00:00 [cfg80211]
    polkitd 333 1 0 Sep22 ? 00:00:09 /usr/lib/polkit-1/polkitd --no-debug
    tor 436 1 0 Sep22 ? 00:03:27 /usr/bin/tor -f /etc/tor/torrc
    privoxy 438 1 0 Sep22 ? 00:00:00 /usr/bin/privoxy --pidfile /run/privoxy.pid --user privoxy.privoxy /etc/privoxy/config
    root 445 1 0 Sep22 ? 00:00:00 /usr/sbin/rpc.statd --no-notify
    root 449 1 0 Sep22 ? 00:00:00 /usr/sbin/rpc.mountd
    root 466 2 0 Sep22 ? 00:00:00 [nfsv4.0-svc]
    root 500 1 0 Sep22 ? 00:00:00 /usr/sbin/lxdm-binary
    root 503 500 6 Sep22 tty7 06:37:07 /usr/bin/Xorg.bin :0 vt07 -nolisten tcp -novtswitch
    root 1755 500 0 Sep22 ? 00:00:00 /usr/lib/lxdm/lxdm-session
    walaki 1756 1 0 Sep22 ? 00:00:00 /usr/lib/systemd/systemd --user
    walaki 1757 1756 0 Sep22 ? 00:00:00 (sd-pam)
    walaki 1763 1755 0 Sep22 ? 00:00:00 /bin/sh /etc/xdg/xfce4/xinitrc -- /etc/X11/xinit/xserverrc
    walaki 1773 1 0 Sep22 ? 00:00:00 dbus-launch --sh-syntax --exit-with-session
    walaki 1774 1 0 Sep22 ? 00:00:21 /usr/bin/dbus-daemon --fork --print-pid 5 --print-address 7 --session
    walaki 1781 1763 0 Sep22 ? 00:00:46 xfce4-session
    walaki 1784 1 0 Sep22 ? 00:00:00 /usr/lib/xfce4/xfconf/xfconfd
    walaki 1789 1 0 Sep22 ? 00:00:16 /usr/bin/gpg-agent --sh --daemon --enable-ssh-support --write-env-file /home/walaki/.cache/gpg-agent-info
    walaki 1792 1781 0 Sep22 ? 00:01:54 xfwm4 --display :0.0 --sm-client-id 23fec2b63-e849-4a72-8ded-64b47902bd41
    walaki 1795 1781 0 Sep22 ? 00:00:35 Thunar --sm-client-id 2d0147b28-0a91-4a3b-a669-064fc26ae553 --daemon
    walaki 1797 1781 0 Sep22 ? 00:09:43 xfce4-panel --display :0.0 --sm-client-id 247d7309b-f81b-4064-adbd-0875fed923d4
    walaki 1798 1781 0 Sep22 ? 00:00:18 xfdesktop --display :0.0 --sm-client-id 2e572e480-670a-4c6f-af62-2339f19929ef
    walaki 1799 1 0 Sep22 ? 00:00:36 xfsettingsd --display :0.0 --sm-client-id 26269b48e-af0b-4399-b385-5305502e24f1
    walaki 1802 1781 1 Sep22 ? 01:24:09 /usr/lib/skype/skype -session 21d1f7d38-8c0a-41de-98b7-021e4f2a5bd7_1410900031_251500
    walaki 1803 1781 0 Sep22 ? 00:00:06 kruler -session 20c051002-8d7b-4c2c-bf0b-c384f149b9b5_1410900031_629257
    walaki 1806 1 0 Sep22 ? 00:00:01 xfce4-power-manager --restart --sm-client-id 2154ad16d-be90-40bc-8354-c2647728cf16
    walaki 1810 1 0 Sep22 ? 00:00:00 /usr/lib/gvfs/gvfsd
    walaki 1823 1 0 Sep22 ? 00:00:00 /usr/lib/gvfs/gvfsd-fuse /run/user/1000/gvfs -f -o big_writes
    walaki 1825 1797 0 Sep22 ? 00:00:02 /usr/lib/xfce4/panel/wrapper /usr/lib/xfce4/panel/plugins/libsystray.so 6 14680094 systray Notification Area Area where notification icons appear
    walaki 1833 1797 0 Sep22 ? 00:00:07 /usr/lib/xfce4/panel/wrapper /usr/lib/xfce4/panel/plugins/libmixer.so 15 14680095 mixer Audio Mixer Adjust volume levels
    walaki 1834 1797 0 Sep22 ? 00:44:27 /usr/lib/xfce4/panel/wrapper /usr/lib/xfce4/panel/plugins/libweather.so 16 14680096 weather Weather Update Show current weather conditions
    walaki 1835 1797 0 Sep22 ? 00:46:02 /usr/lib/xfce4/panel/wrapper /usr/lib/xfce4/panel/plugins/libsystemload.so 17 14680097 systemload System Load Monitor Monitor CPU load, swap usage and memory footprint
    walaki 1836 1797 0 Sep22 ? 00:00:03 /usr/lib/xfce4/panel/wrapper /usr/lib/xfce4/panel/plugins/libactions.so 2 14680098 actions Action Buttons Log out, lock or other system actions
    walaki 1841 1797 0 Sep22 ? 00:00:03 /usr/lib/xfce4/panel/wrapper /usr/lib/xfce4/panel/plugins/libthunar-tpa.so 8 14680102 thunar-tpa Trash Applet Display the trash can
    walaki 1843 1 0 Sep22 ? 00:00:04 /usr/lib/gvfs/gvfs-udisks2-volume-monitor
    walaki 1846 1 0 Sep22 ? 00:00:03 /usr/lib/gvfs/gvfsd-trash --spawner :1.9 /org/gtk/gvfs/exec_spaw/0
    root 1856 1 0 Sep22 ? 00:00:00 /usr/lib/upower/upowerd
    root 1857 1 0 Sep22 ? 00:02:10 /usr/lib/udisks2/udisksd --no-debug
    walaki 1862 1 0 Sep22 ? 00:09:10 kwooty -session 2fc05dbf4-9492-4cf1-bd80-efe7e47dfb90_1410900031_251208
    walaki 1895 1 0 Sep22 ? 00:00:00 /usr/lib/GConf/gconfd-2
    walaki 1904 1 0 Sep22 ? 00:00:05 /usr/bin/python2 /usr/bin/glipper
    walaki 1907 1 0 Sep22 ? 00:00:06 nm-applet
    walaki 1922 1 0 Sep22 ? 00:00:00 /usr/lib/at-spi2-core/at-spi-bus-launcher
    walaki 1926 1922 0 Sep22 ? 00:00:25 /usr/bin/dbus-daemon --config-file=/etc/at-spi2/accessibility.conf --nofork --print-address 3
    walaki 1930 1 0 Sep22 ? 00:00:03 /usr/lib/evolution/3.12/evolution-alarm-notify
    walaki 1936 1 1 Sep22 ? 01:59:26 firefox
    walaki 1938 1 0 Sep22 ? 00:01:08 /usr/lib/at-spi2-core/at-spi2-registryd --use-gnome-session
    walaki 2023 1 0 Sep22 ? 00:00:00 /usr/lib/evolution-data-server/evolution-source-registry
    walaki 2043 1 0 Sep22 ? 00:00:25 /usr/lib/gnome-online-accounts/goa-daemon
    walaki 2058 1 0 Sep22 ? 00:00:01 /usr/lib/evolution-data-server/evolution-calendar-factory
    walaki 2084 1 0 Sep22 ? 00:00:00 kdeinit4: kdeinit4 Runnin e
    walaki 2089 2084 0 Sep22 ? 00:00:00 kdeinit4: klauncher [kdei e
    walaki 2101 1 0 Sep22 ? 00:00:06 kdeinit4: kded4 [kdeinit]
    walaki 5752 1 0 Sep22 ? 00:00:01 /usr/bin/gnome-keyring-daemon --start --foreground --components=secrets
    walaki 5887 1789 0 Sep22 ? 00:01:01 scdaemon --multi-server
    walaki 7557 11505 0 11:19 pts/8 00:00:00 /bin/bash
    walaki 8876 19571 0 12:04 pts/4 00:00:03 mc
    walaki 8878 8876 0 12:04 pts/9 00:00:00 bash -rcfile .bashrc
    root 10950 2 0 18:10 ? 00:00:02 [kworker/u4:1]
    walaki 10953 18727 0 18:10 pts/6 00:00:04 mc
    walaki 10955 10953 0 18:10 pts/7 00:00:00 bash -rcfile .bashrc
    walaki 11492 1797 0 Sep23 ? 00:02:06 /usr/bin/python2 /usr/bin/terminator
    walaki 11504 11492 0 Sep23 ? 00:00:00 gnome-pty-helper
    walaki 11505 11492 0 Sep23 pts/8 00:00:00 /bin/bash
    walaki 12283 1797 0 13:19 ? 00:00:26 /usr/bin/python2 /usr/bin/terminator
    walaki 12299 12283 0 13:19 ? 00:00:00 gnome-pty-helper
    walaki 12300 12283 0 13:19 pts/1 00:00:00 /bin/bash
    walaki 12707 1797 0 13:23 ? 00:02:59 geany
    walaki 12713 12707 0 13:23 ? 00:00:00 gnome-pty-helper
    walaki 12714 12707 0 13:23 pts/11 00:00:00 /bin/bash
    walaki 13471 1797 0 18:31 ? 00:00:18 /usr/bin/python2 /usr/bin/terminator
    walaki 13487 13471 0 18:31 ? 00:00:00 gnome-pty-helper
    walaki 13488 13471 0 18:31 pts/3 00:00:00 /bin/bash
    walaki 13751 13488 0 18:33 pts/3 00:00:00 /bin/bash
    walaki 16906 1797 46 13:59 ? 04:12:08 /usr/lib/opera-next/opera-next
    walaki 18711 1797 0 Sep23 ? 00:05:05 /usr/bin/python2 /usr/bin/terminator
    walaki 18726 18711 0 Sep23 ? 00:00:00 gnome-pty-helper
    walaki 18727 18711 0 Sep23 pts/6 00:00:00 /bin/bash
    walaki 19550 1797 0 Sep22 ? 00:01:48 /usr/bin/python2 /usr/bin/terminator
    walaki 19570 19550 0 Sep22 ? 00:00:00 gnome-pty-helper
    walaki 19571 19550 0 Sep22 pts/4 00:00:00 /bin/bash
    walaki 21931 23464 3 20:17 ? 00:04:59 /opt/google/chrome/chrome --type=renderer --lang=en-US --force-fieldtrials=AutoReloadExperiment/Enabled/ChromeSuggestions/Most Likely with Kodachrome/ExtensionInstallVerification/None/OmniboxBundledExperimentV1/StandardR4/Prerender/PrerenderEnabled/PrerenderFromOmnibox/OmniboxPrerenderEnabled/PrerenderLocalPredictorSpec/LocalPredictor=Disabled/SPDY/SpdyDisabled/SettingsEnforcement/no_enforcement/Test0PercentDefault/group_01/UMA-Dynamic-Binary-Uniformity-Trial/default/UMA-New-Install-Uniformity-Trial/Experiment/UMA-Population-Restrict/normal/UMA-Session-Randomized-Uniformity-Trial-5-Percent/group_14/UMA-Uniformity-Trial-1-Percent/group_22/UMA-Uniformity-Trial-10-Percent/group_05/UMA-Uniformity-Trial-100-Percent/group_01/UMA-Uniformity-Trial-20-Percent/group_03/UMA-Uniformity-Trial-5-Percent/group_14/UMA-Uniformity-Trial-50-Percent/default/VoiceTrigger/Install/ --renderer-print-preview --enable-offline-auto-reload --enable-threaded-compositing --enable-delegated-renderer --disable-accelerated-video-decode --disable-webrtc-hw-encoding --disable-gpu-compositing --channel=23445.24.769536197
    walaki 22985 23464 0 20:39 ? 00:00:55 /opt/google/chrome/chrome --type=renderer --lang=en-US --force-fieldtrials=AutoReloadExperiment/Enabled/ChromeSuggestions/Most Likely with Kodachrome/ExtensionInstallVerification/None/OmniboxBundledExperimentV1/StandardR4/Prerender/PrerenderEnabled/PrerenderFromOmnibox/OmniboxPrerenderEnabled/PrerenderLocalPredictorSpec/LocalPredictor=Disabled/SPDY/SpdyDisabled/SettingsEnforcement/no_enforcement/Test0PercentDefault/group_01/UMA-Dynamic-Binary-Uniformity-Trial/default/UMA-New-Install-Uniformity-Trial/Experiment/UMA-Population-Restrict/normal/UMA-Session-Randomized-Uniformity-Trial-5-Percent/group_14/UMA-Uniformity-Trial-1-Percent/group_22/UMA-Uniformity-Trial-10-Percent/group_05/UMA-Uniformity-Trial-100-Percent/group_01/UMA-Uniformity-Trial-20-Percent/group_03/UMA-Uniformity-Trial-5-Percent/group_14/UMA-Uniformity-Trial-50-Percent/default/VoiceTrigger/Install/ --renderer-print-preview --enable-offline-auto-reload --enable-threaded-compositing --enable-delegated-renderer --disable-accelerated-video-decode --disable-webrtc-hw-encoding --disable-gpu-compositing --channel=23445.25.841939391
    walaki 23052 23464 2 20:40 ? 00:03:57 /opt/google/chrome/chrome --type=ppapi --channel=23445.26.1843768387 --ppapi-flash-args --lang=en-US
    walaki 23445 1 3 15:02 ? 00:16:57 /opt/google/chrome/chrome
    walaki 23453 23445 0 15:02 ? 00:00:05 /opt/google/chrome/chrome --type=sandbox-ipc
    walaki 23454 23445 0 15:02 ? 00:00:00 /opt/google/chrome/chrome-sandbox /opt/google/chrome/chrome --type=zygote
    walaki 23455 23454 0 15:02 ? 00:00:00 /opt/google/chrome/chrome --type=zygote
    walaki 23461 23455 0 15:02 ? 00:00:00 /opt/google/chrome/chrome-sandbox /opt/google/chrome/nacl_helper
    walaki 23462 23461 0 15:02 ? 00:00:00 /opt/google/chrome/nacl_helper
    walaki 23464 23455 0 15:02 ? 00:00:00 /opt/google/chrome/chrome --type=zygote
    walaki 23484 23445 0 15:03 ? 00:00:04 /opt/google/chrome/chrome --type=gpu-process --channel=23445.0.587379006 --supports-dual-gpus=false --gpu-driver-bug-workarounds=1,14,20,23,43 --disable-accelerated-video-decode --gpu-vendor-id=0x10de --gpu-device-id=0x0322 --gpu-driver-vendor --gpu-driver-version
    walaki 23672 23464 0 15:04 ? 00:01:06 /opt/google/chrome/chrome --type=renderer --lang=en-US --force-fieldtrials=AutoReloadExperiment/Enabled/ChromeSuggestions/Most Likely with Kodachrome/ExtensionInstallVerification/None/OmniboxBundledExperimentV1/StandardR4/Prerender/PrerenderEnabled/PrerenderFromOmnibox/OmniboxPrerenderEnabled/PrerenderLocalPredictorSpec/LocalPredictor=Disabled/SPDY/SpdyDisabled/SettingsEnforcement/no_enforcement/Test0PercentDefault/group_01/UMA-Dynamic-Binary-Uniformity-Trial/default/UMA-New-Install-Uniformity-Trial/Experiment/UMA-Population-Restrict/normal/UMA-Session-Randomized-Uniformity-Trial-5-Percent/group_14/UMA-Uniformity-Trial-1-Percent/group_22/UMA-Uniformity-Trial-10-Percent/group_05/UMA-Uniformity-Trial-100-Percent/group_01/UMA-Uniformity-Trial-20-Percent/group_03/UMA-Uniformity-Trial-5-Percent/group_14/UMA-Uniformity-Trial-50-Percent/default/VoiceTrigger/Install/ --renderer-print-preview --enable-offline-auto-reload --enable-threaded-compositing --enable-delegated-renderer --disable-accelerated-video-decode --disable-webrtc-hw-encoding --disable-gpu-compositing --channel=23445.5.858801638
    root 23962 288 0 Sep25 ? 00:00:00 /usr/bin/dhclient -d -sf /usr/lib/networkmanager/nm-dhcp-helper -pf /var/run/dhclient-enp2s8.pid -lf /var/lib/NetworkManager/dhclient-a8966a98-c9d9-4425-9e4d-459c41d83921-enp2s8.lease -cf /var/lib/NetworkManager/dhclient-enp2s8.conf enp2s8
    root 24159 1 0 15:08 tty2 00:00:00 /sbin/agetty --noclear tty2 linux
    root 24165 1 0 15:08 tty3 00:00:00 /sbin/agetty --noclear tty3 linux
    root 24169 1 0 15:08 tty5 00:00:00 /sbin/agetty --noclear tty5 linux
    root 24174 1 0 15:08 tty6 00:00:00 /sbin/agetty --noclear tty6 linux
    walaki 25161 1 2 Sep23 ? 02:22:03 audacious
    root 25840 2 0 21:32 ? 00:00:01 [kworker/1:1]
    walaki 27082 23464 4 21:51 ? 00:02:56 /opt/google/chrome/chrome --type=renderer --lang=en-US --force-fieldtrials=AutoReloadExperiment/Enabled/ChromeSuggestions/Most Likely with Kodachrome/ExtensionInstallVerification/None/OmniboxBundledExperimentV1/StandardR4/Prerender/PrerenderEnabled/PrerenderFromOmnibox/OmniboxPrerenderEnabled/PrerenderLocalPredictorSpec/LocalPredictor=Disabled/SPDY/SpdyDisabled/SettingsEnforcement/no_enforcement/Test0PercentDefault/group_01/UMA-Dynamic-Binary-Uniformity-Trial/default/UMA-New-Install-Uniformity-Trial/Experiment/UMA-Population-Restrict/normal/UMA-Session-Randomized-Uniformity-Trial-5-Percent/group_14/UMA-Uniformity-Trial-1-Percent/group_22/UMA-Uniformity-Trial-10-Percent/group_05/UMA-Uniformity-Trial-100-Percent/group_01/UMA-Uniformity-Trial-20-Percent/group_03/UMA-Uniformity-Trial-5-Percent/group_14/UMA-Uniformity-Trial-50-Percent/default/VoiceTrigger/Install/ --renderer-print-preview --enable-offline-auto-reload --enable-threaded-compositing --enable-delegated-renderer --disable-accelerated-video-decode --disable-webrtc-hw-encoding --disable-gpu-compositing --channel=23445.29.1207326524
    root 27424 2 0 22:00 ? 00:00:00 [kworker/0:1]
    root 27664 2 0 15:42 ? 00:00:04 [kworker/u4:2]
    root 27769 2 0 22:07 ? 00:00:00 [kworker/1:2]
    walaki 28865 1 0 Sep25 ? 00:00:00 /usr/lib/gvfs/gvfsd-http --spawner :1.9 /org/gtk/gvfs/exec_spaw/1
    walaki 29628 8878 0 22:54 pts/9 00:00:02 /usr/bin/ruby /home/walaki/util/mr1 Nekem az ég - hazafutás
    walaki 29652 23464 0 22:54 ? 00:00:00 /opt/google/chrome/chrome --type=renderer --lang=en-US --force-fieldtrials=AutoReloadExperiment/Enabled/ChromeSuggestions/Most Likely with Kodachrome/ExtensionInstallVerification/None/OmniboxBundledExperimentV1/StandardR4/Prerender/PrerenderEnabled/PrerenderFromOmnibox/OmniboxPrerenderEnabled/PrerenderLocalPredictorSpec/LocalPredictor=Disabled/SPDY/SpdyDisabled/SettingsEnforcement/no_enforcement/Test0PercentDefault/group_01/UMA-Dynamic-Binary-Uniformity-Trial/default/UMA-New-Install-Uniformity-Trial/Experiment/UMA-Population-Restrict/normal/UMA-Session-Randomized-Uniformity-Trial-5-Percent/group_14/UMA-Uniformity-Trial-1-Percent/group_22/UMA-Uniformity-Trial-10-Percent/group_05/UMA-Uniformity-Trial-100-Percent/group_01/UMA-Uniformity-Trial-20-Percent/group_03/UMA-Uniformity-Trial-5-Percent/group_14/UMA-Uniformity-Trial-50-Percent/default/VoiceTrigger/Install/ --renderer-print-preview --enable-offline-auto-reload --enable-threaded-compositing --enable-delegated-renderer --disable-accelerated-video-decode --disable-webrtc-hw-encoding --disable-gpu-compositing --channel=23445.30.161699173
    root 29693 2 0 22:55 ? 00:00:00 [kworker/0:2]
    root 29915 2 0 23:00 ? 00:00:00 [kworker/0:0]
    root 29930 27664 89 23:00 ? 00:00:31 /usr/lib/systemd/systemd-coredump 29431 1000 100 6 1411765249 wavparse1374:si
    walaki 29946 10955 0 23:01 pts/7 00:00:00 ps -ef
    walaki 29948 10955 0 23:01 pts/7 00:00:00 leafpad
    walaki 30148 1 0 Sep23 ? 00:00:00 /usr/lib/dconf/dconf-service
    walaki 30523 1 0 Sep25 ? 00:00:00 /bin/sh /home/walaki/jdownloader/JDLauncher
    walaki 30544 30523 0 Sep25 ? 00:04:54 /usr/lib/jvm/java-default-runtime/bin/java -Dinstall4j.jvmDir=/usr -Dexe4j.moduleName=/home/walaki/jdownloader/JDLauncher -Xmx512m -Xms64m -Dinstall4j.launcherId=26 -Dinstall4j.swt=false -Di4j.vmov=true -Di4j.vmov=true -Di4j.vmov=true -Di4j.vmov=true -Di4j.vmov=true -Di4j.vpt=true -classpath /home/walaki/jdownloader/.install4j/i4jruntime.jar:/home/walaki/jdownloader/JDownloader.jar com.install4j.runtime.launcher.Launcher launch jd.Main true false true true false true true 0 0 20 20 Arial 0,0,0 8 500 version 0.9 20 40 Arial 0,0,0 8 500 -1

  • Type Error: oE Started immediately after Auto Java update! Other threads just started but doesn't mention the relationship! Firefox reset does not correct

    Problem correlates exactly with the Java update time per event viewer! Problem is starting to gain traction as more users experience same! Can’t determine how to fix? Maybe an error in the Java update?

    I have also been having this problem, starting today, although my Firefox doesn't crash/close when the error box pops up - I can just close the box and carry on browsing.
    However, as with the person in the thread listed above, I found that disabling McAfee SiteAdvisor seems to stop it happening (it happened fairly at random, but in about half an hour of browsing with it disabled, I haven't had the error pop up, compared to within a few minutes when SiteAdvisor is enabled). It looks like there was also a SiteAdvisor update today, so that also correlates with the onset of this problem. Are other people getting this problem using SiteAdvisor? I don't know much about the mechanics of SiteAdvisor - could there be a link with Java too?
    Using Firefox 27.0, Windows 7 SP1, McAfee SiteAdvisor 3.6.5, Java 10.45.2.18.

  • Auto create threaded text frames

    Pardon me if this solution has already been covered.
    I am seeking a solution for auto creating several text frames on a single page. I have an excel/text file which contains the item numbers and prices, there are approximately 50-100 items per page. I would like to use data merge or some resource to import the file while placing each field in its own text frame for repositioning according to images. I played around with the data merge but it created 150 pages each with one text frame.
    Thanks for any ideas.

    If it can be done with InDesign, then almost without exception, it can be scripted. The exceptions are few and far between: off the top of my head, a script can't control the preference to allow attached scripts -- the preference would be pointless if it could.
    There are also things that can be done in a script that can't be done (as opposed to "would be very onerous to do") in the UI. For example, see this:
    http://indesignsecrets.com/easily-add-captions-to-graphics-frames.php
    For more info, check out the InDesign Scripting page on Adobe.com. You might also look at my blog here:
    http://jsid.blogspot.com
    Also, Pete Kahrel has an O'Reilly eBook that is a very good introduction.
    Dave

Maybe you are looking for

  • How do you tell if remote desktopis installed on my ipad

    i need help in finding if remote desktop has been installed on my computer

  • Use of Partition table in R12.1.2

    Hi We are using 10.2.0.4. database along with R12.1.2 E-buniess. we want to use partitioning on standard oracle tables. Can some one inform me what are the standard tables (with column name) on which we can use partition. Thanks Krishna

  • Have PSE10 installed on Acer. Can I install PSE10 on Mac also? [was:Photoshop Transfer]

    Hello! I currently have Adobe Photoshop Elements 10 installed on my Acer Aspire as well as Premiere Elements 10 as it came with my photoshop. I now have a Macbook Pro Retina (no disk slot) and was wondering if it is at all possible to put my photosho

  • IPhone 6 going haywire

    My wife's iPhone 6 is acting crazy.   All day yesterday it stayed at 66% charge but worked fine.   Then last night it went to 1% charge and now is acting very weird. It won't open anything and thebonly thing available on the home screen is to swipe f

  • 'Form View' Component in VC configuration for From & To date

    Hi Experts, In VC I am struggling to fix this from Morning,But can able... My requirment is to develop a Barchart which is based on a BW Query.... The input variable for the query is From/To date.. So user enters From and to date and wants to analyze