SOCKET NOT WORK PHONE (works on emulator)  ,,, freezes at Connector.open

Hi everyone, dukes to those who can ease my brain pain.
I'm using the example SocketMIDlet app that comes with Sun JavaTM Wireless Toolkit for CLDC Version 2.5.
Client and server works ok on emulator.
THEN I attempt running server on PC and Client on Nokia N95.
IP address in Client's Connector.open("socket://...) is the IP address shown when I do IPCONFIG on my PC. My PC is connected to the internet via ADSL router.
When I run the client on the phone, it asks for access point, I select
1) vodafoneLive (i.e. internet access point.) Is this correct? is it possible to socket over the internet (dum question I know) ,,,
or should I connect to
2) my wireless network access point instead (where the pc is connected to)
although that doesnt work either, but just want to know if point 1 is actually possible.
See code below, it seems to be freezing at the Connector.open statement, because the textfield is not even updating with "connected..." and nothing is reported at the server end.
No exceptions are reported.
Tested on Nokia emulator, connected ok, but send from client didnt work, so added a flush statement in, so that's good now. But still, the connect is what is not working.
Anyone come across this before ????
Here is the code... the client and server (2nd and 3rd procs below) are the interesting ones....
Much appreciated if someone can help,,, suspect a setup problem? but who knows...
*PLEASE HELP*
SocketMIDlet.java
{code}
* @(#)SocketMIDlet.java     1.6 03/10/29
* Copyright (c) 2000-2003 Sun Microsystems, Inc. All rights reserved.
* PROPRIETARY/CONFIDENTIAL
* Use is subject to license terms
import javax.microedition.midlet.*;
import javax.microedition.io.*;
import javax.microedition.lcdui.*;
import java.io.*;
public class SocketMIDlet extends MIDlet implements CommandListener {
private static final String SERVER = "Server";
private static final String CLIENT = "Client";
private static final String[] names = {SERVER, CLIENT};
private static Display display;
private Form f;
private ChoiceGroup cg;
private boolean isPaused;
private Server server;
private Client client;
private Command exitCommand = new Command("Exit", Command.EXIT, 1);
private Command startCommand = new Command("Start", Command.ITEM, 1);
public SocketMIDlet() {
display = Display.getDisplay(this);
f = new Form("Socket Demo");
cg = new ChoiceGroup("Please select peer",
Choice.EXCLUSIVE, names, null);
f.append(cg);
f.addCommand(exitCommand);
f.addCommand(startCommand);
f.setCommandListener(this);
display.setCurrent(f);
public boolean isPaused() {
return isPaused;
public void startApp() {
isPaused = false;
public void pauseApp() {
isPaused = true;
public void destroyApp(boolean unconditional) {
if (server != null) {
server.stop();
if (client != null) {
client.stop();
public void commandAction(Command c, Displayable s) {
if (c == exitCommand) {
destroyApp(true);
notifyDestroyed();
} else if (c == startCommand) {
String name = cg.getString(cg.getSelectedIndex());
if (name.equals(SERVER)) {
server = new Server(this);
server.start();
} else {
client = new Client(this);
client.start();
{code}
Server.java
{code}
* @(#)Server.java     1.6 03/07/15
* Copyright (c) 2000-2003 Sun Microsystems, Inc. All rights reserved.
* PROPRIETARY/CONFIDENTIAL
* Use is subject to license terms
import javax.microedition.midlet.*;
import javax.microedition.io.*;
import javax.microedition.lcdui.*;
import java.io.*;
public class Server implements Runnable, CommandListener {
private SocketMIDlet parent;
private Display display;
private Form f;
private StringItem si;
private TextField tf;
private boolean stop;
private Command sendCommand = new Command("Send", Command.ITEM, 1);
private Command exitCommand = new Command("Exit", Command.EXIT, 1);
InputStream is;
OutputStream os;
SocketConnection sc;
ServerSocketConnection scn;
Sender sender;
public Server(SocketMIDlet m) {
parent = m;
display = Display.getDisplay(parent);
f = new Form("Socket Server");
si = new StringItem("Status:", " ");
tf = new TextField("Send:", "", 30, TextField.ANY);
f.append(si);
f.append(tf);
f.addCommand(exitCommand);
f.setCommandListener(this);
display.setCurrent(f);
public void start() {
Thread t = new Thread(this);
t.start();
public void run() {
try {
si.setText("Waiting for connection");
scn = (ServerSocketConnection) Connector.open("socket://:5000");
// Wait for a connection.
sc = (SocketConnection) scn.acceptAndOpen();
si.setText("Connection accepted");
is = sc.openInputStream();
os = sc.openOutputStream();
sender = new Sender(os);
// Allow sending of messages only after Sender is created
f.addCommand(sendCommand);
while (true) {
StringBuffer sb = new StringBuffer();
int c = 0;
while (((c = is.read()) != '\n') && (c != -1)) {
sb.append((char) c);
if (c == -1) {
break;
si.setText("Message received - " + sb.toString());
stop();
si.setText("Connection is closed");
f.removeCommand(sendCommand);
} catch (IOException ioe) {
if (ioe.getMessage().equals("ServerSocket Open")) {
Alert a = new Alert("Server", "Port 9999 is already taken.",
null, AlertType.ERROR);
a.setTimeout(Alert.FOREVER);
a.setCommandListener(this);
display.setCurrent(a);
} else {
if (!stop) {
ioe.printStackTrace();
} catch (Exception e) {
e.printStackTrace();
public void commandAction(Command c, Displayable s) {
if (c == sendCommand && !parent.isPaused()) {
sender.send(tf.getString());
if ((c == Alert.DISMISS_COMMAND) || (c == exitCommand)) {
parent.notifyDestroyed();
parent.destroyApp(true);
* Close all open streams
public void stop() {
try {
stop = true;
if (is != null) {
is.close();
if (os != null) {
os.close();
if (sc != null) {
sc.close();
if (scn != null) {
scn.close();
} catch (IOException ioe) {}
{code}
Client.java
{code}
* @(#)Client.java     1.6 03/07/15
* Copyright (c) 2000-2003 Sun Microsystems, Inc. All rights reserved.
* PROPRIETARY/CONFIDENTIAL
* Use is subject to license terms
import javax.microedition.midlet.*;
import javax.microedition.io.*;
import javax.microedition.lcdui.*;
import java.io.*;
public class Client implements Runnable, CommandListener {
private SocketMIDlet parent;
private Display display;
private Form f;
private StringItem si;
private TextField tf;
private boolean stop;
private Command sendCommand = new Command("Send", Command.ITEM, 1);
private Command exitCommand = new Command("Exit", Command.EXIT, 1);
InputStream is;
OutputStream os;
SocketConnection sc;
Sender sender;
public Client(SocketMIDlet m) {
parent = m;
display = Display.getDisplay(parent);
f = new Form("Socket Client");
si = new StringItem("Status:", " ");
tf = new TextField("Send:", "", 30, TextField.ANY);
f.append(si);
f.append(tf);
f.addCommand(exitCommand);
f.addCommand(sendCommand);
f.setCommandListener(this);
display.setCurrent(f);
* Start the client thread
public void start() {
Thread t = new Thread(this);
t.start();
public void run() {
try {
sc = (SocketConnection) Connector.open("socket://155.35.122.238:5000");
si.setText("Connected to server");
is = sc.openInputStream();
os = sc.openOutputStream();
// Start the thread for sending messages - see Sender's main
// comment for explanation
sender = new Sender(os);
// Loop forever, receiving data
while (true) {
StringBuffer sb = new StringBuffer();
int c = 0;
while (((c = is.read()) != '\n') && (c != -1)) {
sb.append((char) c);
if (c == -1) {
break;
// Display message to user
si.setText("Message received - " + sb.toString());
stop();
si.setText("Connection closed");
f.removeCommand(sendCommand);
} catch (ConnectionNotFoundException cnfe) {
Alert a = new Alert("Client", "Please run Server MIDlet first",
null, AlertType.ERROR);
a.setTimeout(Alert.FOREVER);
a.setCommandListener(this);
display.setCurrent(a);
} catch (IOException ioe) {
if (!stop) {
Alert a = new Alert("Client", "Franco IOException: " + ioe.toString(),
null, AlertType.ERROR);
a.setTimeout(Alert.FOREVER);
a.setCommandListener(this);
display.setCurrent(a);
ioe.printStackTrace();
} catch (Exception e) {
Alert a = new Alert("Client", "Franco Exception: " + e.toString(),
null, AlertType.ERROR);
a.setTimeout(Alert.FOREVER);
a.setCommandListener(this);
display.setCurrent(a);
e.printStackTrace();
public void commandAction(Command c, Displayable s) {
if (c == sendCommand && !parent.isPaused()) {
sender.send(tf.getString());
if ((c == Alert.DISMISS_COMMAND) || (c == exitCommand)) {
parent.notifyDestroyed();
parent.destroyApp(true);
* Close all open streams
public void stop() {
try {
stop = true;
if (sender != null) {
sender.stop();
if (is != null) {
is.close();
if (os != null) {
os.close();
if (sc != null) {
sc.close();
} catch (IOException ioe) {}
{code}
Sender.java
{code}
* @(#)Sender.java     1.4 03/03/02
* Copyright (c) 2000-2003 Sun Microsystems, Inc. All rights reserved.
* PROPRIETARY/CONFIDENTIAL
* Use is subject to license terms
import javax.microedition.midlet.*;
import javax.microedition.io.*;
import javax.microedition.lcdui.*;
import java.io.*;
public class Sender extends Thread {
private OutputStream os;
private String message;
public Sender(OutputStream os) {
this.os = os;
start();
public synchronized void send(String msg) {
message = msg;
notify();
public synchronized void run() {
while(true) {
// If no client to deal, wait until one connects
if (message == null) {
try {
wait();
} catch (InterruptedException e) {
if (message == null) {
break;
try {
os.write(message.getBytes());
os.write("\r\n".getBytes());
os.flush();
} catch (IOException ioe) {
ioe.printStackTrace();
// Completed client handling, return handler to pool and
// mark for wait
message = null;
public synchronized void stop() {
message = null;
notify();
{code}

ok, apologies to anyone who has read this and gotten a headache from my stupidity... testing with a work collegue, who you can guess called me an idiot, advised that I was trying to use the ip address as known within my home lan, and that I needed to use the ipaddress as seen externally.
So, looked at my linksys router admin and found the external ip address. Tested pinging to it, all good. BUT, cannot telnet to that ipaddress port of the java server running on the pc.
So at this point, the problem is not j2me related.... have started another thread to look at THAT problem, when that is solved, I'm sure there will STILL be problems here, or maybe not... so once that link is addressed, I'll come back here.

Similar Messages

  • Iphone 4 headphone socket not working headphones won't go all the way in

    My iphone 4 headphone socket not working, the headphones won't go all the way in? any help, ideas?

    I bough a new ipad two a few feels ago and still haven't managed to used any headphones with it.
    It's very annoying as I'm currently in hospital and will be for a few more weeks and this being the reason I bought it!! Now I have to have it on very low volume and not use it in the evening  

  • HT1430 it's not working, my itouch freezes on the main menu "unlock" i did these steps but it just won't do. what should i do?

    it's not working, my itouch freezes on the main menu "unlock" i did these steps but it just won't do. what should i do?

    - Try placing the iPod in DFU mode and then restore.
    How to put iPod touch / iPhone into DFU mode « Karthik's scribblings
    - Next, try restoring on another computer.

  • TS3595 I updated my itunes and restored my 2nd gen itouch, now my itouch does not work properly (keeps freezing). how do i fix this?

    I updated my itunes (latest verion out as of nov/20/2012) and restored my 2nd gen itouch, now my itouch does not work properly (keeps freezing). how do i fix this?

    If you restored to factory settings/new iPod and still have the problem that indicates a hardware problem.
    Make an appointment at the Genius Bar of an Apple store..
    Apple Retail Store - Genius Bar

  • My iphone5's camera is not working.The shutter freezes each time.How much time it normally takes to fix it.(i have an appointment this week). and if they can't will they give me a new iphone5 ?

    My iphone5's camera is not working.The shutter freezes each time.How much time it normally takes to fix it.(i have an appointment this week). and if they can't will they give me a new iphone5 ?

    Yes part of Apple Store
    You will get a service replacement ,maybe new maybe refurbed to new standard
    but in a "brown box" so no bits and pieces just unit for unit exchange
    They will know of iPhone history from their systems but always
    worth having proof of ownership but not essential (as far as I know )

  • My dad has a brand new iMac. If he quits an app, this window closes, but the app won't finish shutting down, Force quitting does not work.  Once another app is opened, it will not close either.  Now none of the apps are responding. Any ideas?

    My dad has a brand new iMac. If he quits an app, this window closes, but the app won't finish shutting down, Force quitting does not work.  Once another app is opened, it will not close either.  Now none of the apps on the dock are responding. I asked him to click on the apple, and drop down to "About this Mac", but that wouldn't open either. Any ideas?  If I was at his house, I would call Apple Care in a heartbeat, but am home with my sick daughter,,,  Thanks!

    For starters, have him open Disk Utility in Applications>Utilities, select the volume (the indented listing) and Verify Disk. If it reports any problems, have him try a Safe Boot by holding the Shift key at startup. This boot will take much longer than usual. It's checking and trying to repair the drive directory, if possible. Once in Safe Boot, have him repair Permissions.
    For other Disk repair remedies see
    http://support.apple.com/kb/TS1417
    Also, have him try a PRAM Reset. At the startup chime, hold down CMD-Option-P-R together, listen for two more chimes, total three, then let go to finish booting.
    Also, is he running any AV? If so, have him uninstall it. It might be responsible for this behavior. (There are no viruses for OS X.)

  • Main Socket Not Working, But Line is via Another L...

    Our main socket is not working -- ie, when a phone is plugged in, there is no signal/dial tone.  However, the line still works via a line box in another room.  Is this a BT fault?  If not, how can I get it fixed?  Thanks.

    Hi Elsiejean
    It is possibly not a fault some properties/businesses have multiple service points/sockets in, you can check this by calling BT and request to check this,did you pay a connection charge? if not BT will have carried out a check on the property prior to you moving in and for example may have found multiple lines so the main one you say that does not work may have been ceased meaning an engineer/installation charge would apply and the latter which you say worked may have just been a stopped line or takeover connection hence they choose to use that one,i could be wrong if it's only one line your main point may be broke does the working socket have a BT openreach logo on or is it a extension.also BT have supplied you as agreed so if you do need an extension or other line already present activating you would have to pay 127.99
    Inherent omniscience - the ability to know anything that one chooses to know and can be known

  • Extension Socket not working after Openreach Visit...

    Hi folks, first post here.
    The master socket in my home is a line box. I have one extension socket wired into it, not plugged. I only use the extension socket as the master socket (which was installed in a previous occupants time) is not conveniently located for my needs. Plugged into the extension socket is a filter for my broadband and telephone, that's it.
    This arrangement has been working fine for years now until Tuesday 26th March 2013 when I reported online that I was not getting a dailling tone. Before doing so I established that the problem did not lie in the extension socket by taking off the lower cover of the master socket and plugging my phone in the test socket. The result was the same, no dial tone.
    Wednesday morning an openreach engineer called to say that the fault had been outside and was now fixed but he needed to come into to take the call divert off. I had opted for the call divert to my mobile when I reported the fault online. He proceeded to take both the bottom and top cover off the master socket, did something and then put them back together again. He then took my telephone and keyed in a code to take the call divert off and then left saying everything was fine. Later that day I went to make a telephone call and the line was dead, no dialling tone again. So I plugged my phone into the master socket and found that I had a dialling tone there. I rang BT to tell them of my experience and the operative said that because the fault was after the master socket I would liable to a charge of £99 I told told the operative that it was not my fault and that I should not have to pay. I then asked to speak to the engineer and discovered that Openreach were contractors and that it would not be possible as the operative did not have a number for openreach. How absolutely riduculous, can someone advise please? Thanks  
    Solved!
    Go to Solution.

    sounds like engineer has dislodged one of your extension wires in the master socket.  if you take the bottom half of master off and make sure your 2 extension wires which should be connected to the back of the front plate to terminals 2 & 5.  just make sure they are connected and tightly secured and extension socket should work
    If you like a post, or want to say thanks for a helpful answer, please click on the Ratings star on the left-hand side of the post.
    If someone answers your question correctly please let other members know by clicking on ’Mark as Accepted Solution’.

  • My tx is so slow, the web cam is not working, the screen freezes and got color distortions

    - My tx is so slow, and heats up very fast... so i think that the advance is not working properly
    - the web cam is not working, since the 3th time iused... when i try to use it with my msn... got freezed, then y try ending the process and doesnt work, y     have to restart it but it stay just on logging off... and do nothing more... so i have to switch off directly from the power button
    - The screen freezes... some thimes the screen got freezed... and got color distortions too... so i have to to switch off again directly from the power button
    i was thinking that it was a software problem... but i restore my lap and it doesnt work cuz it still being with the same problems... so lately im thinking that its a hardware problem... i call to technical support from mexico... but they can do nothing for me cuz i bought my lap at circuitcity from el paso... and that store close a few months ago... so i need help before de warrantie expires...
    This is the second time that my lap gives me problems, last time I made the change at the store but this time it will be impossible cuz is now closed...
    that is why I seek your help...
    i will be grateful if you answer in Spanish because my English is not very good...
    thankyou so much...

    If your warranty has not yet run out get it serviced, now!  All of the comments seem to indicate that it is the motherboard>

  • IPad (3rd gen.) speaker and microphone suddenly not working and iPad freezes. Help!

    I was just watching some YouTube videos on my iPad and noticed that it only had 5% battery left. I plugged it in for charging and continued to watch. After that video had ended I moved onto another one, only to notice that I had no sound. I thought this was just because of low battery, and left it to charge. I came back to the iPad later on, only to find the display not turning on from the home or lock button. I did a reset by holding the home and lock buttons down for around 10 seconds. I showed the Apple logo and turned on. I still had no sound though. I tried using Siri to see if he would sound, but then noticed that my microphone is also not working, and then my iPad froze, and it has continued to freeze in a variety of different locations on the iPad since.
    When I attempt to play I sound, I hear a quiet, static-like sound coming from the speaker, as if it is attempting to play it or something. I tried an iPad restore using iTunes but it would not take place, so I erased all data on the iPad and that had no effect. Most times to turn the display I have to reset the iPad also.
    Please help!
    Thanks,
    Tom

    You rebooted - by which you mean powered off, then powered on?
    Then try a reset:
    Hold both the Home button and the Power button down for about 10 seconds until the Apple logo appears.
    Let go promptly when it appears.
    Wait 30 seconds or so for your iPad to restart.
    No information or settings will be lost.

  • Flex Socket not working in Android Gingerbread

    Hi,
    I am having this mobile application where it will connect to Air ServerSocket deployed in desktop machine. The problem is socket connection is not working in my device running Android 2.3.5 while it id working on the other device running 4.2.2. Please help.
    Best regard,
    Victor

    do your IE has installed flashplayer plun-in? if so, is plug-in enabled?

  • Ipad not working (i.e. freezing, not turning on, not unlocking)

    My ipad was working fine until I clicked on the Safari app and it pull up incorrectly. When I had last used Safari (around 30 seconds before) it was working normally and had about five tabs open. When I pulled it up again only one tab was open (but it didn't show any of the web pages just a blank page and I couldn't click on anything). I thought I could easily fix the situation by turning my ipad off and turning it back on again. Nope. The first time it turned on it let me type in my password, but wouldn't unlock. It stayed frozen. I even heard the unlock click even thought the screen was frozen. From there I cannot turn off my ipad. I have to let it turn itself off (takes around 20-30 seconds). I've tried this four times and each time is exactly the same. And each time it gets harder and harder to turn on the ipad (e.g. I have to hold down the power button for longer and hold it down multiple of times). I also plugged it into my charger to see if the battery was close to dead and it wouldn't detect my charger. The only thing I can think of for making it do this is that I was updating an app, but it said that it didn't download so I clicked retry. As I stated earlier my ipad was working normally up until then. 

    Frozen or unresponsive iPad
    Resolve these most common issues:
        •    Display remains black or blank
        •    Touch screen not responding
        •    Application unexpectedly closes or freezes
    http://www.apple.com/support/ipad/assistant/ipad/
    iPad Frozen, not responding, how to fix
    http://appletoolbox.com/2012/07/ipad-frozen-not-responding-how-to-fix/
    iPad Frozen? How to Force Quit an App, Reset or Restart Your iPad
    http://ipadacademy.com/2010/11/ipad-frozen-how-to-force-quit-an-app-reset-or-res tart-your-ipad
    Black or Blank Screen on iPad or iPhone
    http://appletoolbox.com/2012/10/black-or-blank-screen-on-ipad-or-iphone/
    What to Do When Your iPad Won't Turn On
    http://ipad.about.com/od/iPad_Troubleshooting/ss/What-To-Do-When-Your-Ipad-Wo-No t-Turn-On.htm
    iOS: Not responding or does not turn on
    http://support.apple.com/kb/TS3281
    Home button not working or unresponsive, fix
    http://appletoolbox.com/2013/04/home-button-not-working-or-unresponsive-fix/
    Fixing an iPad Home Button
    http://tinyurl.com/om6rd6u
    iPad: Basic troubleshooting
    http://support.apple.com/kb/TS3274
     Cheers, Tom

  • MAU not working on Emulator

    Hi
    I am using a Pocket PC WM 5.0 Emulator. I have insalled the MI client on it. Then I install DB2E on it.
    Till this everything is working fine.
    When I try to install MAU 3.0 on this emulator, the sync is sucessfull, but the application doesnt open up. It gives some 404 error.
    Has anyone any idea what can be the problem.
    I think the problem can be the memory of the Emulator as the MAU 3.0 app requires a lot of memory to be installed and due to memory constraints all the required files are not being copied onto the emulator.
    Can somebody help in solving this issue.
    I tried to solve this issue by using the File -> Configure and put a shared folder there which acted as a Storage Card. But when I installed Creme and MI Client on this Storage Card, After the soft reset, the storage card was gone
    Please help with your suggestions.
    Ankur

    When you do the sync what error message do you get?
    If you can not connect to your Server it should be something like "HTTP ... error"
    If you can not download the application it should be something like "Error during installation"
    We encountered a similar problem during our first test installation. We got the device Id, deployed an application, assigned it to the device, but during sync we got "error during installation". But in our case it was just the bad speed of our connection. We tried it a little bit later a couple of times and then the application was there...
    I think the host name resolution depends on your mobile system (Mobile 03, WinCE, ...)
    You can double check on this link for the different WinCE versions.
    http://msdn2.microsoft.com/en-us/library/aa454055.aspx
    Br,
    Enzo

  • TC-2095 sockets not working

    Several sockets on my TC-2095 card are not working.  I can get some of them to work by moving the plugs around until it achieves contact with the socket connectors.  I assume that there is a method to "tighten" the sockets to achieve reliable connections when inseting a thermocouple plug.  Can you provide instructions on how to fix this problem?

    Actually, there is not a way to tighten the thermocouple miniconnectors on the TC-2095.  I just took one apart to verify, but the thermocouple miniconnectors are each independent and are closed.  How tightly a thermocouple is held is determined by how tightly the copper connectors inside are pressed against it.  There is no way to tighten those copper connectors such that they press down tightly again.  The individual thermocouple miniconnectors cannot be opened and modified.
    If your TC-2095 is old, this was most likely caused by repeated wear on the copper, such that the copper does not spring back as tightly as before.  You could RMA the device noting that the connections are not holding thermocouples as tightly as it should.
    To set up an RMA you can call in at 800-531-5066 to speak with a customer service representative or create a service request online at ni.com/support
    Eric S.
    AE Specialist | Global Support
    National Instruments

  • Earphone Socket Not Working

    I have a Toshiba Satellite C660-23Q and the earphone socket stopped working this morning. I looked at the audio device menu under control panel, and the only device coming up is the speakers. No headphone option or anything else. Can anyone help please?  

    That doesn't appear to be a US model, and this is the forums for Toshiba USA. You may want to contact Toshiba in your region. If it's a European model, you could check the Toshiba Europe forums.
    - Peter

Maybe you are looking for

  • Ughhh! Help, my wife is getting really mad! (Windows to Mac ?s)

    Hello all. First post. Old time Apple user (Apple II+, IIc, IIGS) but nothing since. Wife was a big Mac user too but the last 10 years we have been PC. Just got a White 2Ghz 1Gb RAM MacBook C2D for her a couple days ago. She had reservations about ge

  • Ipod nano help with syncing music to new computer?

    I have two ipod nanos, one 6th gen. the other 7th gen, and the laptop I had all the music on and synced from cant be accessed anymore, so how can I get the music onto a different computer and be able to sync new music to them?

  • Yahoo Mail Error in Mail App

    When I go to system preferences then mail, contacts & calendars; I have an option to add different accounts. I click on Yahoo! add my Yahoo! ID and Password and I get this error: A connection error occurred. Does anybody know why this is happening, a

  • Cryptic Installation Error for CE JavaOne Eval Version

    Right at the beginning, while running the setup.exe, following error pops up. "The installer cannot find the needed archives (content and native libraries). It will now quit." The only button on the pop-up is "OK", upon pressing which, the installer

  • Need help for SalesOpportunitiesReports

    Hi All, Can anybody help me about SalesOpportunitiesReports, which database tables are involved and how the database tables are interacted (data flow)to get the report.send any help links related to SalesOpportunitiesReports. is there any sample code