Why this broken c++ code works?

I'm testing some flascc code, and I'm trying to trow some errors, but it seems that my tests just return NULL or zero, and never stop the execution, and I think this is not desired.
For example:
Error *errorClass = NULL;
int myVar = errorClass->foo();
I think this should trow an error while calling a function of a NULL pointer but it's not the case.
Also, I've tried some divisions by zero, and there is no error, just returns 0

This doesn't have to crash unless you try to access the attribute of your Error object in Error::foo().
This is not against the c++98 standard (haven't verified), but this code will also run on vanilla gcc.
Method code are almost like normal function, but they are given the object as a "this" parameter so it can works on its attributes.
So let's say that in Error::foo() you do this : printf("hello world)
What your code do is the equivalent of
     void foo(Error * this){
          std::cout << "hello world" std::endl;
     int main(){
          foo(NULL);
          return 0;
This code won't crash, but as soon you try to access the attribute this is another story. So, it really depend on what you do in Error::foo().
For the zero division, the standard left this as an undefined behavior. So it's perfectly normal, on some compiler/architecture it will crash, on others not. It's left to the compiler implementation as to what should happen.
So nothing in what you say should cause the program to crash, it might, but it might not, it isn't a bug, it's just undefined in the standard.
You should manually check for error, C++ is way more low level than AS3 it won't stop you from shooting yourself in the foot, but that's also one of the reason why it is so flexible and performant.

Similar Messages

  • Why this program don't work without the "stop"?

    can you tell me why this program don't work without "stop"?and why the "stop" of my program can not work?
    Attachments:
    N(%}QA2R@SOLAF_12~0SQ)A.jpg ‏67 KB

    Crossrulz, sometimes you can snip the URL of the image:
    http://forums.ni.com/ni/attachments/ni/170/823066/1/
    The stop button is checked once in every iteration of the while loop, which includes waiting for the for loop to complete its 9 iteration.
    The for loop takes 9 seconds to complete because of the time delay, therefore clicking the stop button can take upto 18 seconds, depending on whether the button has been read yet.
    Turn on the highlight execution )light bulb icon) to see what is happening in your code
    - Cheers, Ed

  • HT1689 I updated my phone to the iOS7 and now when i try to use the keyboard, i can't see myself typing and it goes very slowly. I am confused to why this happened. It worked perfectly fine with iOS6. Any suggestions?

    I updated my phone to the iOS7 and now when i try to use the keyboard, i can't see myself typing and it goes very slowly. I am confused to why this happened. It worked perfectly fine with iOS6. Any suggestions?

    Hi imobl,
    Thanks for your response, I forgot to add that the five 3uk sims we have in use, I have tried all of them none of them are recongnised non of them have pin codes, I even purchased four more sims Tmobile (original carrier) Vodaphone, 3 and giffgaff.

  • I'm having trouble buying a season pass for The Americans. I have purchased passes to Justified for the past 4 years with no problem. Can't figure out why this purchase won't work.

    I'm having trouble buying a season pass for The Americans. I have purchased passes to Justified for the past 4 years with no problem. Can't figure out why this purchase won't work.

    What is the problem that you are having ? If you are getting an error message then what does it say ?

  • Why this filter's code is not working right?

    Hey, I have written a filter to record every request and write to a xml file. Everything works fine but the the code in filter's destroy is called twice. Don't know why? Is that there something wrong with my file writing code?? here is the code
    Filter Code:
    package xx;
    import javax.servlet.Filter;
    import javax.servlet.FilterConfig;
    import javax.servlet.FilterChain;
    import javax.servlet.ServletRequest;
    import javax.servlet.ServletResponse;
    import javax.servlet.http.HttpServletRequest;
    import javax.servlet.http.HttpServletResponse;
    import javax.servlet.ServletException;
    import javax.servlet.http.HttpSession;
    import java.io.IOException;
    import UserInfo;
    public class RequestInspector implements Filter {
    protected RequestRecorder recorder = null;
    protected static String ipAddress;
    protected static int hrId = -1;
    public void init(FilterConfig config) {
    String fileLoc = config.getInitParameter("FileLocation");
    String fileName = config.getInitParameter("FileName");
    ipAddress = config.getInitParameter("IPAddress");
    try {
    hrId = Integer.parseInt(config.getInitParameter("HRID"));
    } catch (NumberFormatException nfe) {
    } catch (NullPointerException npe) {
    if (fileLoc != null && fileName != null && ipAddress != null && hrId != -1) {
    recorder = RequestRecorder.getInstance(fileLoc, fileName);
    public void doFilter(ServletRequest request, ServletResponse response, FilterChain chain)
    throws IOException, ServletException {
    HttpServletRequest httpRequest = (HttpServletRequest)request;
    HttpSession session = httpRequest.getSession(false);
    UserInfo info = ((session==null) ? null : (UserInfo)session.getAttribute("USER_INFO"));
    if ( request.getRemoteAddr().equals(ipAddress) && info != null && info.getHrId() == hrId && recorder != null) {
    recorder.record(httpRequest);
    } // if...
    chain.doFilter(request, response);
    public void destroy() {
    if (recorder != null) {
    recorder.stop();
    RequestRecorder Code
    package ids.util;
    import java.io.File;
    import java.io.FileWriter;
    import java.io.IOException;
    import java.util.Enumeration;
    import java.util.Vector;
    import java.util.Hashtable;
    import javax.servlet.http.HttpServletRequest;
    public class RequestRecorder {
    private static final Hashtable holder = new Hashtable(2);
    private FileWriter writer = null;
    private int counter = 0;
    private RequestRecorder(String fileLocation, String fileName)
    throws IOException {
    writer = new FileWriter(new File(fileLocation, fileName));
    initializeFile();
    public static RequestRecorder getInstance(String fileLocation, String fileName) {
    RequestRecorder recorder = null;
    try {
    String path = new File(fileLocation, fileName).getAbsolutePath();
    recorder = (RequestRecorder) holder.get(path);
    if (recorder == null) {
    recorder = new RequestRecorder(fileLocation, fileName);
    holder.put(path, recorder);
    } catch (IOException ioe) {
    return recorder;
    public synchronized void record(HttpServletRequest request) throws IOException {
    if (writer == null) {
    return;
    writer.write("\n\t\t<request path=\"" + request.getRequestURI() +"\" label=\"request" + (++counter) +"\">");
    Enumeration params = request.getParameterNames();
    while (params.hasMoreElements()) {
    String param = (String)params.nextElement();
    String[] paramValues = request.getParameterValues(param);
    if (paramValues != null) {
    for (int i=0; i<paramValues.length; i++) {
    writer.write("\n\t\t\t<param>");
    writer.write("\n\t\t\t\t<paramName>");
    writer.write(param);
    writer.write("</paramName>");
    writer.write("\n\t\t\t\t<paramValue>");
    writer.write(paramValues);
    writer.write("</paramValue>");
    writer.write("\n\t\t\t</param>");
    } //for...
    } //if...
    } //while...
    writer.write("\n\t\t\t<validate>");
    writer.write("\n\t\t\t\t<byteLength min=\"20\" label=\"validation" + counter+"\"/>");
    writer.write("\n\t\t\t</validate>");
    writer.write("\n\t\t</request>");
    writer.flush();
    public void stop() {
    if (writer != null) {
    try {
    finalizeFile();
    writer.close();
    writer = null;
    } catch (IOException ioe) {
    ioe.printStackTrace();
    private synchronized void initializeFile() throws IOException {
    writer.write("<?xml version=\"1.0\" standalone=\"no\"?>");
    writer.write("\n<!DOCTYPE suite SYSTEM \"../conf/suite.dtd\">");
    writer.write("\n<suite defaultHost=\"tiserver.com\" defaultPort=\"8899\" label=\"test\">");
    writer.flush();
    private synchronized void finalizeFile() throws IOException {
    writer.write("\n\t</session>");
    writer.write("\n</suite>");
    writer.flush();
    protected void finalize() {
    stop();
    }The XML output file looks like this
    <?xml version="1.0" standalone="no"?>
    <!DOCTYPE suite SYSTEM "../conf/suite.dtd">
    <suite defaultHost="tiserver.com" defaultPort="8899" label="test">
    <request path="/acfrs/loginP.jsp" label="Login">
    <param>
    <paramName>userId</paramName>
    <paramValue>redfsdf</paramValue>
    </param>
    <param>
    <paramName>passWord</paramName>
    <paramValue>h1dffd3dfdf</paramValue>
    </param>
    <validate>
    <regexp pattern="Invalid Login" cond="false" ignoreCase="true" label="Login Check"/>
    </validate>
    </request>
    </session>
    </suite>frs/left_frame.jsp" label="request1">
    <validate>
    <byteLength min="20" label="validation1"/>
    </validate>
    </request>
    <request path="/acfrs/welcome.jsp" label="request2">
    <validate>
    <byteLength min="20" label="validation2"/>
    </validate>
    </session>
    </suite>
    If you closely observe the XML file "</session> </suite>" is written in the middle of the file too. Why does this happen? By the way, this code works perfectly on my windows desktop but on unix server the above problem turns up. Any clues??
    Thanks

    Ooops! The finalize() method in RequestRecorder is redundant. Mistakenly uncommnented it (finalize() method code ) while posting it here :-)

  • Why won't this piece of code work?

    Hello all, i am new to HTML and web design and i'm trying to make a website. I created this piece of code so that when the user mouses over one of the links (jpg image) it will change colors ( i have the same image in different color scheme saved in the same folder).
    <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
    <html xmlns="http://www.w3.org/1999/xhtml">
    <head>
    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
    <title>XXXXXXXXXX</title>
    </head>
    <body bgcolor="#000000">
    <table width="1050" border="0" align="center" cellpadding="0" cellspacing="0">
      <tr>
        <td><table width="1050" border="0" cellspacing="0" cellpadding="0">
          <tr>
            <td><img src="_images/XXXXbanner.jpg" width="1050" height="311" alt="banner" /></td>
          </tr>
        </table>
          <table width="901" border="0" align="center" cellpadding="0" cellspacing="0">
            <tr>
              <td width="150"><a href="index.html" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('ButtonOne','','_images/home_on.jpg',1)">
                 <img name="ButtonOne" border="0" src="_images/home.jpg" width="150" height="75" alt="home" /></a></td>
              <td width="150"><a href="gallery.html" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('ButtonTwo','','_images/gallery_on.jpg',1)">
                  <img name="ButtonTwo" border="0" src="_images/gallery.jpg" width="150" height="75" alt="gallery" /></a></td>
              <td width="150"><a href="products.html" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('ButtonThree','','_images/product_on.jpg',1)">
                 <img name="ButtonThree" border="0" src="_images/product.jpg" width="150" height="75" alt="products" /></a></td>
              <td width="150"><a href="store.html" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('ButtonFour','','_images/shop_on.jpg',1)">
                 <img name="ButtonFour" border="0" src="_images/shop.jpg" width="150" height="75" alt="store" /></a></td>
              <td width="150"><a href="profile.html" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('ButtonFive','','_images/profile_on.jpg',1)">
                 <img name="ButtonFive" border="0" src="_images/profile.jpg" width="150" height="75" alt="profile" /></a></td>
              <td width="151"><a href="contactus.html" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('ButtonSix','','_images/contact_us_on.jpg',1)">
              <img name="ButtonSix" border="0" src="_images/contact_us.jpg" width="150" height="75" alt="contact" /></a></td>
            </tr>
          </table>
          <table width="1050" border="0" cellspacing="0" cellpadding="0">
            <tr>
              <td> </td>
              <td> </td>
              <td> </td>
            </tr>
          </table>
          <p> </p>
        <p> </p></td>
      </tr>
    </table>
    </body>
    </html>
    the images and banner are showing up fine and i havent mistpyed any of the locations/file names. why doesn't the icon change colors (display the "on" image) when u hover the mouse over it? please help thanks in advance.
    ** i'm using Adobe Dreamweaver CS4

    He's right...
    try instering this into the head tags of your html
    <script language="JavaScript" type="text/JavaScript">
    <!--
    function MM_preloadImages() { //v3.0
      var d=document; if(d.images){ if(!d.MM_p) d.MM_p=new Array();
        var i,j=d.MM_p.length,a=MM_preloadImages.arguments; for(i=0; i<a.length; i++)
        if (a[i].indexOf("#")!=0){ d.MM_p[j]=new Image; d.MM_p[j++].src=a[i];}}
    function MM_swapImgRestore() { //v3.0
      var i,x,a=document.MM_sr; for(i=0;a&&i<a.length&&(x=a[i])&&x.oSrc;i++) x.src=x.oSrc;
    function MM_findObj(n, d) { //v4.01
      var p,i,x;  if(!d) d=document; if((p=n.indexOf("?"))>0&&parent.frames.length) {
        d=parent.frames[n.substring(p+1)].document; n=n.substring(0,p);}
      if(!(x=d[n])&&d.all) x=d.all[n]; for (i=0;!x&&i<d.forms.length;i++) x=d.forms[i][n];
      for(i=0;!x&&d.layers&&i<d.layers.length;i++) x=MM_findObj(n,d.layers[i].document);
      if(!x && d.getElementById) x=d.getElementById(n); return x;
    function MM_swapImage() { //v3.0
      var i,j=0,x,a=MM_swapImage.arguments; document.MM_sr=new Array; for(i=0;i<(a.length-2);i+=3)
       if ((x=MM_findObj(a[i]))!=null){document.MM_sr[j++]=x; if(!x.oSrc) x.oSrc=x.src; x.src=a[i+2];}
    //-->
    </script>

  • Why this line of code returns null always??

    Dear All,
    Just a question.
    I have this snippet of code where a user is required to input a number.
    <af:panelGroupLayout layout="vertical" id="pgl1">
      <af:inputText label="number" id="it1"
                        value="#{MyBean.number}" immediate="true"/>
      <af:commandButton text="Submit" id="cb1" partialSubmit="true"
                        immediate="true"
                        actionListener="#{MyBean.handleAction}"/>
    </af:panelGroupLayout>The immediate attribute at both inputtext and button are needed as I am bypassing validation on the other form components.
    Here is my bean defined in request scope.
    public class MyBean
      private String number;
      public void handleAction(ActionEvent actionEvent)
        AdfFacesContext ctx = AdfFacesContext.getCurrentInstance();
        Map<String, Object> pageFlowMap = ctx.getPageFlowScope();
        pageFlowMap.put("number", getNumber());               //Problem line getNumber is always null
      public void setNumber(String number)
        this.number = number;
      public String getNumber()
        return number;
    }I am having problem on the above line. I always get a null value on the number input text.
    Why is that so as I think I have already place a value on my Bean.
    For completeness sake, here's how I defined my managed bean
      <managed-bean id="__12">
        <managed-bean-name id="__9">MyBean</managed-bean-name>
        <managed-bean-class id="__11">com.testing.MyBean</managed-bean-class>
        <managed-bean-scope id="__10">request</managed-bean-scope>
      </managed-bean>Not sure but any workaround to this?
    Thanks
    Jdev 11G PS4

    Mohammad Jabr wrote:
    try to bind your input text to a property in your bean and use getValue() method.
    check this nice post [url http://adfpractice-fedor.blogspot.com/2012/02/understanding-immediate-attribute.html]Understanding the Immediate Attribute
    Edited by: Mohammad Jabr on Feb 22, 2012 8:25 AM
    Hi, Apparently this does work. Putting a binding on the input components.
    But somehow, I am reluctant to make use of any bindings as I am encountering issues when I expose this Taskflow as portlet in a Webcenter Application.
    But, as I have read the article, I made changes with the code. I am not using any bindings but just making use of the valuechangelistener.
    From the article, I have realized that the reason why the setter method of the bean was not called is because the Update Model Values was skipped.
    Very nice article.
    Thanks.

  • Why does my javascript code work fine in all other browsers, but not Safari

    Previously, I have asked how Safari handles javascript trying to resolve a problem with a slide menu, (http://www.designoutput.com/testslide.html) being directed to validator. I have corrected as many things as possible and still have code work in other browsers. Why will my code work in all other browsers (IE 5.2, Firfox, Netscape, and Opera) and not Safari. It appears that Apple would address some of the problems that people are listing. Possibly, my problem is not with Safari, but my code, if so why does it work in all other browsers. Having more knowledge of how Safari accepts code or handles code differently than other browsers would be helpful. It would be nice if I could debug my code in Safari step by step to know where the problem is at. I'm just frustrated with Safari after working on my problem for over a month. Would be very greatful to anyone that could just being to get my code to appear in Safari (only a blank page in Safari, menu appears in all other browsers)
    G4 AGP 400, Powerbook G4, G4 Siver 733   Mac OS X (10.4.7)  

    you seem to have deleted even more end tags. elements (<a>, <div>, <td>, etc.) need to be closed (</a>, </div>, </td>, etc.) to structure the code properly.
    incorrect:
    document.write(<font ...><b>example)
    correct:
    document.write(<font...><b>example</b></font>)
    check out w3schools for html and javascript help.
    the ilayer tag should only be in your NS (i.e. not NS6) code, but it too needs to be closed.
    i don't use IE, but with these fixes i've gotten your page to display fine in safari, firefox and opera.
    iBook g4     OS X.4.x

  • Why this example doesn't work ?

    for example below:
    html code:
    <applet code=LunarPhasesRB.class width="200" height="200">
        </applet>when i run it on IE , i get below result:
    failed to loading java program.
    why it doesn't work on IE ?
    who can help me ?
    thanks !

    thanks a lot!
    left of web browser appear below info:
    small application program LunarPhasesRB notinited
    what does it mean ?
    if i click "Click to activate and use this control".
    another err:
    failed to loading java program.
    who can help me ?

  • Any Ideas Why This DVD Won't Work?????????

    I have posted this puzzler in several other forums.
    I have found a DVD-R that I made in my eMac last year and I can’t get it to work.
    I can’t remember how I made it or with what application! I cannot even remember what is on it (whether it was slides or video).
    In a normal DVD player all that appears is a large close-up of a face.
    Whether it is a still photo or a video frame I cannot tell.
    I have pressed all the controls I can think of but I can't get the face to move or change etc.
    HOWEVER, when I put the DVD in my eMac and double-click it I get the usual window with two files. One is “Video RM” and the other is “Video TS” but both of them are EMPTY and there is nothing else to be found.
    Now here is the really strange part. When I open “Get Info” I get the following details:-
    Kind: Volume
    Format: Mac OS Extended
    Capacity: 3.71GB
    Available: Zero KB
    Used: 3.71GB on disk (3,978,659,840 bytes)
    So obviously there is something on it in spite of the apparently empty RM and TS folders!
    Can anyone suggest how I can play it ?
    Ian.

    Thanks Patrick - I had already tried it and nothing had happened.
    I had actually written as much to you when I decided to give it another try before posting my reply.
    Guess what? This time it worked!!!!
    I don't know what I did differently or why the TS folder appears empty.
    Thank you for spurring me on to try again.
    Ian.

  • Can someone explain to me how this line of code works?

    My friend put in this code to my game script
    if CollisionDistance < 2 then
    else if "pMushroom" = string(collisionModel).char[8..16] then
    pInfo = member("Info") 
          pInfo.Text = "Press 'F' to consume Mushroom"
    else
    end if
    else
        pInfo = member("Info") 
        pInfo.Text = ""
      end if
    So this is used in my game so that when a ray is less than 2 units away to hits an object named pMushroom, instructions would come up that say "Press 'F' to consume Mushroom" (I'm sure you already knew that though).
    I have a bunch of mushrooms out lebed pMushroom01 - pMushroom09
    I tried to use this for other models like:
    else if "pStick" = string(collisionModel).char[8..16] then
    pInfo = member("Info") 
           pInfo.Text = "Press 'F' to take Stick"
    But the instructions do not pop up. I've checked that I was the right distance away with my collision detection.
    Could someone explain to me the code and what could possibly be wrong?
    "char[8..16]" is what I really don't get.

    collisionModel is most likely a property variable. So "else if "pStick" = string(collisionModel).char[8..16] then" is taking whatever is in that variable, and setting it as a string. Then it is parsing out the characters in that string from character 8 to character 16 and comparing that sub string to the string pStick.
    This works in the first example because "pMushroom" has 9 characters. "pStick" has six characters and so it will never be equal to those characters in collisionModel. You might try:
    else if "pStick" = string(collisionModel).char[8..13] then
    it may work.

  • TS1398 I am prompted to provide password and I put it in. Join then it tells me I am unable to connect. Every other iPhone/iPad/laptop works fine. Not sure why this phone doesn't work.

    Just trying to access my wifi using my iphone

    Usually it's because you are not making internet connection via wifi.
    Look at iOS Troubleshooting Wi-Fi networks and connections  http://support.apple.com/kb/TS1398
    iPad: Issues connecting to Wi-Fi networks  http://support.apple.com/kb/ts3304
    Additional things to try.
    Try this first. Turn Off your iPad. Then turn Off (disconnect power cord) the wireless router & then back On. Now boot your iPad. Hopefully it will see the WiFi.
    Change the channel on your wireless router. Instructions at http://macintoshhowto.com/advanced/how-to-get-a-good-range-on-your-wireless-netw ork.html
    How to Quickly Fix iPad 3 Wi-Fi Reception Problems
    http://osxdaily.com/2012/03/21/fix-new-ipad-3-wi-fi-reception-problems/
    If none of the above suggestions work, look at this link.
    iPad Wi-Fi Problems: Comprehensive List of Fixes
    http://appletoolbox.com/2010/04/ipad-wi-fi-problems-comprehensive-list-of-fixes/
    Fix iPad Wifi Connection and Signal Issues  http://www.youtube.com/watch?v=uwWtIG5jUxE
     Cheers, Tom

  • Why this acroform script not working in livecycle E2

    I have this script on a acroform and it works great, but when try in live cycle it does not do anything, Can someone think of the reason? Essentially the value in drop down is populated in text filed but want t make a 1d barcode so using barcode font!
    event.value = ""; // clear the field;
    var oField = this.getField("NAME1");
    if(oField != null) {
    // populate if not null;
    // get the value of the field object and add guard bits and LA;
    event.value = "*LA" + oField.value + "*";}

    The various object models for scripting in an XFA form are almost entirely different than they are for an AcroForm, so you generally cannot have interchangeable scripts. I'd suggest you ask in the LiveCycle Designer forum for help.

  • Why this statement doesn't work?

    I have two table job and job_status,I use Page Process try to insert records to job_status, but the select query doesn't work, it display all the job in job table didn't filtered out the job matching the query, do someone know why? Any suggestion will be appreciated!
    DECLARE
    BEGIN
    FOR x IN (
    SELECT
    JOB_SEQ,
    PRIMARY
    FROM JOB
    WHERE ((RUN_DATES like '%'||:P6_WDAY||'%')
    or (RUN_DATES like '%'||:P6_DD ||'%')
    or (RUN_DATES like ''|| 0 ||'')))
    LOOP
    INSERT INTO JOB_STATUS(JOB_SEQ, OPERATOR,RUN_DATE) VALUES
    (x.JOB_SEQ,x.PRIMARY,to_date(:P6_DATE,'YYYYMMDD'));
    END LOOP;
    END;

    ops wrong typed
    try
    DECLARE
    BEGIN
    FOR x IN (
    SELECT
    JOB_SEQ,
    PRIMARY
    FROM JOB WHERE
    ((RUN_DATES like CHR(39)||'%'||:P6_WDAY||'%'||CHR(39))
    or (RUN_DATES like CHR(39)||'%'||:P6_DD ||'%'||CHR(39))
    or (RUN_DATES like ''|| 0 ||'')))
    LOOP
    INSERT INTO JOB_STATUS(JOB_SEQ, OPERATOR,RUN_DATE) VALUES
    (x.JOB_SEQ,x.PRIMARY,to_date(:P6_DATE,'YYYYMMDD'));
    END LOOP;
    END;

  • I have no idea why this 1130 isn't working.

    Hello, everyone!
    I work for an elementary school in Detroit. We bought a Cisco 1130 access point for use on our LAN. The problem is that our wireless laptops are not receiving its signal.
    Here are the details.
    1. I plugged the access point into our network and powered it up.
    2. I used IPSU to find the IP address.
    3. I used Internet Explorer to log into the access point.
    4. I gave it a fixed IP address on our domain.
    5. I also entered the SSID and the WEP key.
    Everything looks good. The circular light on the top of the access point is green. Unfortunately, Windows XP cannot "see" the network signal.
    Is there anyone who could help me to get this thing working?
    Many thanks,
    --Ed

    Hi.. Ed..
    Previously i also have this issue.
    Please kindly check the following using the command :
    ap01#sh ip int brief
    Interface IP-Address OK? Method Status Protocol
    BVI1 *.*.*.* YES NVRAM up up
    Dot11Radio0 unassigned YES NVRAM up up
    (make sure that the Dot11Radio0 'up' and running) and make sure that the status was not in 'reset' mode.
    Next, just advise to fix the wireless channel either 1,6 or 11.
    good luck
    clim

Maybe you are looking for

  • Audio

    I'm using I Movie 4. My Video Camera is hookup to analog box by S Video and out to computer by fire wire. I can get video clip but no audio when playing it on the time line.

  • 1440 / 810 dimensions issue!

    Greetings, I have a great couple of TOD files that I have converted into MPEG. By clicking on the file information on finder, I can find out that the dimensions are 1440/810. The problem I have is what to set in the sequence settings? I tried setting

  • WRT54G v8 Access Restrictions

    This should be an easy question... What Access Policies do I need to enter so that the Internet can only be used from 5am-11pm.  I have selected the MAC address the policies apply to and everything. I tried entering one policy that specified Enable 5

  • "my updates"-button ... gone?

    Hey guys. Why has the "my updates"-button been deleted from the "quick links" bar? Is there a way to enable or disable it? I hope this is only a temporary thing. Let me know.

  • Will a CS6 version of photoshop work with Canon's imageprograf IPF6400 wide format printer?

    Will a CS6 version of photoshop work wiith Canon's imageprograf IPF6400 wide format printer?