When posting for Help on Network Magic Please Include

Hi All,
When posting for help on these forums include:
Your Network Magic Version installed: 4.6.7324.0
The type of connection to the Internet, like DSL, Cable, or Verizon FIOS Internet Connection.
The Brand of Modem and its Model Number the router is connected to.
The Brand, Model, Hardware Revision of your Router and include the Firmware Version: D-Link DI-624 Rev. C Firmware 2.70
The Method of connection your problem computer has to the Router: Wired or Wireless.
The Connection in use on the problem computer: Ethernet Port is a PCI Adapter Card, A D-Link DWL-G520 Rev. B
Operating system and version and Service Pack Level, if any. Ex. Windows XP Professional x64 Edition Service Pack 1
Software Firewall in use: McAfee Personal Firewall 9.0.136 Build
Also if any Anti-Virus Program or Spyware Program is actively protecting your computer. (Some Programs like Spybot does cause problems, not being able to go to specific sites.)
Include your location in the post or fill out your Profile for this forum and include the location. (Reason: Not all Routers from a given manufacturer are available everywhere.)
Post the link to your Router Model, if an off-brand Router or not found in the USA on the Manufacturer's USA's Website. (Why? Posters helping each other, aren't working for Pure Networks or Network Magic, so make it easier on the posters helping on.)
And any other information you think is important if answering your own post, and the nature of the problem, itself.
By posting all this information, you can hopefully get help from someone that has the same equipment that you have and theirs is working. Not everyone has the same equipment.
thecreator - Running Network Magic version -5.5..9195.0-Pure0 on Windows XP Home Edition SP 3
Running Network Magic version -5.5.9195.0-Pure0 on Wireless Computer with McAfee Personal Firewall Build 11.5.131 Wireless Computer has D-Link DWA-552 connecting to D-Link DIR-655 A3 Router.

mhchiang,
If you have multiple systems that all show the same symptoms,
then it is probably not a problem in the computers.
You may need to investigate the rest of your network hardware
and your campus network software.
Your campus network administrators may have made some recent changes.
Ethernet switches may have power supply problems, or they're getting old.
Firewall software may heve had recent changes to its configuration.
If the cabling goes over long distances, from building to building,
there may be damage to wiring.

Similar Messages

  • Begging for help : Swing: networking

    I am getting problems after problems....i did this Swing applet to "activate" the server so that it waits for a request. the first time i ran it i got the java.security.accessdenied....etc...
    I changed the java.security to grant all permissions....
    I ran the following code...
    it hangs..the button gets stuck....
    what s the problem..
    Do i also post the java.security file?
    PLEASE HELP.
    import java.awt.*;
    import java.io.*;
    import java.awt.event.*;
    import javax.swing.*;
    import java.net.*;
         public class appSNServerFile extends JApplet implements ActionListener{
              JButton activate;
              JTextArea ta;
                   public void init(){
                        activate = new JButton("Activate the Server");
                        ta = new JTextArea(10,10);
                        Container con = getContentPane();
                        con.setLayout(new FlowLayout());
                        con.add(activate);
                        con.add(ta);
                        activate.addActionListener(this);
                        public void actionPerformed(ActionEvent e){
                             String temp="";
                             try{
                                  InetAddress ip = InetAddress.getLocalHost();
                                  ServerSocket s = new ServerSocket(2000);
                                  ta.setText("The Server's IP is "+String.valueOf(ip)+"\n");
                                  for(;;){
                                       Socket c = s.accept();
                                       ta.setText(String.valueOf("Request received from the client "+c+"\n"));
                                       DataInputStream din = new DataInputStream(c.getInputStream());
                                       DataOutputStream dout = new DataOutputStream(c.getOutputStream());
                                       String filename = din.readUTF();
                                       BufferedReader b = new BufferedReader(new FileReader(filename));
                                       String content = "";
                                       while(true){
                                            String t = b.readLine();
                                            if(t==null) break;
                                            content += t + "\n";
                                       ta.setText(String.valueOf(content));
                                       catch(Exception ioe){
                                            ta.setText(String.valueOf(ioe));
         //<applet code = appSNServerFile height = 300 width = 300></applet>

    Look up the Java API on ServerSocket.accept()
    It blocks until a client makes a connection with it.
    Ie. that call will hang there forever, until a client tries to connect.
    A better approach is to create a separate thread, which waits for a client connection. Something like........
    Note : Not compiled nor tested... but gives general approach.
    import java.awt.*;
    import java.io.*;
    import java.awt.event.*;
    import javax.swing.*;
    import java.net.*;
         public class appSNServerFile extends JApplet implements ActionListener, Runnable {
              ServerBackgroundThread backThread = new ServerBackgroundThread();
              JButton activate;
              JTextArea ta;
                   public void init(){
                        activate = new JButton("Activate the Server");
                        ta = new JTextArea(10,10);
                        Container con = getContentPane();
                        con.setLayout(new FlowLayout());
                        con.add(activate);
                        con.add(ta);
                        activate.addActionListener(this);
                   public void actionPerformed(ActionEvent e)
                        if ( !backThread.isRunning() )
                             backThread.start();
         class ServerBackgroundThread extends Thread
              boolean isRunning = false;
              public ServerBackgroundThread ( )
                   super();
              public boolean isRunning ( )
                   return ( isRunning );
              public void run ( )
                   isRunning = true;
                        String temp="";
                        try
                             InetAddress ip = InetAddress.getLocalHost();
                             ServerSocket s = new ServerSocket(2000);
                             // ta.setText("The Server's IP is "+String.valueOf(ip)+"\n");
                             updateTextField ( "The Server's IP is "+String.valueOf(ip)+"\n" );
                             for(;;)
                                  Socket c = s.accept();
                                  // ta.setText(String.valueOf("Request received from the client "+c+"\n"));
                                  updateTextField (String.valueOf("Request received from the client "+c+"\n"));
                                  DataInputStream din = new DataInputStream(c.getInputStream());
                                  DataOutputStream dout = new DataOutputStream(c.getOutputStream());
                                  String filename = din.readUTF();
                                  BufferedReader b = new BufferedReader(new FileReader(filename));
                                  String content = "";
                                  while(true)
                                       String t = b.readLine();
                                       if(t==null) break;
                                       content += t + "\n";                                   
                                  // ta.setText(String.valueOf(content));
                                  updateTextField ( String.valueOf(content));
                        catch(Exception ioe)
                             // ta.setText(String.valueOf(ioe));
                             updateTextField ( String.valueOf(ioe));
                        finally
                             isRunning = false;
              public void updateTextField ( String message )
                          // IMPORTANT : You can't update a Swing component in another
                          // Thread.  You must update it in a "Swing friendly" manner.
                          // Hence this helper function.
                   final Runnable runnable = new Runnable()
                       public void run()
                            ta.setText ( message );
                       } // run
                   };    // runnable
                   SwingUtilities.invokeLater(runnable);
         //<applet code = appSNServerFile height = 300 width = 300></applet>

  • Error Code:22 when scanning for available WiFi-Networks using CoreWLAN

    Hi ,
    I use the following code to scan for Wi-Fi networks on Mac book pro , 10.6 and above OS
                                  Class pc;
                                  NSArray *interfaces;
                                  framework = [NSBundle bundleWithPath: @"/System/Library/Frameworks/CoreWLAN.framework"];
                                  if([framework load])
                            NSLog(@"Framework loaded");
      else
                                            NSLog(@"Error, framework failed to load\nAborting.");
      return NULL;
    if ((pc = [framework classNamed:@"CWInterface"]))
      interfaces = [pc supportedInterfaces];
      self.interfaceName = [interfaces objectAtIndex:0];
       airportInterface = [[pc alloc] initWithInterfaceName:[interfaces objectAtIndex:0]];
    NSDictionary *argsDict = [NSDictionary dictionaryWithObject:[NSNumber numberWithBool:YES] forKey:@"SCAN_MERGE"];
    NSArray *scanResults=[airportInterface scanForNetworksWithParameters:argsDict error:&scanErr];
    My test software will work fine for about 30 to 40 mins returning the scanned Wi-Fi networks
    After 40 Minutes, i usually get an error stating
    Error code: 22, Error domain com.apple.coreWLAN.error, Error userinfo: (null)
    Can you please let me know the work around or fix for this solution.
    Regards
    Rakesh

    Hi Mike,
    We have had this problem. Please delete the change log table of the ODS in the QA or Prod system (whichever is the target for your transport request) and then reimport the transport request.
    <i>
    534
    if generated ODS InfoSource,
    | 535|* no PSA versioning possible |</i>
    Hope this helps...

  • Mail Quits when Checking for New Mail...Please Help!

    Hi, everyone. I just upgrade a Powerbook to Tiger and Mail 2.0.5. I have set up a new account, but for some reason, every time it tries to check mail, it crashes! When I bring up the activity viewer, I can see that it's logging into my mail server, and reading the number of mail messages. It then begins to download the first piece of mail, and starts applying the rules. And that's when I get the crash and the "mail has quit unexpectedly" window.
    I've already deleted all rules and turned off the junk filters, but it still continues to do it. I've also tried trashing the mail preference file, to no avail. I am at a frustrated loss here. If anyone could help, I'd appreciate it. Thanks in advance...
    Bill

    Hi there,
    Yes, I've had the same problem with Mail quitting whilst downloading new mail for around a month. I called the Applecare line and they advised me to re-install Mail. I felt this was alittle drastic as Mail worked perfectly in every other way so I didn't take their advice.
    However, thank you so much - your advice of turning off the Junk mail filter worked perfectly and in an instant my Mail works perfectly again.
    Thank you!

  • I have an Apple Mac OS X and for some reason I cannot watch the videos on facebook that friends post, and help would be appreciated please.

    I am having problems in viewing videos on facebook that friends have posted, I was able to do so upto and including yesterday any suggestions?
    As you can see I am not a computer tech just a granny trying to be!

    Some of them require Flash player be installed:
    Adobe - Install Adobe Flash Player

  • I downloaded a plug-in from this site and it's posting for me on FB. Please jelp me delete.

    I downloaded a plug-in from this site to change the look of my FB profile:
    [http://www.cuvce.com/download/update-fb1.php?h=eNortjI3sVKqSS4tS07VS87PrTHRM0gyNKpJS0oyNEESzigpKVA1dlQ1cgOi8vJyvbTE5NSk_PxssKyhkaWlmYGZkaWJkjVcMHPaGoM, Change Facebook profile ]
    It has since began to post on each of my friends profiles as if it is a wonderful idea and it's not. Please help me delete it. It is not coming up as an application. It also utilized Firefox as a supporter or used its logo along with its promotion. It downloaded Bing as a toolbar as well.

    That sounds like an unusual problem. Did it install as an Extension, or as a Plugin? Check in the Addons Manager, and check to see where it appears. If it appears in the Plugins area, then you can disable the plugin, killing its ability to do anything. If it is an Extension, it will be under the Extension section of the Addon Manager. Select to Uninstall and then allow it to do what needs to be done to remove it from your system. If nothing else works, you could try creating a new profile in Firefox and using it instead.
    For more information about using the Firefox Profile Manager, I suggest you read [http://support.mozilla.com/en-US/kb/Managing%20profiles this] article on the Mozilla Support zone. While it does state that features such as the Profile Manager are for advanced users and developers, it can also be used in situations where an addon installs itself and you have difficulty removing it from a profile.
    I suggest you open a program such as Notepad on Windows (or TextEdit on Mac OS X), and then note down the Extensions and Themes you make the most use of when browsing the internet. Generally, addons such as AdBlock Plus will rank highly on a list such as this, and they tend to be the first extensions I install.
    If you do decide you want to customize your Facebook interface in the future, did you know there are several ways to do so with extensions for Firefox? Using [https://addons.mozilla.org/en-US/firefox/addon/stylish/ Stylish] and [https://addons.mozilla.org/en-US/firefox/addon/greasemonkey/ Greasemonkey], as well as their respective sites (Userstyles and Userscripts, respectively) can allow you to find some methods for tweaking your Facebook profile. Note that these customizations are local to you, as are the ones you initially attempted to install. In other words, they are only visible on your computer.
    For example, if you were to customize your Facebook on your PC, and then use a friend's computer, you would not see the customizations, even if they were using Firefox as well. This means you can have your Facebook profile how you want it, without making it harder for others to see. I hope this is of help, and thanks for using Firefox!

  • New A03 video driver posted for Venue 11 Pro 7130 - please report any remaining issues here!

    We have posted the updated A03 version of the video driver.   If you are having video problems on your 713x, please update to this latest driver ASAP.
    http://www.dell.com/support/home/us/en/19/Drivers/DriversDetails?driverId=3DTCD&fileId=3390560770&osCode=WB64A&productCode=dell-venue-11i-pro&languageCode=EN&categoryId=VI
    This driver fixes most known issues.   Note that there are still several monitors with known persistence issues (e.g. what the monitor does after a sleep/resume cycle).   The plan is to address these in the next driver release.
    If you see issues with the A03 driver, please provide information here.   Please see this thread for general troubleshooting steps before reporting issues -> http://en.community.dell.com/support-forums/mobile-devices/f/4586/t/19580384.aspx?pi239031352=1#20664209
    Thanks!

    i updated the video drive and was really excited when i hooked up my DP to DP and the monitor worked.  Soon after though,  a bunch of issues arised:
    1) When the monitor went to sleep it shut of the tablet as well.
    2) My CPU is now running high (50%-60%) and my cursor has a constant blue circle spinning around
    3) The fan is constantly running,  not high but on.  It did not do this prior to the driver update
    The Venue is working in the sense that i am running an HDMI to HDMI monitor off the dock and my application seem to run at the same speed.
    Tech support downgraded me back to A02 but the problem still persists.  We are now going to reimage.
    I am not super technical, but i almost feel like the A03 driver changed a setting or two in the system which is causing the issues.

  • IWork Apps Quitting when asking for "help"

    All iWork Apps quit when I tap the Help Icon. Anyone have any idea what's up?
    — Thanks

    Try this  - Reset the iPad by holding down on the Sleep and Home buttons at the same time for about 10-15 seconds until the Apple Logo appears - ignore the red slider - let go of the buttons. (This is equivalent to rebooting your computer.) No data/files will be erased. http://support.apple.com/kb/ht1430
    Generally, you are more likely to get an answer if you post in the iWork for iOS forum at
    https://discussions.apple.com/community/app_store/iwork_for_ios
    iOS 7: Help with how to fix a crashing app on iPhone, iPad (Mini), and iPod Touch
    http://teachmeios.com/help-with-how-to-fix-a-crashing-app-on-iphone-ipad-mini-an d-ipod-touch/
    Troubleshooting apps purchased from the App Store
    http://support.apple.com/kb/TS1702
    Delete the app and redownload.
    Downloading Past Purchases from the iTunes Store, App Store and iBooks Store
    http://support.apple.com/kb/ht2519
     Cheers, Tom 

  • First BB and First forum post for Help - UMA on the 8900 - Orange UK

    Help!!!
    This is my first BB and my first post on a forum.
    I got my first BB about 5 weeks ago.  Loving it.  
    I got the phone and connected to my home Wi-Fi straight away and the was able to connect using UMA, calls, txt etc.
    Today, all of a sudden it will not use UMA, this is a big problem for me as where I live there is terrible network coverage.  The Wi-Fi signal is good, there is a broadband connection, my BB has connected to the Wi-Fi and using the browser it is connected to the Web.
    I'm on Orange UK - using BT HomeHub for the Wi-Fi.
    Any help would be greatly appreciated.
    Thanks 
    Solved!
    Go to Solution.

    I should have read the other posts about this problem sooner!!  
    I'm now back and working on UMA.  
    Anyone else who has this problem (with common factors), simply turn off, remove battery, turn back on and reconnect with your Wi-fi ( deleting your previous Wifi profile will not hurt!!!) and it should work ok.  It did for me.
    Good luck.

  • Help on network interruptions please

    Our Sun Blade workstations have been experiencing network interruptions, resulting in unavailable internet service except intranet. PCs on the same network appear ok somehow. The interrupt lasts a few minutes occasionally. When it occurs, the on-campus workstation also becomes unaccessible from off-campus. The interrupts do not occur consistently from machine to machine. The network used to be okay. Any help is appreciated.

    mhchiang,
    If you have multiple systems that all show the same symptoms,
    then it is probably not a problem in the computers.
    You may need to investigate the rest of your network hardware
    and your campus network software.
    Your campus network administrators may have made some recent changes.
    Ethernet switches may have power supply problems, or they're getting old.
    Firewall software may heve had recent changes to its configuration.
    If the cabling goes over long distances, from building to building,
    there may be damage to wiring.

  • OC4J error when posting changes - Help needed

    When i call postChanges() and later Commit() to the ApplicationModule's transaction I succed.
    The next time i call postChanges() on the ApplicationModule's transaction the following exception is thrown on the OC4J server:
    oracle.jbo.DMLException: JBO-26080: Error while selecting entity for Styles
    at oracle.jbo.server.OracleSQLBuilderImpl.doEntitySelect(OracleSQLBuilderImpl.java:841)
    at oracle.jbo.server.EntityImpl.doSelect(EntityImpl.java:3839)
    at oracle.jbo.server.EntityImpl.lock(EntityImpl.java:2630)
    at dk.bestseller.bestinfoII.purchase.stylecard.StylesImpl.lock(StylesImpl.java:635)
    at oracle.jbo.server.EntityImpl.setAttributeValueInternal(EntityImpl.java:1848)
    at oracle.jbo.server.EntityImpl.setAttributeValue(EntityImpl.java:1790)
    at oracle.jbo.server.AttributeDefImpl.set(AttributeDefImpl.java:1570)
    at oracle.jbo.server.EntityImpl.setAttributeInternal(EntityImpl.java:754)
    at dk.bestseller.bestinfoII.purchase.stylecard.StylesImpl.setStyleName(StylesImpl.java:152)
    at dk.bestseller.bestinfoII.purchase.stylecard.StylesImpl.setAttrInvokeAccessor(StylesImpl.java:446)
    at oracle.jbo.server.EntityImpl.setAttribute(EntityImpl.java:680)
    at oracle.jbo.server.ViewRowStorage.setAttributeValue(ViewRowStorage.java:903)
    at oracle.jbo.server.ViewRowStorage.setAttributeInternal(ViewRowStorage.java:819)
    at oracle.jbo.server.ViewRowImpl.setAttributeInternal(ViewRowImpl.java:948)
    at oracle.jbo.server.ViewRowImpl.setAttrInvokeAccessor(ViewRowImpl.java:925)
    at oracle.jbo.server.ViewRowImpl.setAttribute(ViewRowImpl.java:717)
    at oracle.jbo.server.remote.RuntimeViewRowSetIteratorInfo.updateRow(RuntimeViewRowSetIteratorInfo.java:311)
    at oracle.jbo.server.remote.RuntimeViewRowSetIteratorInfo.readPiggyback(RuntimeViewRowSetIteratorInfo.java:193)
    at oracle.jbo.server.remote.AbstractRemoteApplicationModuleImpl.readPiggyback(AbstractRemoteApplicationModuleImpl.java:2419)
    at oracle.jbo.server.remote.AbstractRemoteApplicationModuleImpl.isTransactionDirty(AbstractRemoteApplicationModuleImpl.java:1788)
    at oracle.jbo.server.remote.ejb.EJBApplicationModuleImpl.riIsTransactionDirty(EJBApplicationModuleImpl.java:2454)
    at RemoteStylecardModule_StatefulSessionBeanWrapper6.riIsTransactionDirty(RemoteStylecardModule_StatefulSessionBeanWrapper6.java:12889)
    at java.lang.reflect.Method.invoke(Native Method)
    at com.evermind.server.rmi.RMICallHandler.run(RMICallHandler.java:80)
    at com.evermind.util.ThreadPoolThread.run(ThreadPoolThread.java:64)
    ## Detail 0 ##
    java.sql.SQLException: ORA-01002: Fetch out of sequence
    Is there a solution to this problem?
    Client sample code:
    import javax.naming.*;
    import java.util.Hashtable;
    import oracle.jbo.*;
    //import oracle.job.client.*;
    ** Sample client code for connecting to an appmdoule deployed
    ** as an EJB session bean to Oracle9iAS server.
    public class SampleEJBClient
    public static void main(String[] args)
    ** Change the following String's to match your appmodule name and the
    ** name of the viewobject included in that appmodule.
    String amDefName = "dk.bestseller.bestinfoII.purchase.stylecard.StylecardModule";
    String voMemberName = "StylesView";
    ** Change the following to match the name of the J2EE application
    ** containing the deployed appmodule session bean.
    String applicationName = "BCStyleCardEJB";
    ** Change the following to point to the datasource name
    ** (defined in Oracle9iAS).
    ** to your database.
    String dataSourceName = "jdbc/BI2DS";
    ** Change the following to point to the hostname where the
    ** appmodule is deployed i.e. the host where Oracle9iAS application
    ** server is running.
    String applicationServerHost = "bsdk-bi2app2";
    ** Change the following username and password
    ** to be used for connecting to the Oracle9iAS server.
    String iasUserName = "****";
    String iasUserPasswd = "****";
    ApplicationModule am = null;
    try
    // Setup JNDI environment for looking up
    // the appmodule
    Hashtable env = new Hashtable();
    env.put(Context.INITIAL_CONTEXT_FACTORY,JboContext.JBO_CONTEXT_FACTORY);
    env.put(JboContext.DEPLOY_PLATFORM, JboContext.PLATFORM_EJB_IAS);
    env.put(JboContext.HOST_NAME, applicationServerHost);
    env.put(JboContext.SECURITY_PRINCIPAL, iasUserName);
    env.put(JboContext.SECURITY_CREDENTIALS, iasUserPasswd);
    env.put(JboContext.APPLICATION_PATH, applicationName);
    Context ctx = new InitialContext(env);
    // Lookup appmodule home
    ApplicationModuleHome amHome = (ApplicationModuleHome)ctx.lookup(amDefName);
    // Create an appmodule instance
    am = amHome.create();
    // Connect to the database using the datasource
    am.getTransaction().connectToDataSource(null, dataSourceName, false);
    // Find the viewobject included in the appmodule
    ViewObject vo = am.findViewObject(voMemberName);
    // Iterate over the viewobject to get the rows
    long l = System.currentTimeMillis();
    Row r = vo.first();
    r.setAttribute("StyleName", "My Change 1");
    am.getTransaction().postChanges();
    am.getTransaction().commit();
    r.setAttribute("StyleName", "My Change 2");
    //Here the exception is thrown when i call postChanges()
    am.getTransaction().postChanges();
    am.getTransaction().commit();
    System.out.println("vo.first(): "+(System.currentTimeMillis()-l));
    while (r != null)
    l = System.currentTimeMillis();
    // Iterate over the current row and get
    // all the attributes
    for (int i = 0; i < vo.getAttributeCount(); i++)
    String attrName = vo.getAttributeDef(i).getName();
    String attrVal = r.getAttribute(i).toString();
    System.out.println(attrName + " = " + attrVal);
    System.out.println("Row: "+(System.currentTimeMillis()-l));
    l = System.currentTimeMillis();
    r = vo.next();
    catch (NamingException ex)
    System.out.println("NamingException " + ex.getMessage());
    ex.printStackTrace();
    catch (ApplicationModuleCreateException ex)
    System.out.println("Unable to create application module: " + ex.getMessage());
    ex.printStackTrace();
    catch (JboException ex)
    System.out.println("JboException: " + ex.getMessage());
    ex.printStackTrace();
    catch (Exception ex)
    System.out.println("Exception: " + ex.getMessage());
    ex.printStackTrace();
    finally
    if (am != null)
    am.getTransaction().disconnect();
    am.remove();
    }

    I have inserted a rollback() just after the commit() that soules the problem.
    ViewObject vo = am.findViewObject(voMemberName);
    // Iterate over the viewobject to get the rows
    long l = System.currentTimeMillis();
    Row r = vo.first();
    r.setAttribute("StyleName", "My Change 1");
    am.getTransaction().postChanges();
    am.getTransaction().commit();
    //with out this line the server throws the exception (Is it a bug?)
    am.getTransaction().rollback();
    vo = am.findViewObject(voMemberName);
    r = vo.first();
    r.setAttribute("StyleName", "My Change 2");
    am.getTransaction().postChanges();
    am.getTransaction().commit();

  • What happened to my earlier post for help

    Oh and by the way, problem has now been resolved

    Have the tracks become unchecked? iTunes will skip unchecked tracks, so if they're all unchecked, iTunes will play one and then stop. If this is indeed the case, re-checkmark the tracks - Command-click on any checkbox will select or unselect them all - and you should then have continuous playback.

  • Network Magic v 5.5 I cannot access the online help from the links within NM

    When I try to access the online help from any link button in NM V5.5 including the main help > Help center > Network magic help, the browser will open and resolve address ,  Status bar will state done but I have a blank page.
    The URL in the address bar is
    http://go.purenetworks.com/redir/webhelp/nm/_cover.htm?pn=nm&a=5.5.9195.0&as=0&ad=2&bt=shp&b=Pure&dc=Pure0.LinksysRouterSetup&dt=OLN&k=1611759616&ct=cisco&ag=d9429c0fe2fd40b9&g=d04c74e28eb95300%2Cb2610a4f03b2f988&lcid=1033&ulcid=2057&am=99&it=upgrade
    I am running windows 7 Ultimate,  have tried 
    Firefox  3.6 and
    IE 8.0  -- I have put the Url into the trusted zone  and the web page will again show up as done and status bar shows trusted zone
    I have tried all this with my Firewall & AV (Kaspersky Internet Security 2010) both on and disabled
     NB  The "ask linskys link works" as does the "community forums"
    The Main help > Help center >Getting Started also works.
    ( I am running the WRT610N Router set up by Network Magic)
    Many Thanks

    I've seen this too use http://support.networkmagic.com
    Mikro the Owner of the Linksys BEFCMU10_V4-UG Modem & The BEFSR41v4 Router.

  • How to purchase a license for Network Magic?

    Hi there, hope anybody can help me here!
    I have purchased a Linksys wireless-N broadband router in which Network Magic was included (trial). I would like to purchase a license so I can continue using this software. I have searched everywhere on the website, but I can not make a purchase because "there is a problem with what was submitted"??? I have tried with both my VISA and Mastercard and through Paypal, but none of them will accept my order. I have tried to call them but are just being turned over to another call-center where the connection is broken (tried that three times now).
    I can not understand it should be such a problem to sell me a license. I have purchased, i dont know how many thing over the internet, without any problems with my cards or anything else. 
    And please dont advice me to check my submitted info prior to placing the order. I have tried five times, and even my wife can not find errors in those informations.
    If I can not get help in here with my problem. Could anyone then point me in the direction of another network managing program that works similar to Network Magic!!!
    Greetings from
    Lennart Greve, Denmark
    Network Magic Version: 5.5.9195.0-Pure0.LinksysRouterSetup

    I'd advise against it... Network Magic as a product was abandoned by Cisco in early 2009 and has not been updated since.

  • MESSAGE REJECTED FOR SPAM OR VIRUS CONTENT-----Please Help!!

    I send alot of emails for my business after a while and try to send an email I get this message
    and cant send through Thunderbird,but if I log into my Go Daddy Workspace..I can send the same exact email with no problem. I can receive emails but not send them. then I wait 24 hours or so and its ok. Im also told when people try to email me sometime they get a bounce back.
    How do I fix this problem? what are some solutions?
    thank you in advance!
    "An error occurred while sending mail. The mail server responded: AWHx1o00A4zJs2i01 :: auth :: Message rejected for spam or virus content :: Please include this entire message when contacting support :: v=2.0 cv=eqoBOPVX c=1 sm=1 p=PPS2TQdNAAAA:8 a=RBIhGjJQwpVXbUQ4VpzIqw==:17 a=zewopLiEtFcA:10 a=woXLOls9kE0A:10 a=8nJEP1OIZ-IA:10 a=by1fjShEoaihZ3t8YggA:9 a=wPNLvfGTeEIA:10 a=RBIhGjJQwpVXbUQ4VpzIqw==:117 :: 100.00. Please check the message and try again."

    I suggest you contact godaddy for some support using their mail service.

Maybe you are looking for

  • Came up with message "disk could not be read or written to"

    brand new ipod, jsut got it yesterday and this shows up, what is wrong with my 4th ipod in two years now! anyone know how to fix this or is it jsut a faulty ipod? other complication ive had with it today are itunes freezing which ive reinstalled, and

  • HT201272 What course of action do i take to restore in app purchases that were lost ?

    I recently bought the game Dead Trigger, I made a few in app purchases. played until my phone battery died. charged my phone, restarted the game and found all game progress was lost as well as all my IAP's. I dont mind the loss of game progress so mu

  • Hebrew support in Pages (or other iWork applications)

    Is there any intention to support hebrew and other RTL languages in iWork applications? Thanks.

  • XDCam into 5.1.4

    Hi, I am working in FCP 5.1 and have a project that was shot on XDCam discs in SD DVCam 16:9. By downloading the XDCam Transfer 2.7.1 patch, and setting the iLink pref on my deck as FAM (izzat "file access mode?) I have been able in the past to impor

  • How can I copy/import topics from one project to another?

    I am using RH8, Windows 7 and creating Browser based air help. One of the old posts I found said to import it, but when you select File/Import what do you select? Do you import the .htm file? more info needed. thank you. Pat