Exception when readObj() - please give me a hand!

I am writing a Client/Server application where Server simply sends object to the client. The first object goes well but when the client side reads the second object, the exception caught was "Type code out of range, is -84". Can anybody kindly give me a hand? Thanks very much in advance!
Result on Client:
C:\thesisTest>java TestCli
@Line 1: Get ready!!!
Type code out of range, is -84
receive error.
Source for Server :
import java.net.*;
import java.io.*;
import java.util.*;
import sendNode;
public class TestSer {
     static sendNode sendNodeObj = new sendNode();
static String inputLine;
     public static void main(String[] args) throws IOException {
ServerSocket serverSocket = null;
try {
serverSocket = new ServerSocket(4444);
} catch (IOException e) {
System.err.println("Could not listen on port: 4444.");
System.exit(1);
Socket clientSocket = null;
try {
clientSocket = serverSocket.accept();
} catch (IOException e) {
System.err.println("Accept failed.");
System.exit(1);
OutputStream o = clientSocket.getOutputStream();
ObjectOutput out=new ObjectOutputStream(o);
BufferedReader in = new BufferedReader(
                    new InputStreamReader(
                    clientSocket.getInputStream()));
sendNodeObj.sendMsg="@Line 1: Get ready!!!";
sendNodeObj.typeNode=-1;
out.writeObject(sendNodeObj);
out.flush();
out=new ObjectOutputStream(o);
sendNodeObj.sendMsg="@Line 2: Please input Start";
sendNodeObj.typeNode=-1;
out.writeObject(sendNodeObj);
out.flush();
inputLine = in.readLine();
while (!inputLine.equalsIgnoreCase("Start")) {
     sendNodeObj.sendMsg="@Error, Please input Start";
sendNodeObj.typeNode=-1;
out.writeObject(sendNodeObj);
out.flush();
inputLine = in.readLine();
out.close();
in.close();
clientSocket.close();
serverSocket.close();
Source for Client:
import java.io.*;
import java.net.*;
import java.util.*;
import java.applet.Applet;
import sendNode;
public class TestCli extends Applet {
static sendNode recNodeObj=null;
public static void main(String[] args) throws IOException {
BufferedReader stdIn = new BufferedReader(new InputStreamReader(System.in));
Socket kkSocket = null;
PrintWriter out = null;
try {
kkSocket = new Socket("127.0.0.1", 4444);
out = new PrintWriter(kkSocket.getOutputStream(), true);
} catch (UnknownHostException e) {
System.err.println("Don't know about host.");
System.exit(1);
} catch (IOException e) {
System.err.println("Couldn't get I/O for the connection to: taranis.");
System.exit(1);
InputStream i= kkSocket.getInputStream();
ObjectInput in= new ObjectInputStream(i);
try {
     recNodeObj = (sendNode)in.readObject();
System.out.println(recNodeObj.sendMsg);
     recNodeObj = (sendNode)in.readObject();
System.out.println(recNodeObj.sendMsg);
if (recNodeObj.sendMsg.equalsIgnoreCase("@Line 2: Please input Start")) {
out.println("Start");
} catch (Exception e) {
System.out.println(e.getMessage());
System.out.println("receive error.");
System.exit(1);
out.close();
in.close();
stdIn.close();
kkSocket.close();

You are not being consistent in the way you use ObjectOutputStream and ObjectInputStream.
For every new ObjectOutputStream you create you need a corresponding new ObjectInputStream, because ObjectOutputStream writes a header that ObjectInputStream reads.
In general, you probably don't want to use multiple OutputOutputStream objects on a given underlying socket, because it is ineffecient in the way class names etc are encoded.
Sylvia.

Similar Messages

  • Please Give Me Your Hands

    Here is my codes, I try to save the "drawing" Panel graphics into a jpg, and I can compile it, however, when I run it, system tell me" NullPointerException"!!!
    I'm out of ideas, Please help, Thank you So much!!!
    import java.awt.*;
    import java.awt.image.*;
    import javax.swing.*;
    import javax.imageio.*;
    import com.sun.image.codec.jpeg.*;
    import java.io.*;
    import java.awt.geom.*;
    public class test3 extends JFrame
         public test3()
              super("test");
              setSize(800, 600);
              setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
              drawingArea drawing = new drawingArea();
              Container c = getContentPane();
              c.add(drawing, BorderLayout.CENTER);
              int paneWidth = drawing.getWidth();
              int paneHeight = drawing.getHeight();
              BufferedImage buffer = new BufferedImage(600, 600, BufferedImage.TYPE_INT_RGB);
              buffer = (BufferedImage)drawing.createImage(paneWidth, paneHeight);
              Graphics graphic = buffer.getGraphics();
              if(graphic.getClipBounds()!=null)
                   graphic.setClip(0, 0, paneWidth, paneHeight);
              drawing.paint(graphic);
              try
                   File file = new File("test.jpg");
                   FileOutputStream out = new FileOutputStream(file);
                   JPEGImageEncoder encoder = JPEGCodec.createJPEGEncoder(out);
                   JPEGEncodeParam param = encoder.getDefaultJPEGEncodeParam(buffer);
              encoder.setJPEGEncodeParam(param);
              param.setQuality(1.0f,false);
                   encoder.encode(buffer);
                   out.flush();
                   out.close();
              catch(IOException ioe)
                   System.out.println(ioe.toString() + "something wrong");
              catch(RasterFormatException rfe)
                   System.out.println(rfe.toString() + "rfe");
              setVisible(true);
         class drawingArea extends JPanel
              public void paintComponent(Graphics g)
                   Graphics2D g2D = (Graphics2D)g;
                   Rectangle2D.Float rect = new Rectangle2D.Float(50F, 50F, 20F, 20F);
                   g2D.draw(rect);
         public static void main(String args[])
              test3 t = new test3();
    }

    1 - the graphics context of a Component is null until the Component is realized, ie, until you call pack or setVisible on its top-level Container
    2 - you can make up a BufferedImage and save it without using a Component to show it
    3 - using a 'png' extension seems to give better results and a smaller file size than 'jpg'
    import java.awt.*;
    import java.awt.event.*;
    import java.awt.geom.*;
    import java.awt.image.BufferedImage;
    import java.io.*;
    import java.net.*;
    import javax.imageio.ImageIO;
    import javax.swing.*;
    public class ImageTest
        ImageTestPanel imagePanel;
        ImageTestUtility utility;
        BufferedImage image;
        public ImageTest()
            createImage();
            imagePanel = new ImageTestPanel();
            utility = new ImageTestUtility();
            JFrame f = new JFrame();
            f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            f.getContentPane().add(getUIPanel(), "North");
            f.getContentPane().add(imagePanel);
            f.setSize(400,400);
            f.setLocation(200,200);
            System.out.println("imagePanel graphics context before visible = " +
                                imagePanel.getGraphics());
            f.setVisible(true);
            System.out.println("imagePanel graphics context after realized = " +
                                imagePanel.getGraphics());
        private void createImage()
            int w = 200;
            int h = 200;
            image = new BufferedImage(w, h, BufferedImage.TYPE_INT_RGB);
            Graphics2D g2 = image.createGraphics();
            g2.setRenderingHint(RenderingHints.KEY_ANTIALIASING,
                                RenderingHints.VALUE_ANTIALIAS_ON);
            g2.setPaint(Color.white);
            g2.fillRect(0, 0, w, h);
            g2.setPaint(Color.blue);
            g2.draw(new Rectangle2D.Double(w/16, h/16, w*7/8, h*7/8));
            int dia = Math.min(w, h)/4;
            g2.setPaint(Color.red);
            g2.draw(new Ellipse2D.Double(w/2 - dia/2, h/2 - dia/2, dia, dia));
            g2.setPaint(Color.green.darker());
            g2.draw(new Line2D.Double(w/16, h*15/16, w*15/16, h/16));
            g2.dispose();
        private JPanel getUIPanel()
            final JButton
                saveComponent = new JButton("save component"),
                saveImage = new JButton("save image");
            ActionListener l = new ActionListener()
                public void actionPerformed(ActionEvent e)
                    JButton button = (JButton)e.getSource();
                    if(button == saveComponent)
                        utility.saveComponent(imagePanel);
                    if(button == saveImage)
                        utility.saveToFile(image);
            saveComponent.addActionListener(l);
            saveImage.addActionListener(l);
            JPanel panel = new JPanel();
            panel.add(saveComponent);
            panel.add(saveImage);
            return panel;
        public static void main(String[] args)
           new ImageTest();
    class ImageTestPanel extends JPanel
        public ImageTestPanel() { }
        protected void paintComponent(Graphics g)
            super.paintComponent(g);
            Graphics2D g2 = (Graphics2D)g;
            g2.setRenderingHint(RenderingHints.KEY_ANTIALIASING,
                                RenderingHints.VALUE_ANTIALIAS_ON);
            g2.setPaint(Color.red);
            g2.draw(new Rectangle2D.Float(50, 50, 20, 20));
    class ImageTestUtility
        public BufferedImage loadImage(String fileName)
            BufferedImage image = null;
            try
                URL url = getClass().getResource(fileName);
                image = ImageIO.read(url);
            catch(MalformedURLException mue)
                System.err.println("url: " + mue.getMessage());
            catch(IOException ioe)
                System.err.println("read: " + ioe.getMessage());
            return image;
        public void saveComponent(Component c)
            int w = c.getWidth();
            int h = c.getHeight();
            BufferedImage bi = new BufferedImage(w, h, BufferedImage.TYPE_INT_RGB);
            Graphics2D g2 = bi.createGraphics();
            c.paint(g2);
            g2.dispose();
            saveToFile(bi);
        public void saveToFile(BufferedImage image)
            try
                ImageIO.write(image, "jpg", new File("imageTest.jpg"));
            catch(IOException ioe)
                System.err.println("write: " + ioe.getMessage());
    }

  • Please give me a hand!!!

    please help me!
    HttpServletRequest request;
    i use "request.setAttribute("value",value);" in a method of "Action" to save the value and use "request.getAttribute("value");" to get the value in "jsp" which findForward from the method, but there are two servers being used which are deployed same. my problem is that when the servers are changing randomly to serve you, can i get the value correctly everytime? if the answer is "no", can you help me solve this problem?
    thank you!
    jjrainbow

    You have two clustered servers, either of which can handle the request?
    As I understand it, once a server receives a request it should handle the entire request. Forwarding to another jsp/servlet is purely an internal transition, and so should not result in changing the server.
    If you can make that assumption, then your request attributes will always be present and correct.
    So I think the answer to your question: "can I get the value correctly every time" is yes. Unless you are doing your own custom clustering which does interfer in the request cycle in which case all bets are off. Most likely though, there is no issue .

  • Bash shell script to exception when database has been shutdown

    Hi, I'm quite new in shell scripting. I created the below simple script to do a check on the database, it's a count so it works fine... if the database is there. Now I want to be able to catch if the database is or is not there, what I tried so far didn't work, can anybody please give me a hand with this?
    The shell script file "start_check.sh":
    #!/bin/bash
    # Set environmental variables
    . /home/oracle/env/usrdwh1.env
    TEMP_FILE=rwcnt
    runCheckQuery()
    # Run query and dump result into the TEMP_FILE
    sqlplus -s "/as sysdba" > /tmp/${TEMP_FILE} << EOF
    @/u02/reports/sql/start_check.sql
    EOF
    if [ $? -eq 0 ]
    then err_num=0
    else err_num=1
    fi
    ################ MAIN ####################
    runCheckQuery
    row_count=`cat /tmp/${TEMP_FILE}`
    if [ $err_num -eq 0 ]
    then
    # If no rows were found then send an email alert
    if [ $row_count -eq 0 ]; then
    echo 'No process found - Please investigate' | mailx -s "Daily check ALERT" [email protected]
    fi
    else
    # There was an error when trying to connect to the db. Need to report it
    echo 'Database connection error - Please investigate - Error Message: (' $row_count ')' | mailx -s "Daily check ALERT (Database connection error)" [email protected]
    fi
    # Remove the tmp file
    rm /tmp/${TEMP_FILE}
    The sql script file "start_check.sql":
    SET SERVEROUTPUT ON
    SET FEEDBACK OFF
    WHENEVER SQLERROR EXIT;
    DECLARE
    row_count NUMBER;
    BEGIN
    SELECT COUNT(*)
    INTO row_count
    FROM dw_ml_ba ml_ba
    WHERE sys_id = 'CCX'
    AND ml_ex_start_datetime > TRUNC(sysdate);
    DBMS_OUTPUT.PUT_LINE(row_count);
    END;
    EXIT
    Edited by: leocoppens on Jan 4, 2013 4:05 PM

    There may be a better, but here is a shell script that works:
    #!/bin/ksh
    # db_check.sh
    # Script used to check if one or all of the databases on
    # one server are available.
    # Parameter Description
    sid=$1    # Database SID or Keyword 'all'
    function check1db
    sid=$1    # Database SID
    ORAENV_ASK=NO
    . /usr/local/bin/oraenv "$sid"
    ORAENV_ASK=YES
    if [ $(ps -ef|grep "ora_smon_$sid"|grep -v grep|wc -l) -eq 0 ]
    then
      echo "%-Error, Database $sid is NOT available - Not started\n" >>${CHKLOG}
      return 1
    fi
    dbok=$(\
    sqlplus -s / <<!
    if [[ $(echo $dbok|cut -d' ' -f1 ) == 'ERROR:' ]]
    then
      echo "%-Error, Database $sid is NOT available - Started with errors\n" >>${CHKLOG}
      return 1
    else 
      echo "%-Info, Database $sid is available\n" >>${CHKLOG}
    fi
    return 0
    } # end function check1db
    # Set some environment variables:
    ORACFG=/etc               # Location of oratab
    ORALOG=$HOME/logs         # Location for result log
    EMAIL='[email protected]'  # E-mail to send alert
    sid=${sid:-'all'}
    echo "$0 Job started at: `date` "
    BDATE=$(date +%y%m%d)
    export CHKLOG=$ORALOG/db_check_${sid}_${BDATE}.log
    echo "$0 on `date`" >$CHKLOG
    if [ "$sid" = "all" ]
    then
      i=0
      stat=0
      cat $ORACFG/oratab | while read LINE
      do
        case $LINE in
         \#*)            ;;      #comment-line in oratab
            sid=`echo $LINE | awk -F: '{print $1}'`
            check1db "$sid"
            stat1=$?
            ((stat += $stat1)) # Combine the Status of All Calls
            ((i = $i + 1))     # Count Number of Databases Checked
        esac
      done
      ((j = $i - $stat))  # Count Number of Databases Available
      echo "\n%-Info, `date +%c`,\n\tTotal databases checked = $i,\n\tAvailable = $j, Not available = $stat\n" >>${CHKLOG}
    else
      check1db $sid
      stat=$?
    fi
    # Beep operator if database down.
    if [ ${stat} -ne 0 ]
    then
      SUBJ="Database(s) alert."
      mailx -s"$SUBJ" $EMAIL <$CHKLOG
    fi
    echo "$0 Job stoped at: `date` "
    exit $stat:p

  • How to get those Char Description when i record please give a solution

    Hi Experts
    when i try to extend using BDC the meterial all data is getting copied to new plant but in MRP3 Configure varients is not getting copied in bdc i am getting all the values from parent plant but these values are not getting displayed in new plant for only *MRP3 Configure varients
    how to get those values please give a solution
    and
    when i am trying to make the BDC recording of creation of meterial in this process
    in MRP3 when i give configurable meterial  = Lamp  or CT or VOLTMETER and when
    i go for configurevariants button it's not displaying any Char Description  for the perticular meterial
    but in general when i creat a material process  there Char Description  are coming where i can give the values
    how to get those Char Description when i record please give a solution

    Hi Maen Anachronos
    i am Getting popup where i can give any value
    but in creation of meterial for a perticular config meterial there is will be 1 templete in which we will get some constant  Char Description where we'll have some options to give the value
    but when it 's done in BDC Recording  it's not displaying any values Char Description then how can we decide the values to what to give when Recording

  • I have just synced my iphone to my computer and all of my contacts went onto the computer and off my phone !! i have a mac .when i sync contacts i click on all contacts and only seven are going onto the phone !! can someone please give me an awnser

    i have just synced my iphone to my computer and all of my contacts went onto the computer and off my phone !! i have a mac .when i sync contacts i click on all contacts and only seven are going onto the phone !! can someone please give me an awnser

    When you connect the iPhone to sync with the new computer,  a number of things will happen. If the new computer/iTunes does not contain any music, then yes, you will receive a prompt saying this iPhone is synced to another library, and if you continue, you will lose your music. However, you risk losing a number of other things, such as apps, contacts and calendar data. When you ask about photos, any photos that you have on the iPhone that were synced from the previous computer would also be lost. You need to save the photo folder from the old laptop and transfer that to the new desktop. You also need to sync the contacts and calendar to the same supported application that you were using in the past, such as Outlook, unless you are using an outside web-based sync, such as Google. Also, when you first connect the iPhone, it will make a backup, or at least make sure that it does before you attempt to sync, or you will not have a backup of some of the other things, such as mail settings, SMS, and the contents of the Camera Roll. I would import the photos from the camera roll to the new computer before trying to do anything else in iTunes.

  • I'm trying to downgrade my storage on my ipod but when I chose my new storage i'm not able to complete the choice because the 'done' button doesn't do anything. can someone please give me some advice?

    I'm trying to downgrade my storage on my ipod but when I chose my new storage i'm not able to complete the choice because the 'done' button doesn't do anything. can someone please give me some advice?

    Are you choosing a different plan before tapping Done?
    To downgrade, you should be doing the following:
    Go to Settings > iCloud > Storage & Backup.
    Tap Change Storage Plan.
    Tap Downgrade Options and enter your Apple ID password.
    Choose a different plan to use when your current storage plan expires.
    Tap Done.

  • Please give me the information when to use inner classes in applications

    HI,
    please give me when to use the innerclasses

    > HI,
    please give me when to use the innerclasses
    Use them when you want to create a class within another class.
    Now gimme all 'er Dukes!!!

  • When i call someone who already connected with another call it doesn't show any wating notification. why? it is very important. all other mobiles have this potion. Please give me some solution.

    when i call someone who already connected with another call it doesn't show any wating notification. why? it is very important. all other mobiles have this option. Please give me some solution.

    Your iPhone can take multiple calls. If you answer your phone from one person or call someone and another call comes into you, you will hear a beep and if you pull your phone away from your ear, you will see that you can hang up the call with the 1st person or answer the 2nd call and then swap between the two.
    I have no idea what you mean by you calling someone who is already talking to someone. I've never been able to see on my iPhone that someone I'm calling is already talking to someone else.

  • Please give me advices when to use black and white sliders in LR4.

    Please give me advices when to use black and white sliders in LR4.

    I use blacks and white sliders on every photo (this does not necessarily imply non-zero values). I consider them as important as any other slider. Not optional, not for fine tuning - include consideration each iteration.
    Although that is contrary to what Adobe and many "experts" recommend, I tried doing it their way too but I could not get the results I wanted in most cases.
    The "concept" and original intent is for fine tuning, but the implementation is not. I often set whites to +20, +30, +40. This has a radical effect on overall exposure which is the most important thing to get right in PV2012. And it generally requires compensatory adjustment of highlights, shadows, and sometimes contrast...
    Likewise, optimal shadow toning can include radical blacks adjustment  - sorry Adobe/experts/defenders, but for me - it's true. And, blacks slider, like whites, affects entire histogram, a lot.
    Summary:
    ========
    If you want to keep things as simple as possible, then use sparingly and use last (gag), but if you want your photos to look how you want them to look - as good as possible, then use liberally, and pay the price...
    More info here: http://forums.adobe.com/message/4259091#4259091
    Rob

  • Exception when running WLST in Eclipse - Please Help!!!

    Hello,
    I am trying to get get a WLST online connection via a java class, but I am getting an exception when trying to connect to an admin server instance:
    <br>
    <br><b>javax.naming.CommunicationException [Root exception is java.rmi.ConnectIOException: error during JRMP connection establishment; nested exception is:
         java.io.EOFException]
         at weblogic.jrmp.Context.lookup(Context.java:189)
         at weblogic.jrmp.Context.lookup(Context.java:195)
         at javax.naming.InitialContext.lookup(InitialContext.java:351)
         at weblogic.management.scripting.WLSTHelper.initDeprecatedConnection(WLSTHelper.java:546)
         at weblogic.management.scripting.WLSTHelper.initConnections(WLSTHelper.java:285)
    <br>
    <br>
    The CompatabilityMBeanServer is not initialized properly. This might happen if the CompatabilityMBeanServer is disabled via the JMXMBean.To view the real exception use dumpStack()
    WLST detected that the RuntimeMBeanServer is not enabled. This might
    happen if the RuntimeMBeanServer is disabled via the JMXMBean.
    Please ensure that this MBeanServer is enabled. Online WLST cannot function
    without this MBeanServer.</b>
    <br>
    <br>
    I am basically trying to run the following WLST command in java:
    <b>connect('weblogic','weblogic','t3://localhost:7201')</b>
    <br>
    <br>
    Here is the java block that I call to create the connection with the WLSTIterpreter:
    <br>
    <br>
    <b>StringBuffer buffer = new StringBuffer();
    buffer.append("connect('weblogic','weblogic','t3://localhost:7201')\n");     System.out.println(buffer.toString());
    <br>
    INTERPRETER.exec(buffer.toString());</b>
    <br>
    <br>
    My admin server is running at this address and the CompatabilityMBeanServer is enabled. The strange thing this is that I am able to run the WLST via the command line and the connection is successful with no problems. This leads me to believe that there is something wrong with my classpath/environment that I have setup in Eclipse but I am not sure.
    Any ideas on where I went wrong??? Please help!
    Thanks :)
    PS. I am running WebLogic 9.1 and java 150_06
    Message was edited by:
    rogaljo

    I also have a similar issue (JNDI lookup works on the command line but not in Eclipse).
    I posted another topic regarding this today with the title:
    "CommunicationException ..."
    In the groups:
    weblogic...jndi
    weblogic...jdbc

  • Hii updated my New  Ipad to iOS 6, and when i try to open itunes a dialog box appear which says " Cannot Connect to Itunes Store"??????..please give some solution

    hiii
    I updated my new ipad to iOS6  and when I try to open itunes a box appear which says " Cannot connect to itunes store"?????????
    please give me some solution.
    And i also try to bluetooth to connect to another apple device, but no pairing or connection is made???????????

    hiii
    I updated my new ipad to iOS6  and when I try to open itunes a box appear which says " Cannot connect to itunes store"?????????
    please give me some solution.
    And i also try to bluetooth to connect to another apple device, but no pairing or connection is made???????????

  • How can  i do exception aggregation  please give scrreenshots steps in bi-7

    how can  i do exception aggregation  please give scrreenshots steps in bi-7

    HI Deba,
                 We can create exception aggr in inof object level........
    we can maintain at query level also.........
    Exception aggregation
    In the query definition, the exception aggregation that was specified with the InfoObject
    maintenance can be overridden. This overriding leads to a worsening of performance
    however.
    https://www.sdn.sap.com/irj/sdn/go/portal/prtroot/docs/library/uuid/bda556e9-0c01-0010-83b0-d519d6deb9e9
    Regards,
    Vijay.

  • I can not read any contents in my yahoo inbox messages? It is blank when i opened my message. Are there any setting or updated that i missed? Please give me some advices? Thank you. Phuong

    Question:
    I can not read any contents in my yahoo inbox messages? It is blank when i opened my message. Are there any setting or updated that i missed? Please give me some advices? Thank you. Phuong

    Hi AM_Kidd.
    Thanks for your reply.
    I have done a complete uninstall and re install of iTunes and all related apple programs from my laptop through control panel, add remove programs and also by going through program files and deleting all tracers of any left over folders remove programs may have missed.
    My apologies for forgetting to add this in my original post.
    Thanks again

  • Please give me When Nokia C2 is released in india

    Hello ,
                 I am waiting for buy Nokia C2 in india, So please give me release date in india,Waiting for your reply.
    Yours
    Santhosh

    you will need to check with stores in your area or check online traders ,and nokia website
    If  i have helped at all a click on the white star below would be nice thanks.
    Now using the Lumia 1520

Maybe you are looking for

  • DVD stuck in drive, will not recognize anything is inside

    I am currently traveling through Mexico and Central America. While in Mexico my friend bought a bootlegged dvd (i know, no bueno) and one night I attempted to watch it in my macbook. It spun and did the bad dvd thing for a while then it stopped spinn

  • Derivation of Baseline Date for Invoices

    Hi, When parking an invoice in FB60, the baseline date is automatically derived based on the payment terms. For example, it is configured to follow the document date. Now, when I edit the document date of the invoice in FBV2, the baseline date is not

  • Problem with BEx Analyzer

    Hi, I have a problem with the Bex Analyzer. It is showing th  details in German Language and i am not able to do anything on it. Can anyone help me in this issue.

  • Etc/hosts confusion

    hi everybody i have a general question regarding entries in hosts file. OS : OEL 5 during the installation lets say if i assign a name (test > as localhost) and (db > as localdomain) and i do not assign any static ip to it. then the entries in my hos

  • Globaldevices file system

    Hi Solaris Cluster 3.3 u2 on Solaris 10 x86. I have dedicated slice for global device file system. During the cluster creation, i have not chosen the default method which is lofi method. For node "node1",     Is it okay to use this default (yes/no) [