Contain 2nd WLAN to specific AP's

Currently I'm running a WLC 4402 with 1 WLAN. This WLAN is using 802.1X security.
I need to deploy a second WLAN for barcode scanners that only support WEP keys.
Is it possible to broadcast this 2nd WLAN only on specific AP's but also broadcast the original WLAN on all AP's.

Yep, this is easy to do for small numbers, but it's a lot of work for large numbers of APs. Hopefully you don't have too many :D
In the controller GUI, go to the Wireless tab. Then, on the left, click Access Points -> Radios -> 802.11b/g/n (or 802.11a/n). This will give you a page of individual radios on all your access points. Find the one you want and use the hover-button on the right to configure it.
On the next screen you'll see "WLAN Override". Enable this and you'll see a list of SSIDs appear. Click the ones you want broadcasting on that AP.
You'll need to do this for any access point that you want to restrict WLANs on. Any access point that will run all SSIDs does not need this configuration. Unfortunately, if you want one SSID on one access point, and one SSID on the rest, you'll need to do this on each AP, which is a bother.
EDIT: Fella beat me to it :)

Similar Messages

  • 2106, adding 2nd WLAN

    There's a thread here somewhere which helped me get my 2106 set up with one WLAN, a guest WLAN. Now I'm trying to set up a 2nd WLAN on the same WLC. I created a new dynamic interface, WLAN, and corresponding AP group VLAN. However, the lone AP in the new WLAN is pushing out both WLANs, even though it is configured as being only in the second. I must be missing a config step here, but what?

    Hi Jeff,
    The feature you are looking for is called WLAN Override :)
    Enabling WLAN Override
    By default, access points transmit all defined WLANs on the controller. However, you can use the WLAN Override option to select which WLANs are transmitted and which ones are not on a per access point basis. For example, you can use WLAN override to control where in the network the guest WLAN is transmitted or you can use it to disable a specific WLAN in a certain area of the network.
    From this doc;
    http://www.cisco.com/en/US/docs/wireless/controller/4.0/configuration/guide/c40wlan.html#wp1114777
    Once you create a new WLAN, the WLAN > Edit page for the new WLAN appears. In this page you can define various parameters specific to this WLAN including General Policies, RADIUS Servers, Security Policies, and 802.1x Parameters.
    **Check Admin Status under General Policies to enable the WLAN. If you want the AP to broadcast the SSID in its beacon frames, check Broadcast SSID.
    Note: You can configure up to sixteen WLANs on the controller. The Cisco WLAN Solution can control up to sixteen WLANs for Lightweight APs. Each WLAN has a separate WLAN ID (1 through 16), a separate WLAN SSID (WLAN name), and can be assigned unique security policies. Lightweight APs broadcast all active Cisco WLAN Solution WLAN SSIDs and enforce the policies that you define for each WLAN.
    From this good doc;
    http://www.cisco.com/en/US/tech/tk722/tk809/technologies_configuration_example09186a0080665d18.shtml#c3
    Hope this helps!
    Rob

  • How can I list all folders that contain files with a specific file extension? I want a list that shows the parent folders of all files with a .nef extension.

    not the total path to the folder containing the files but rather just a parent folder one level up of the files.
    So file.nef that's in folder 1 that's in folder 2 that's in folder 3... I just want to list folder 1, not 2 or 3 (unless they contain files themselves in their level)

    find $HOME -iname '*.nef' 2>/dev/null | awk -F '/'   'seen[$(NF-1)]++ == 0 { print $(NF-1) }'
    This will print just one occurrence of directory
    The 'find' command files ALL *.nef files under your home directory (aka Folder)
    The 2>/dev/null throws away any error messages from things like "permissions denied" on a protected file or directory
    The 'awk' command extracts the parent directory and keeps track of whether it has displayed that directory before
    -F '/' tells awk to split fields using the / character
    NF is an awk variable that contains the number of fields in the current record
    NF-1 specifies the parent directory field, as in the last field is the file name and minus one if the parent directory
    $(NF-1) extracts the parent directory
    seen[] is a context addressable array variable (I choose the name 'seen'). That means I can use text strings as lookup keys.  The array is dynamic, so the first time I reference an element, if it doesn't exist, it is created with a nul value.
    seen[$(NF-1)] accesses the array element associated with the parent directory.
    seen[$(NF-1)]++ The ++ increments the element stored in the array associated with the parent directory key AFTER the value has been fetched for processing.  That is to say the original value is preserved (short term) and the value in the array is incremented by 1 for the next time it is accessed.
    the == 0 compares the fetched value (which occurred before it was incremented) against 0.  The first time a unique parent directory is used to access the array, a new element will be created and its value will be returned as 0 for the seen[$(NF-1)] == 0 comparison.
    On the first usage of a unique parent directory the comparison will be TRUE, so the { print $(NF-1) } action will be performed.
    After the first use of a unique parent directory name, the seen[$(NF-1)] access will return a value greater than 0, so the comparison will be FALSE and thus the { print $(NF-1)] } action will NOT be performed.
    Thus we get just one unique parent directory name no matter how many *.nef files are found.  Of course you get only one unique name, even if there are several same named sub-directories but in different paths
    You could put this into an Automator workflow using the "Run Shell Script" actions.

  • HashSet.contains and HashSet.remove specifications

    In the API for java.util.HashSet (this is probably also true for some other parts of the Collections framework), the contains method specification reads "returns true if and only if this set contains an element e such that (o==null ? e==null : o.equals(e))." However, this isn't what I'm experiencing -- it looks like contains returns true iff the set contains an element e such that (o==null ? e==null : o.hashCode()==e.hashCode()). What am I doing wrong here? I have a simplified version of my code below... Thanks.
    public class MyInt {
      int number;
      public MyInt(int number) { this.number = number; }
      public boolean equals(Object other) { return other instanceof MyInt ? this.number == (MyInt)other.number ? false; }
    /* later in the code */
    HashSet<MyInt> set = new HashSet<MyInt>();
    set.add(new MyInt(17));
    set.contains(new MyInt(17));                      // returns false, should return true, right?
    set.size();                                                 // returns 1
    /* modifying MyInt class... */
    public class MyInt {
      public int hashCode() { return this.number; }
    /* then... */
    HashSet<MyInt> set = new HashSet<MyInt>();
    set.add(new MyInt(17));
    set.contains(new MyInt(17));                      // returns true
    set.size();                                                 // returns 0

    kempshall wrote:
    Fair enough, but in case whoever writes the API documentation reads this, I think the wording still needs to be changed: contains does not return true iff there exists at least one element e in the collection such that o == null ? e == null : o.equals(e). Same for remove. Thanks.The API is correct. The fault lies with you not honoring the hashCode() method.
    if o.hashCode() = e.hashCode() then o dose not necessarily equal e.
    if o.hashCode() != e.hashCode() then o necessarily must not equal e
    Hence the exact language would be something like
    o == null? e == null : o.hashCode() == e.hashCode() ? moreThanOneObjectWithSameHashCode? o.equals(e) : true:false;Obviously this is a little more wordy, and strickly speaking it's just implementation detail. Just like the API says, HashSet is a set. And mathematically, the set will contain object o if there is at least one element e such that o.equals(e). You need only to honor the equals() method which states in its documentation.
    it is generally necessary to override the hashCode method whenever this method is overridden, so as to maintain the general contract for the hashCode method, which states that equal objects must have equal hash codesBasically the API is allowed to assume you've correctly overriden both.

  • Segregate WLAN to specific AP's?

    Hi,
    I'm using a 4404 WLC with 1131AG LWAPP's and I was wondering if there is a way to create a WLAN and have it only broadcast from specific APs?
    I'm testing a new Wireless configuration but I don't want the WLAN going out across all of our AP's, just a select few in my own office.
    Thanks!
    Rob

    In 5.2 it is AP Groups under the WLAN section. Prior to this, you had to do "WLAN Override" which had to be enabled on each radio of each AP http://www.cisco.com/en/US/docs/wireless/controller/4.1/configuration/guide/c41wlan.html#wp1127323.

  • Apple TV (2nd gen) - Very Specific Buffering Issue

    I have been watching the threads regularly for a situation similar to mine but I can't see one so I am starting a new one.
    I have Four (4) Apple TVs in the house and a large library of movies, TV shows and personal movies loaded into iTunes on a Window 7 64 bit system with an Intel i7 processor, 12 GB of memory and 2TB of disk space.  Everything seemed to work OK until I got the third Apple TV but that was a year ago and several software upgrades in the past.
    My problem is that when all four (4) Apple TVs are plugged into power, even if the ones I am not using are asleep, I have horrible buffering delays when watching vidoes from iTunes on the Windows PC. I do not have any trouble streaming video from Netflix or the iTunes store directly. When the Apple TV stops to fill buffers it seems to lock up trying and never comes back (I have waited up to 30 minutes). However, if I exit out of the movie as soon as the buffering issue starts, and go back into the video where I left off - it starts playing again within 3 seconds and will carry on for another random period of time in the range of 2 minutes to 10 minutes.
    Before anyone starts responding with the basic stock suggestions, I am a retired IT guy who has put a lot of time and technical effort into trying to find the root cause of this problem. I am very familiar with networking, Windows 7, firewalls, etc.
    The work around is that when I want to watch videos from iTunes on my Windows PC I have to unplug the other three Apple TVs, restart my router and reboot my Windows PC. These three steps together work consistently but omitting any one step may or may not improve the situation. This means that I can't just decide to watch a video from iTunes without 10 minutes of advance prep work - and watching two different videos on two different Apple TVs at the same time only works about 30% of the time.
    Here is some more background information:
    I have two (2) iPhones, one (1) iPad, another Windows 7 64 bit PC, a MacBook Air, and stand alone Internet radio on my network. The problem persists even when all the other devices have been powered off.
    All devices, including the Apple TVs, are running the most current version of software and have ALL patches installed.
    I have upgraded my router (twice) and now have an ASUS RT-N56U dual band router with the Windows PCs both cable connected and the Apple TVs and all the other stuff running wireless.
    I have used netstumbler to detect other networks and have tried various different channels on the router. I am in a low density area and only see two other neighbours with wireless networks.
    I have a 20 MB Internet service connection via cable modem and have no problems watching videos on the Apple TVs from the Internet
    I have relocated the router away from any other elecrical equipment (Apple TVs all show a full strength signal)
    I have tried disabling my MacAfee Security Center virus and personal firewall software (the problem persists), then removing it entirely (the problem persists), then reinstalling only the virus protection component and enabling Windows Firewall (the problem persists).
    I have removed all software from the Windows computer that brand name commercial software - I use Microsoft Office 2010 and Google Chrome as my browser (the problem persists).
    Important - I have moved the complete iTunes library to a 2TB USB hard drive and run iTunes on my MacBook Air with the Windows PCs turned off (the problem persists).
    There is one issue that seems relevant, but might just be a bug in the router management interface. I have set up reserved DHCP addresses for the Apple TVs and the computers to make it easier to identify devices when I am troubleshooting. The DHCP log shows the correct IP addresses being assigned to the correct MAC addresses but the network map screen frequently displays two or more Apple TVs with duplicate MAC addresses. It only happens with the Apple TVs and has never happened with anything else. This is what gave me the idea to turn off all Apple TVs except the one I want to watch and reset the router to clear the other addresses - which seems to be the only consistent way to watch an iTunes video without buffering problems.
    Any ideas would be greatly appreciated. I have invested a lot of time and money in Apple technologies and setting up this home video strategy.  It's very frustrating that it doesn't work reliably.
    Thanks
    Bob T

    I too am having this issue were two of my Apple TVs are showing duplicate MAC Addresses. I have varrified this by looking at the arp -a cache on multiple machines. I believe this is a major bug in the Apple TV software. Can we please get a fix.

  • Satellite A300 - Cannot use WLan

    Hi
    I have a Toshiba Laptop A300 and did a reboot / clean laptop with rescue disk from Toshiba
    Vista Home 32 bit x86
    All went fine with reinstall + vista SP 1 + office ...
    But no wireless Lan possible / via cable I have internet.
    Following steps followed
    - Removed Realtek family fast ethernet RTL8101 / NCDIS6
    - Reinstalled and got error code 10
    - Went to the website Realtek downloaded again and reinstalled
    - No more error driver working fine but still no wireless network detected or even able to setup as
    I only have possibility to chosse broadband or via dialup in network manager
    - Next I read on a post that the free norton antivirus was blocking so I removed symantec + Norton antivirus
    - Still no luck with wireless
    - When I push F8 wireless is on and button under keyboard with wireless is also enabled
    I am out of ideas can anybody pls assist
    Thank you very much

    Please send us exact model name and model number so we can check notebook specification and see which WLAN card is inside.
    >... clean laptop with rescue disk from Toshiba Vista Home 32 bit x86
    Original Toshiba recovery image contains right WLAN driver so Im a bit confused after reading this.
    Is some unknown device listed in device manager?
    Which devices are listed under network adapters?

  • How can I extend an Airport Express in WLAN mode with an additional Airport Express box

    I'm trying to extend the existing WLAN with an additonal Airport Express box. I read through a bunch of comment throughout the communities here but didn't find what I'm looking for.
    My actual Installation consists:
    A Time Capsule attached to the Internet router which set up my 1. WLAN range
    This WLAN has been extended with an Airport Express BOX creating my extended 2. WLAN range
    Now I intend the extend the 2nd WLAN of the Airport Express BOX with an additional Airport Express (creating a 3rd WLAN range) but don't find a way on how to set it up correctly.
    The physical situation of the location dosen't allow me to add / replace cabeling (Ethernet or similar). If there is any chance I'd like to avoid power-line connections. And, I'm aware of the impacted bandwith on WLAN / WLAN extensions, but can deal with this.
    Regards and thanks for any advice

    Two requirements that must be met to do what you want.......
    1) An AirPort Express 802.11n must be used. Check the Model No on the label on the side of the Express. It needs to be A1264. Any other model number will not do what you want.
    2) The Express must be configured to "Join a wireless network" and the option to enable Ethernet Clients must be checked. 
    Open AirPort Utility and click Manual Setup
    Click the Wireless tab below the row of icons
    The box to "Allow Ethernet Clients" must be checked
    Please check to verify that your AirPort Express meets both requirements

  • Dynamic Class Loading in an EJB Container

    Hello,
    We have a need to load classes from a nonstandard place with in an ejb container, ie a database or secure store. In order to do so we have created a custom class loader. Two issues have come up we have not been able to solve, and perhaps some one knows the answer to.
    Issue 1.
    Given the following code:
    public static void main(String args[])
    MyClassLoader loader = new MyClassLoader("lic.dat");
    System.out.println("Loading class ..." + "TestObject");
    Object o = Class.forName("TestObject",true,loader).newInstance();
    System.out.println("Object:" + o.toString());
    TestObject tstObj = (TestObject) o;
    tstObj.doIt();
    What happens when executed is as follows. Class.forName calls our loader and does load the class as we hoped, it returns it as well, and the o.toString() properly executes just fine. The cast of the object to the actual TestObject fails with a class not found exception. We know why this happens but don't know what to do about it. It happens because the class that contains main was loaded by the system class loader (the primordial class loader as its sometimes called), That class loader does not know about TestObject, so when we cast even though the class is "loaded" in memory the class we are in has no knowledge of it, and uses its class loader to attempt to find it, which fails.
    > So the question is how do you let the main class know to use our class loader instead of
    the system class loader dispite the fact is was loaded by the system class loader.
    Issue 2:
    To make matters worse we want to do this with in an EJB container. So it now begs the question how do you inform an EJB container to use a specific class loader for some classes?
    Mike...

    Holy crap! We are in a similar situation. In creating a plugin engine that dynamically loads classes we use a new class loader for each plugin. The purpose is so that we can easily unload and/or reload a class at runtime. This is a feature supposedly done by J2EE app servers for hot-deploy.
    So our plugins are packaged as JAR files. If you put any class in the CLASSPATH, the JVM class loader (or the class loader of the class that is loading the plugin(s)), will load the class. The JavaDoc API states that the parent classloader is first used to see if it can find the class. Even if you create a new URLClassLoader with NULL for parent, it will always use the JVM class loader as its parent. So, ideally, in our couse, plugins will be at web sites, network drives, or outside of the classpath of the application and JVM.
    This feature has two benefits. First, at runtime, new updates of plugins can be loaded without having to restart the app. We are even handling versions and dependencies. Second, during development, especially of large apps that have a long startup time, being able to reload only one plugin as opposed to the annoying startup time of Java apps is great! Speeds up development greatly.
    So, our problem sounds just like yours. Apparently, the Client, which creates an instance of the plugin engine, tries to access a plugin (after the engine loades it via a new classloader instance for each plugin). Apparently, it says NoDefClassFound, because as you say, the client classloader has no idea about the plugin class loaded by another classloader.
    My co-developer came up with one solution, which I really dont like, but seems to be the only way. The client MUST have the class (java .class file) in its classpath in order to work with the class loaded by another class loader. Much like how in an EJB container, the web server calling to EJB MUST contain the Home and Remote interface .class files in its classpath, the same thing needs to be done here. For us, this means if a plugin depends on 5 others, it must contain ALL of the .class files of those plugins it depends on, so that the classloader instance that loads the plugin, can also see those classes and work with them.
    Have you got any other ideas? I really dislike that this has to be done in this manner. It seems to me that the JVM should be able to allow various class loaders to work with one another in such a way that if a client loaded by one classloader has an import statement in it to use a class, the JVM should be able to fetch the .class out of the other classloader and share it, or something!
    This seems to me that there really is no way to actually properly unload and then reload a class so that the JVM will discard and free up the previous class completely, while using the new class.
    I would be interested in discussing this topic further. Maybe some others will join in and help out on this topic. I am surprised there isn't a top-level forum topic about things like class loaders, JVM, etc. I wish there was a way to add one!

  • Using JDO in a Servlet container/app server

    Hi,
    I was just wondering what Solarmetric recommends when using Kodo in a
    servlet container/app server. Specifically the following:
    1. Should each user session maintain a PersistenceManager or should the
    PM be created per request? I am thinking it might be expensive to
    maintain PMs across requests since you may have idle sessions and the
    PMs may hold database resources? But since PMs aren't pooled in Kodo is
    creating/closing a PM per request expensive or is it offset by Kodo's
    connection pooling?
    2. Is it advisable to store data to be displayed on a JSP by storing the
    JDO instances themselves or serializable proxies (simple data beans) of
    these objects in a user's session?
    3. If you can store the JDO instances in the session, do you need to
    make them transient instances using makeTransient() and call close() the
    PersistenceManager?
    Thanks in advance,
    Khamsouk

    These are all very good questions. There really is no one right answer to any
    of them, so I'll just try to educate you on the issues involved and you can
    make your own decision. Hopefully other people who are actually using Kodo
    in a servlet/JSP environment will chime in too.
    1. Should each user session maintain a PersistenceManager or should the
    PM be created per request? I am thinking it might be expensive to
    maintain PMs across requests since you may have idle sessions and the
    PMs may hold database resources? But since PMs aren't pooled in Kodo is
    creating/closing a PM per request expensive or is it offset by Kodo's
    connection pooling?As long as you are outside of a datastore transaction, a PM does not maintain
    any database resources. The only significant state it maintains is a soft
    cache of persistent objects that have already been instantiated. If you are
    using Kodo 2.3 RC1 and have no set the
    com.solarmetric.kodo.DefaultFetchThreshold property to -1, then some
    large collections you obtain from query results or relation traversals may be
    scrollable result sets on the back-end, in which case they obviously maintain
    some database resources.
    2. Is it advisable to store data to be displayed on a JSP by storing the
    JDO instances themselves or serializable proxies (simple data beans) of
    these objects in a user's session?
    3. If you can store the JDO instances in the session, do you need to
    make them transient instances using makeTransient() and call close() the
    PersistenceManager?I'll address these together. JDO fully supports serialization, and in fact
    I think you'll find it does so in exactly the way that you want. If you choose
    to store serialized persistent objects in the session, then during
    serialization the objects will transparently pull in all of their persistent
    state and relations, so the entire object graph is serialized. When you
    deserialize, the objects will no longer be attached to their persistence
    manager -- they will be transient.
    Another options is to store the object IDs in the session, and re-retrieve
    the persistent objects for each web request.
    One design pattern that can probably net very good performance is to maintain
    a global read-only persistence manager that you use to dereference these IDs.
    Of course, if you ever want to change an object, you'll have to re-fetch it
    in a new persistence manager, and evict it from the global manager's cache.
    I hope this helps.

  • What values are possible for a specific object/field

    Hi everyone,
    I am trying to do the following
    Pull a list out of the system that would provide me with value's description for a specific authoirsation object / field
    I have tried SE16 > AGR_1251 > one of my roles
    I am getting the role, object, field, low and high values
    for example
    myrole - M_FORECAST - ACTVT - 03
    What I have missing is the English description of what "03" is. for example "Display"
    A 03 for a field may not always have the same meaning for different objects
    Alternativly can I pull a list somewhere of the potential values and their description for a specific Authorization Object / Field combination?
    Thank you
    Coco

    Please go through the following Tables:
    TACT : Contains the Text Descriptions of all Activities (for e.g. 01= Create/ Generate, 02= change etc.)
    TACTZ : Contains the Authorization Object specific Activities.
    TOBJ  : Description of Authorization Objects
    TOBJT: Text Description of Authorization Objects
    AUTHX:  Details of Fields
    TPARA:  Parameter Ids of Fields
    There are many more... but these are of help as per your question.
    Regards,
    Dipanjan

  • Looking for specific photo content

    I have nearly 2000 photos in iPhoto v5.0.4 (263).
    I want to identify the small number of those which contain pictures of a specific person - is there any way that I can quickly flick through each picture so that, having identified my target in one, I can easily drag that into a new album? Picture individual descriptions are of no help to me for this exercise.
    The only way I can see is to double click on each one, examine it, and then close it and open the next one and so on ad nauseam! A slide show would present them all in sequence, but I can't see how to "capture" specific slides and get them into a new Album.
    Is there a way, or am I condemned to days of increasing RSI as I open and examine each photo in turn?
    Thanks in advance.

    Make the thumbnails larger: use the slider at the bottom right of the iPhoto Window.
    Regards
    TD

  • Auto-start application on Container/Server restart

    What's the easiest was to have the container auto-launch a specific application whenever it is started/restarted? I assume this would also happen if the entire server were rtestarted?
    _mike                                                                                                                                                                                                                                                                                                                                                                                                   

    Hello,
    If you put a server in your project and you put the servlet at auto-start your application will start automatically when the server will start.
    To do that you just have to use the element:
    <load-on-startup>1</load-on-startup>
    in the servlet tag.
    server.xml:
    <application name="foo" path="../applications/foo.ear" auto-start="true" />
    http-web-site.xml:
    <web-app application="foo" name="foo-web" load-on-startup="true" root="/foo" />
    Regards
    Tugdual Grall

  • DataTips always appear in ViewStack container

    I have a Panel container set to a specific width and height.
    Inside this is a ViewStack with percentHeight and
    percentWidth set to 100.
    Each ViewStack child is a VBox with a specific height and
    width set so that it fits in the Panel without scrollbars
    appearing.
    Each VBox contains a List control with percentHeight and
    percentWidth set to 100 and with showDataTips set to true.
    The problem is that the data tips pop up on every item of
    every list regardless of whether they extend beyond the width of
    the VBox or not.
    If I remove the ViewStack from the chain of children, the
    problem disappears.
    It looks to me as though the ViewStack has an unusual way of
    sizing itself compared with other containers and that this could be
    the cause of the problem.
    Does anyone have any ideas how this problem can be resolved.
    Doug

    As you have set a null layout on the content pane, the BorderLayout.CENTER in this code linecontentPane.add(scrollingArea, BorderLayout.CENTER);is ignored.
    As you have not set the bounds (or size and location) of scrollingArea, it is not seen. A null layout will not respect the preferredSize you have set for scrollingArea.
    It's far better that you learn to use Layout managers. There's a good tutorial here:
    The Java&#8482; Tutorials: [Laying Out Components Within a Container|http://java.sun.com/docs/books/tutorial/uiswing/layout/index.html]
    luck, db

  • T60 WLAN COMPLETELY GONE after installing latest Update Intel Wireless WiFi Link for Windows XP

    I just reinstalled a T60 from scratch TWICE  to the point of updating  - Intel Wireless Wifi Link for Windows XP -
    Just after that very latest Update (3.1.1.1 or so?)  there is no WLAN possible and I had to find out, that  a system restore is impossible either! (Simply does not work and asks me to get another point and try again)
    I have a full backup done by acronis 2010 so that does not bother me so very much.
    The point is that I like to WARN everybody to install that Update to their T60  e.g. 2008YWJ !!!
    (contains 3945AGB WLAN Module!)
    After Updating U HAVE NO CHANCE TO REPAIR IT! U get always the problem signature 
    szAppName: AcSvc.exe  szAppVer: 5.6.1.33  szModName: PfMgrApi.dll
    szModVer : 13.0.0.2  offset: 000d4912
    and the System wants to report that stuff to MicroSoft...again and again...every time u
    start AccessConnections.
    U can DEinstall AccessConnections and Intel Wireless Wifi Link for XP completely, reboot
     and REinstall it....just 2 get the same messages and NO WLAN anymore.
    I could not get out of this Driver Installation Hell until I did a complete Recovery Install and
     I got back to Hell when System Update REinstalled Intel Wireless WiFi Link for XP
    automagically...;-(((
    And again NO CHANCE to roll back, No chance to get rid of that annoying bug. This time I have an ACRONIS-Image so I can spare some time....
    Somebody shoud really CHECK this, because it should not be possible to break down an completely NICE RUNNING Thinkpad THIS WAY just by updating it! As it took me abaout 12 Hours of Administration by now I
    really would apreciate to help whomever to find out what the hell is responsible 4 this !!!
    Why is XP System Restore not working on an T60 to roll back to Point b4 installation of this Update???
    (I could  not use that Thinkvantage-System Recovery because it did not even get all its updates by the 
    time the system went in limbo during install! What i defintely can say is that it breaks at exactely
    same point when Intel Wifi Updates is installed...
    I do my Acronis Restore now and try 2 avoid this Update....;-(
    if anybody KNOWS how to get that system 2 an earlier point of an install orgy i whould be thankful to get that information...
    I am keeping alive 12 Thinkpads here R40 R50 T42 T43 T60 T61p T400 T500 and  NEVER
    experienced problems like this in many  years!
    cheers
        GAL9000

    gal9000, welcome to the forum,
    have you tried running windows system restore from safe mode? It usually works then because some anti-virus softwares will prevent it from running successfully from "normal" windows.
    Hope this helps.
    Andy  ______________________________________
    Please remember to come back and mark the post that you feel solved your question as the solution, it earns the member + points
    Did you find a post helpfull? You can thank the member by clicking on the star to the left awarding them Kudos Please add your type, model number and OS to your signature, it helps to help you. Forum Search Option T430 2347-G7U W8 x64, Yoga 10 HD+, Tablet 1838-2BG, T61p 6460-67G W7 x64, T43p 2668-G2G XP, T23 2647-9LG XP, plus a few more. FYI Unsolicited Personal Messages will be ignored.
      Deutsche Community     Comunidad en Español    English Community Русскоязычное Сообщество
    PepperonI blog 

Maybe you are looking for

  • Bill Passing to be done on the rate which is valid on the Goods Receipt Dat

    Dear All,           My client has a very valid requirement which I am unable to provide. My client is basically a real estate company which is responsible for building. So the purchase cement, Paint etc. as raw material. The market rate of these raw

  • Windows 8.1 hangs on signing out when updates need installed

    I'm hoping somebody can offer a viable solution here because I'm tearing my hair out.  I have 30 computers all randomly doing this...once in a while a standard user will log out and the system will sit for hours showing "signing out". Once I'm made a

  • ADF11g: dvt, line graph x-axis (o1 axis) display issue

    Hi, In our application we are generating line graphs for a set of data. This graph is plotted in between 2 sets of numeric values. (one plotted on x-axis and other on y-axis). For better accuracy of plotted graph we are using these numeric values upt

  • Access to GG Director System Tables?

    Hi, I've installed WebLogic, GG Director Server, GG Director Client and the documentation about GG Director states that after GG Director Server installation several GG Director tables are added to the current database (in my case in Oracle 10g XE).

  • I cannot disable my password

    I have a password on my phone but the (disable words) don't appear anymore,how can I fix this? I did the battery removal so should I do a wipe and start over?