Rogue AP detectio w/out WLSE

Is it possible to detect rogue AP's without using WLSE? If it is, how? I have an AIR-AP1231.

The AP by itself cannot determine what is a rogue AP. This is determined by the WLSE. The AP simply captures the rf information, passes it on to the WDS which then aggregates the data and sends the aggregated data up to the WLSE. The WLSE then compares rf info with known AP's. Individual AP's are not aware of all other known AP's in the network.

Similar Messages

  • Can Logic 7 filter out select Control Change messages?

    I've got a Tascam US-428 that has gone rogue and is sending out random control change messages - a huge number of them. They are all within the range of CC 64-71 and all are on channel 16. Is there some way that I can filter these out so that Logic just ignores them?
    Just for fun yesterday I left a blank song up with the US-428 turned on and it ran out of memory in under thirty minutes. That's a lot of useless data that I need to live without.
    Any help appreciated!
    iMac G5   Mac OS X (10.4.5)   2.5 GB RAM

    Never mind. I figured it out. RTFM, although the index wasn't much help.
    If anyone has a similar problem with a Tascam US-428 I'd be interested to know whether it's failing or if this is a just a 'design feature.' It seems to be sending way too many messages from the channel faders.

  • Help with text based game.

    SO I've just begun to make a text based game and i've already ran into a problem :/
    I've made a switch statement that has cases for each of the classes in the game..for example
    Output will ask what you want to be
    1. Fighter
    2. etc
    3. etc
    case 1: //Fighter
    My problem is i want to be able to display the class
    as in game class not java class
    as Fighter
    That may be a bit confusing to understand sorry if it isn't clear
    Here is my code that i'm using this may help.
    import java.util.Scanner;
    public class main {
         public static void main(String args[]) {
              Scanner input = new Scanner(System.in);
              int health = 0;
              int power = 0;
              int gold = 0;
              System.out.println("Welcome to my game!");
              System.out.println("First of what is your name?");
              String name = input.next();
              System.out.println(name + " you say? Interesting name. Well then " + name + " what is your race?");
              System.out.println();
              System.out.println("Press 1. for Human");
              System.out.println("Press 2. for Elf");
              System.out.println("Press 3. for Orc");
              int Race = input.nextInt();
              switch (Race) {
              case 1: // Human
                   String race = "Human";
                   health = 10;
                   power = 10;
                   gold = 25;
              break;
              case 2: // Elf
                   health = 9;
                   power = 13;
                   gold = 25;
              break;
              case 3: // Orc
                   health = 13;
                   power = 9;
                   gold = 30;
              break;
              default:
                   System.out.println("Invalid choice Please choose 1-3");
              break;
              System.out.println("Now what is your class?");
              System.out.println("Press 1. Fighter");
              System.out.println("Press 2. Mage");
              System.out.println("Press 3. Rogue");
              int Class = input.nextInt();
              switch (Class) {
              case 1: // Fighter
                   health = health + 1;
                   power = power + 1;
                   gold = gold + 1;
              break;
              case 2: // Mage
                   health = health + 1;
                   power = power + 1;
                   gold = gold + 1;
              break;
              case 3: // Rogue
                   health = health + 1;
                   power = power + 1;
                   gold = gold + 1;
              break;
              default:
                   System.out.println("Invalid choice Please choose 1-3");
              break;
              System.out.println("So your name is " + name );
              System.out.println("and your race is: " + race);
              System.out.println("and your class is: " + Class);
    }Thanks in advance!

    Brushfire wrote:
    So you're advising him to run his console based game on the EDT, why?Far King good question... To which I suspect the answer is "Ummm... Ooops!" ;-)
    @OP: Here's my 2c... if you don't follow then ask good questions and I'll consider giving good answers.
    package forums;
    import java.util.Scanner;
    abstract class Avatar
      public final String name;
      public int type;
      public int health;
      public int power;
      public int gold;
      protected Avatar(String name, int health, int power, int gold) {
        this.name = name;
        this.health = health;
        this.power = power;
        this.gold = gold;
      public String toString() {
        return "name="+name
             +" health="+health
             +" power="+power
             +" gold="+gold
    class Human extends Avatar
      public Human(String name) {
        super(name, 10, 11, 31);
    class Elf extends Avatar
      public Elf(String name) {
        super(name, 9, 13, 25);
    class Orc extends Avatar
      public Orc(String name) {
        super(name, 6, 17, 13);
    interface AvatarFactory
      public Avatar createAvatar();
    class PlayersAvatarFactory implements AvatarFactory
      private static final Scanner scanner = new Scanner(System.in);
      public Avatar createAvatar() {
        System.out.println();
        System.out.println("Lets create your avatar ...");
        String name = readName();
        Avatar player = null;
        switch(readRace(name)) {
          case 1: player = new Human(name); break;
          case 2: player = new Elf(name); break;
          case 3: player = new Orc(name); break;
        player.type = readType();
        return player;
      private static String readName() {
        System.out.println();
        System.out.print("First off, what is your name : ");
        String name = scanner.nextLine();
        System.out.println(name + " you say? Interesting name.");
        return name;
      private static int readRace(String name) {
        System.out.println();
        System.out.println("Well then " + name + ", what is your race?");
        System.out.println("1. for Human");
        System.out.println("2. for Elf");
        System.out.println("3. for Orc");
        while(true) {
          System.out.print("Choice : ");
          int race = scanner.nextInt();
          scanner.nextLine();
          if (race >= 1 && race <= 3) {
            return race;
          System.out.println("Bad Choice! Please try again, and DO be careful! This is important!");
      private static int readType() {
        System.out.println();
        System.out.println("Now, what type of creature are you?");
        System.out.println("1. Barbarian");
        System.out.println("2. Mage");
        System.out.println("3. Rogue");
        while(true) {
          System.out.print("Choice : ");
          int type = scanner.nextInt();
          scanner.nextLine();
          if (type >= 1 && type <= 3) {
            return type;
          System.out.println("Look, enter a number between 1 and 3 isn't exactly rocket surgery! DO atleast try to get it right!");
    public class PlayersAvatarFactoryTest {
      public static void main(String args[]) {
        try {
          PlayersAvatarFactoryTest test = new PlayersAvatarFactoryTest();
          test.run();
        } catch (Exception e) {
          e.printStackTrace();
      private void run() {
        AvatarFactory avatarFactory = new PlayersAvatarFactory();
        System.out.println();
        System.out.println("==== PlayersAvatarFactoryTest ====");
        System.out.println("Welcome to my game!");
        Avatar player1 = avatarFactory.createAvatar();
        System.out.println();
        System.out.println("Player1: "+player1);
    }It's "just a bit" more OOified than your version... and I changed random stuff, so you basically can't cheat ;-)
    And look out for JSG's totally-over-the-top triple-introspective-reflective-self-crushing-coffeebean-abstract-factory solution, with cheese ;-)
    Cheers. Keith.
    Edited by: corlettk on 25/07/2009 13:38 ~~ Typo!
    Edited by: corlettk on 25/07/2009 13:39 ~~ I still can't believe the morons at sun made moron a proscribed word.

  • BPDU Guard without ERR-Disable

    Hi Everyone, 
    I recently had an instance in one of my networks where a user plugged in a home router to our network. The router then started handing out incorrect IP addresses to clients. 
    I know I can use DHCP Snooping or BPDU guard to stop this happening again and we do have BPDU Guard running at other sites successfully. The problem has always been if we enable it in a new production network we might disable ports that have legitimate devices on the other end. For example someone is using a small switch to share a port between a PC and a printer.
    Is there a way of turning on BPDU guard but without it putting ports into an Err-Disabled mode and just alerting in the logs instead?
    Regards, Daniel

    Hi Leo, 
    Thanks for your input in the discussion. However I think you are misunderstanding why I am asking this question.
    I WANT to enable BPDU guard on this network, I know its not a PIA and I am well aware of what it does and why it would be implemented.
    The reason I am asking this question is because I need to transition from a network that doesn't have BPDU guard enabled to one that does. If i turn the feature on it will start disabling ports on switches and stop peoples workflow until it is resolved. The reason people have unidentified switches plugged into the network might be legitimate, but the way they got around their problem wasn't the best. 
    My goal is to find out where these rogue switches are, find out why they are there. Find an alternative way to connect these devices to the network by either purchasing new switches or running more cabling.  This network does not have any onsite IT and therefor all this needs to be figured out remotely.
    So the crux of the problem is. How to find STP devices that are plugged into my switches.
    Thoughts?

  • WLSE not reporting rogue AP

    Does anyone know of circumstances why WLSE (2.7) would not detect a non registered AP. We connected a non Cisco AP (Microsoft MN700 router/wireless base station) to our LAN yet WLSE is not sending out Faultnotifiers.It seems to be selectively ignoring at least this one particular type of AP because it has detected other rogue AP's.

    This can happen when Rogue AP was detected by APs whose locations were not specified or specified later than the detection.
    In Unknown Radio List Window, find out which access points were reporting the detection. Make sure you have placed them in a particular floor using Location Manager. If you have placed them later than the initial detection, turn on the Radio Monitoring for those reporting APs and wait for a while. When reporting APs detect the same Rogue AP again, it will correctly determine the possible location of the Rogue.

  • WLSE Not showing the RSSI the AP reported Rogue APs in my scanning-only mod

    Hi guys
    I have a WLSE version 2.15.1 which is configured to detect Rogue AP, APs are 1242, when I see the Unknown AP detail the RSSI has a value of 0 for all Rogue AP detected any help or suggestions, I will be very useful.
    Thank you.
    Greetings

    If the RSSI value is zero, then the AP is not active at all. Do you see the same value for all the APs. Does the WLSE provide correct RSSI values for the known APs?

  • WLSE display rogue Cisco AP as "Unknown Vendor"

    Everybody know, WLSE display the rogue Cisco AP as "Unknown Vendor", which is not connect to the same network. Thanks

    Most likely is due to corrupt AP beacon causing this to show up as Unknown vendor

  • WLSE adjust beacon count for rogue detection

    Hi all,
    Does anyone know if there is any way to adjust how many beacons it takes for a device to be displayed as a rogue in device faults? I've been all over the settings area and cannot find anything regarding it.
    WLSE is version 2.9
    Here's what's happening:
    campus of about 300 1210G AP's
    friendly's are showing up as rogues after seeing a single packet. This is typically a malformed packet, meaning it is incomplete ie. the ssid is incomplete
    ALL friendly's are managed by WLSE and are in the database.
    What I would like to do is have it require seeing 2-5 beacons before it is tagged as a rougue and entered into the faults table.
    Thanks,
    Brian

    Hi,
    I recommend that you do not load 12.3.(2)ja code, there are several bugs associated with this code. One being trouble acquiring a DHCP address and the other is AP will reboot whenever they feel like it. The DHCP problem I have not experienced, but there is a bug listed with TAC and several people on the discussion pages have had this problem. I have just started to see my AP's reboot that have this code and there are several others on the discussion page that are saying they are having the problem with 1100 ap's. I have over three hundred ap's (1200,1100,350), most running 12.2.(15)ja without any problems other than the WLSE rogue issue.

  • Help! Sending out rogue emails

    Hi all,
    My mum has a BT Internet email account - and over last 6 months she has had a problem with her email account sending rogue emails to her address book (i.e. normally with a link in them to entice them to click on).
    When this originally happened, I simply changed her password and this solved the problem for a couple of months. Then just before Christmas it happened again, so I did the same. And the cycle has repeated a couple of times since Christmas too.
    Because of the constant recurrence of this problem, it's leading me to think that something deeper is a fault. At a guess, I'm assuming one of her regular web pages is a bit dodgy or a virus has got onto the machine.
    I thought I'd ask to see if anyone has any ideas about how to solve the problem??
    Cheers

    andy_247 wrote:
    Hi all,
    My mum has a BT Internet email account - and over last 6 months she has had a problem with her email account sending rogue emails to her address book (i.e. normally with a link in them to entice them to click on).
    When this originally happened, I simply changed her password and this solved the problem for a couple of months. Then just before Christmas it happened again, so I did the same. And the cycle has repeated a couple of times since Christmas too.
    Because of the constant recurrence of this problem, it's leading me to think that something deeper is a fault. At a guess, I'm assuming one of her regular web pages is a bit dodgy or a virus has got onto the machine.
    I thought I'd ask to see if anyone has any ideas about how to solve the problem??
    Cheers
    Hi.
    It's unlikely to be a virus, because that would still need to access the (assumed) webmail in order to send emails "from" her account.
    It is possible that the account has been hacked again as Yahoo! had yet another issue earlier this year. This time they are blaming it on a 3rd party database issue - however I'm not clear whether it affects their partner ISPs as well as "normal" Yahoo! emails. Sky are now a Yahoo! partner, and their users are reporting similar issues.
    The issue here is that the emails are going to the "address book". To me it is unlikely that spammers only have user accounts and associate just a few addresses after the initial hack over a year ago.
    The way to check this is add a throwaway gmail address to the address book, one that can be checked for receipt. This will show for certain if the spammer has only "old" associated addresses.
    May I be bold to ask to make sure that she has definitely not clicked on any received emails she believes might be from BT ? There are a lot going around unfortunately.
    http://www.andyweb.co.uk/shortcuts
    http://www.andyweb.co.uk/pictures

  • Rogue process running - how do I find out what it ...

    I added some apps to my N900 earlier and now the machine is very sluggish and the battery drain is enormous.  (I uninstalled the apps, but they seem to have left something behind...)
    Could someone tell me how I find out which processes are running on this machine and which application started them.
    Thanks
    H

    The app that was causing the problem was the Nokia Calendar app, so I moved (same as deleting) the calendar data file calendardb.  The Calendar app then started again, without hogging resources, albeit with a new blank calendar data file.
    I then hoped that I could populate the blank calendar with a "completely resynchronise" sync with Exchange Server : nope.  The N900 clearly did a resync of my email, but the calendar is still blank despite the sync bar showing progress...result : nada!  Blank calendar.
    I am thankful for small mercies.  The N900 no longer eats the battery in 5 mins.  The problem was clearly a corrupted calendardb file that caused the Calendar app to hang.
    ******Does anyone know how to get an initial copy of my calendar data from Exchange Server to populate my N900 calendar?  Any help would be much appreciated.*****
    H

  • Firefox has been comprised. a hacker or rogue element is putting links on every site. Check it out for yourself.

    Orange colored search links are all over Firefox pages

    I got the same issue and it is caused by an add-on extension called "FaceTheme". Go to the tools Tab select Add-ons then Extensions. Disable FaceTheme, restart Firefox and this should eliminate the problem. Let me know if it works for you.

  • The difference between WLSE and WLSM

    Dear All,
    In my understandings
    WLSM can support layer 3 roaming
    1. For rogue AP detection, is WLSE or WLSM be the choice?
    2. Between AP and WLSM, it is FSRT, is it encryped? by Cisco proprietary?
    Thanks a lot in advance.
    Regards,
    mak

    WLSE is a Management/Monitoring application that uses the radio information from WLSM to show Radio data including Rogue AP Detection. WLSE itself/alone cannot do Rogue AP Detection

  • In Yosemite, dropping files in and out of folders on my desktop causes a freeze.  Must relaunch the finder window.

    After the first few days of operating my new computer, Yosemite began to develop strange glitches. I tried to drag a folder from a Finder window. It zoomed upward on Desktop and stayed where it stopped—and nothing worked. Everything froze. The cursor left a jittery trail of ghost images within a Finder window. We had to relaunch Finder. This became a pattern: no dragging-dropping to move files. Only within a Finder window was it possible.
    A day or two later, I began to notice—with increasing seriousness and frequency—open windows stuttering when I tried to move them around the desktop. They moved, but with halts and stutters.
    When we opened Activity Monitor and saw 6 BG of 8BG memory used, we figured this is serious.  After an EtreCheck we noticed we had to update a version of FlashPlayer, which we did.  But our problem is still here.  Help!
    One probably rare item used with this computer is a Maltron Keyboard.  This keyboard is made to be used with Macs and I found no issues relating to Yosemite on their website, but just thought I'd mention it.
    EtreCheck version: 2.1.5 (108)
    Report generated December 20, 2014 at 10:40:00 AM CST
    Click the [Support] links for help with non-Apple products.
    Click the [Details] links for more information about that line.
    Click the [Adware] links for help removing adware.
    Hardware Information: ℹ️
    iMac (Retina 5K, 27-inch, Late 2014) (Verified)
    iMac - model: iMac15,1
    1 3.5 GHz Intel Core i5 CPU: 4-core
    8 GB RAM Upgradeable
    BANK 0/DIMM0
    4 GB DDR3 1600 MHz ok
    BANK 1/DIMM0
    4 GB DDR3 1600 MHz ok
    BANK 0/DIMM1
    empty empty empty empty
    BANK 1/DIMM1
    empty empty empty empty
    Bluetooth: Good - Handoff/Airdrop2 supported
    Wireless: en1: 802.11 a/b/g/n/ac
    Video Information: ℹ️
    AMD Radeon R9 M290X - VRAM: 2048 MB
    iMac spdisplays_5120x2880Retina
    System Software: ℹ️
    OS X 10.10 (14A389) - Uptime: 2:25:40
    Disk Information: ℹ️
    APPLE SSD SM0512F disk0 : (500.28 GB)
    EFI (disk0s1) <not mounted> : 210 MB
    Recovery HD (disk0s3) <not mounted> [Recovery]: 650 MB
    Macintosh HD (disk1) / : 499.10 GB (310.00 GB free)
    Core Storage: disk0s2 499.42 GB Online
    USB Information: ℹ️
    PNY Technologies USB 3.0 FD 62.06 GB
    USB30FD (disk2s1) /Volumes/USB30FD : 62.06 GB (61.85 GB free)
    Apple Inc. BRCM20702 Hub
    Apple Inc. Bluetooth USB Host Controller
    Apple Inc. FaceTime HD Camera (Built-in)
    MALTRON USB Keyboard
    Thunderbolt Information: ℹ️
    Apple Inc. thunderbolt_bus
    Gatekeeper: ℹ️
    Anywhere
    Launch Daemons: ℹ️
    [loaded] com.adobe.fpsaud.plist [Support]
    User Launch Agents: ℹ️
    [loaded] com.adobe.ARM.[...].plist [Support]
    [invalid?] com.adobe.ARM.[...].plist [Support]
    [loaded] com.google.keystone.agent.plist [Support]
    User Login Items: ℹ️
    AirPort Base Station Agent Application (/System/Library/CoreServices/AirPort Base Station Agent.app)
    Internet Plug-ins: ℹ️
    Flip4Mac WMV Plugin: Version: 2.2.2.3  [Support]
    FlashPlayer-10.6: Version: 16.0.0.235 - SDK 10.6 [Support]
    QuickTime Plugin: Version: 7.7.3
    Flash Player: Version: 16.0.0.235 - SDK 10.6 [Support]
    JavaAppletPlugin: Version: 15.0.0 - SDK 10.10 Check version
    Default Browser: Version: 600 - SDK 10.10
    RealPlayer Plugin: Version: Unknown [Support]
    Silverlight: Version: 4.1.10329.0 [Support]
    iPhotoPhotocast: Version: 7.0
    Safari Extensions: ℹ️
    AdBlock [Installed]
    3rd Party Preference Panes: ℹ️
    APC PowerChute Personal Edition  [Support]
    Flash Player  [Support]
    Flip4Mac WMV  [Support]
    Perian [Support]
    Time Machine: ℹ️
    Skip System Files: NO
    Auto backup: YES
    Volumes being backed up:
    Macintosh HD: Disk size: 499.10 GB Disk used: 189.10 GB
    Destinations:
    LaCie [Local]
    Total size: 0 B
    Total number of backups: 0
    Oldest backup: -
    Last backup: -
    Size of backup disk:
    Top Processes by CPU: ℹ️
    7% mds
    2% WindowServer
    1% fontd
    0% taskgated
    0% Finder
    Top Processes by Memory: ℹ️
    472 MB firefox
    249 MB WindowServer
    223 MB soffice
    146 MB Finder
    146 MB Activity Monitor
    Virtual Memory Information: ℹ️
    3.78 GB Free RAM
    2.55 GB Active RAM
    1.34 GB Inactive RAM
    923 MB Wired RAM
    1.94 GB Page-ins
    0 B Page-outs
    Diagnostics Information: ℹ️
    Dec 20, 2014, 10:35:50 AM /Library/Logs/DiagnosticReports/Install Adobe Flash Player_2014-12-20-103550_[redacted].crash
    Dec 20, 2014, 10:28:33 AM /Library/Logs/DiagnosticReports/Install Adobe Flash Player_2014-12-20-102833_[redacted].crash
    Dec 20, 2014, 08:14:56 AM Self test - passed

    Mac users often ask whether they should install "anti-virus" software. The answer usually given on ASC is "no." The answer is right, but it may give the wrong impression that there is no threat from what are loosely called "viruses." There  is a threat, and you need to educate yourself about it.
    1. This is a comment on what you should—and should not—do to protect yourself from malicious software ("malware") that circulates on the Internet and gets onto a computer as an unintended consequence of the user's actions. It does not apply to software, such as keystroke loggers, that may be installed deliberately by an intruder who has hands-on access to the computer, or who has been able to take control of it remotely. That threat is in a different category, and there's no easy way to defend against it.
    The comment is long because the issue is complex. The key points are in sections 5, 6, and 10.
    OS X now implements three layers of built-in protection specifically against malware, not counting runtime protections such as execute disable, sandboxing, system library randomization, and address space layout randomization that may also guard against other kinds of exploits.
    2. All versions of OS X since 10.6.7 have been able to detect known Mac malware in downloaded files, and to block insecure web plugins. This feature is transparent to the user. Internally Apple calls it "XProtect."
    The malware recognition database used by XProtect is automatically updated; however, you shouldn't rely on it, because the attackers are always at least a day ahead of the defenders.
    The following caveats apply to XProtect:
    ☞ It can be bypassed by some third-party networking software, such as BitTorrent clients and Java applets.
    ☞ It only applies to software downloaded from the network. Software installed from a CD or other media is not checked.
    As new versions of OS X are released, it's not clear whether Apple will indefinitely continue to maintain the XProtect database of older versions such as 10.6. The security of obsolete system versions may eventually be degraded. Security updates to the code of obsolete systems will stop being released at some point, and that may leave them open to other kinds of attack besides malware.
    3. Starting with OS X 10.7.5, there has been a second layer of built-in malware protection, designated "Gatekeeper" by Apple. By default, applications and Installer packages downloaded from the network will only run if they're digitally signed by a developer with a certificate issued by Apple. Software certified in this way hasn't necessarily been tested by Apple, but you can be reasonably sure that it hasn't been modified by anyone other than the developer. His identity is known to Apple, so he could be held legally responsible if he distributed malware. That may not mean much if the developer lives in a country with a weak legal system (see below.)
    Gatekeeper doesn't depend on a database of known malware. It has, however, the same limitations as XProtect, and in addition the following:
    ☞ It can easily be disabled or overridden by the user.
    ☞ A malware attacker could get control of a code-signing certificate under false pretenses, or could simply ignore the consequences of distributing codesigned malware.
    ☞ An App Store developer could find a way to bypass Apple's oversight, or the oversight could fail due to human error.
    Apple has taken far too long to revoke the codesigning certificates of some known abusers, thereby diluting the value of Gatekeeper and the Developer ID program. Those lapses don't involve App Store products, however.
    For the reasons given, App Store products, and—to a lesser extent—other applications recognized by Gatekeeper as signed, are safer than others, but they can't be considered absolutely safe. "Sandboxed" applications may prompt for access to private data, such as your contacts, or for access to the network. Think before granting that access. Sandbox security is based on user input. Never click through any request for authorization without thinking.
    4. Starting with OS X 10.8.3, a third layer of protection has been added: a "Malware Removal Tool" (MRT). MRT runs automatically in the background when you update the OS. It checks for, and removes, malware that may have evaded the other protections via a Java exploit (see below.) MRT also runs when you install or update the Apple-supplied Java runtime (but not the Oracle runtime.) Like XProtect, MRT is effective against known threats, but not against unknown ones. It notifies you if it finds malware, but otherwise there's no user interface to MRT.
    5. The built-in security features of OS X reduce the risk of malware attack, but they are not, and never will be, complete protection. Malware is a problem of human behavior, not machine behavior, and no technological fix alone is going to solve it. Trusting software to protect you will only make you more vulnerable.
    The best defense is always going to be your own intelligence. With the possible exception of Java exploits, all known malware circulating on the Internet that affects a fully-updated installation of OS X 10.6 or later takes the form of so-called "Trojan horses," which can only have an effect if the victim is duped into running them. The threat therefore amounts to a battle of wits between you and Internet criminals. If you're better informed than they think you are, you'll win. That means, in practice, that you always stay within a safe harbor of computing practices. How do you know when you're leaving the safe harbor? Below are some warning signs of danger.
    Software from an untrustworthy source
    ☞ Software with a corporate brand, such as Adobe Flash Player, doesn't come directly from the developer’s website. Do not trust an alert from any website to update Flash, or your browser, or any other software. A genuine alert that Flash is outdated and blocked is shown on this support page. Follow the instructions on the support page in that case. Otherwise, assume that the alert is fake and someone is trying to scam you into installing malware. If you see such alerts on more than one website, ask for instructions.
    ☞ Software of any kind is distributed via BitTorrent, or Usenet, or on a website that also distributes pirated music or movies.
    ☞ Rogue websites such as Softonic, Soft32, and CNET Download distribute free applications that have been packaged in a superfluous "installer."
    ☞ The software is advertised by means of spam or intrusive web ads. Any ad, on any site, that includes a direct link to a download should be ignored.
    Software that is plainly illegal or does something illegal
    ☞ High-priced commercial software such as Photoshop is "cracked" or "free."
    ☞ An application helps you to infringe copyright, for instance by circumventing the copy protection on commercial software, or saving streamed media for reuse without permission. All "YouTube downloaders" are in this category, though not all are necessarily malicious.
    Conditional or unsolicited offers from strangers
    ☞ A telephone caller or a web page tells you that you have a “virus” and offers to help you remove it. (Some reputable websites did legitimately warn visitors who were infected with the "DNSChanger" malware. That exception to this rule no longer applies.)
    ☞ A web site offers free content such as video or music, but to use it you must install a “codec,” “plug-in,” "player," "downloader," "extractor," or “certificate” that comes from that same site, or an unknown one.
    ☞ You win a prize in a contest you never entered.
    ☞ Someone on a message board such as this one is eager to help you, but only if you download an application of his choosing.
    ☞ A "FREE WI-FI !!!" network advertises itself in a public place such as an airport, but is not provided by the management.
    ☞ Anything online that you would expect to pay for is "free."
    Unexpected events
    ☞ A file is downloaded automatically when you visit a web page, with no other action on your part. Delete any such file without opening it.
    ☞ You open what you think is a document and get an alert that it's "an application downloaded from the Internet." Click Cancel and delete the file. Even if you don't get the alert, you should still delete any file that isn't what you expected it to be.
    ☞ An application does something you don't expect, such as asking for permission to access your contacts, your location, or the Internet for no obvious reason.
    ☞ Software is attached to email that you didn't request, even if it comes (or seems to come) from someone you trust.
    I don't say that leaving the safe harbor just once will necessarily result in disaster, but making a habit of it will weaken your defenses against malware attack. Any of the above scenarios should, at the very least, make you uncomfortable.
    6. Java on the Web (not to be confused with JavaScript, to which it's not related, despite the similarity of the names) is a weak point in the security of any system. Java is, among other things, a platform for running complex applications in a web page, on the client. That was always a bad idea, and Java's developers have proven themselves incapable of implementing it without also creating a portal for malware to enter. Past Java exploits are the closest thing there has ever been to a Windows-style virus affecting OS X. Merely loading a page with malicious Java content could be harmful.
    Fortunately, client-side Java on the Web is obsolete and mostly extinct. Only a few outmoded sites still use it. Try to hasten the process of extinction by avoiding those sites, if you have a choice. Forget about playing games or other non-essential uses of Java.
    Java is not included in OS X 10.7 and later. Discrete Java installers are distributed by Apple and by Oracle (the developer of Java.) Don't use either one unless you need it. Most people don't. If Java is installed, disable it—not JavaScript—in your browsers.
    Regardless of version, experience has shown that Java on the Web can't be trusted. If you must use a Java applet for a task on a specific site, enable Java only for that site in Safari. Never enable Java for a public website that carries third-party advertising. Use it only on well-known, login-protected, secure websites without ads. In Safari 6 or later, you'll see a padlock icon in the address bar when visiting a secure site.
    Stay within the safe harbor, and you’ll be as safe from malware as you can practically be. The rest of this comment concerns what you should not do to protect yourself.
    7. Never install any commercial "anti-virus" (AV) or "Internet security" products for the Mac, as they are all worse than useless. If you need to be able to detect Windows malware in your files, use one of the free security apps in the Mac App Store—nothing else.
    Why shouldn't you use commercial AV products?
    ☞ To recognize malware, the software depends on a database of known threats, which is always at least a day out of date. This technique is a proven failure, as a major AV software vendor has admitted. Most attacks are "zero-day"—that is, previously unknown. Recognition-based AV does not defend against such attacks, and the enterprise IT industry is coming to the realization that traditional AV software is worthless.
    ☞ Its design is predicated on the nonexistent threat that malware may be injected at any time, anywhere in the file system. Malware is downloaded from the network; it doesn't materialize from nowhere. In order to meet that nonexistent threat, commercial AV software modifies or duplicates low-level functions of the operating system, which is a waste of resources and a common cause of instability, bugs, and poor performance.
    ☞ By modifying the operating system, the software may also create weaknesses that could be exploited by malware attackers.
    ☞ Most importantly, a false sense of security is dangerous.
    8. An AV product from the App Store, such as "ClamXav," has the same drawback as the commercial suites of being always out of date, but it does not inject low-level code into the operating system. That doesn't mean it's entirely harmless. It may report email messages that have "phishing" links in the body, or Windows malware in attachments, as infected files, and offer to delete or move them. Doing so will corrupt the Mail database. The messages should be deleted from within the Mail application.
    An AV app is not needed, and cannot be relied upon, for protection against OS X malware. It's useful, if at all, only for detecting Windows malware, and even for that use it's not really effective, because new Windows malware is emerging much faster than OS X malware.
    Windows malware can't harm you directly (unless, of course, you use Windows.) Just don't pass it on to anyone else. A malicious attachment in email is usually easy to recognize by the name alone. An actual example:
    London Terror Moovie.avi [124 spaces] Checked By Norton Antivirus.exe
    You don't need software to tell you that's a Windows trojan. Software may be able to tell you which trojan it is, but who cares? In practice, there's no reason to use recognition software unless an organizational policy requires it. Windows malware is so widespread that you should assume it's in every email attachment until proven otherwise. Nevertheless, ClamXav or a similar product from the App Store may serve a purpose if it satisfies an ill-informed network administrator who says you must run some kind of AV application. It's free and it won't handicap the system.
    The ClamXav developer won't try to "upsell" you to a paid version of the product. Other developers may do that. Don't be upsold. For one thing, you should not pay to protect Windows users from the consequences of their choice of computing platform. For another, a paid upgrade from a free app will probably have all the disadvantages mentioned in section 7.
    9. It seems to be a common belief that the built-in Application Firewall acts as a barrier to infection, or prevents malware from functioning. It does neither. It blocks inbound connections to certain network services you're running, such as file sharing. It's disabled by default and you should leave it that way if you're behind a router on a private home or office network. Activate it only when you're on an untrusted network, for instance a public Wi-Fi hotspot, where you don't want to provide services. Disable any services you don't use in the Sharing preference pane. All are disabled by default.
    10. As a Mac user, you don't have to live in fear that your computer may be infected every time you install software, read email, or visit a web page. But neither can you assume that you will always be safe from exploitation, no matter what you do. Navigating the Internet is like walking the streets of a big city. It can be as safe or as dangerous as you choose to make it. The greatest harm done by security software is precisely its selling point: it makes people feel safe. They may then feel safe enough to take risks from which the software doesn't protect them. Nothing can lessen the need for safe computing practices.

  • How do I find out if a "work at home advisor" job offer is a real job for apple inc.

    How can I make sure that the job offer I have recieved from Apple Inc is a real job? I reieved an email from someone from HR Apple Inc stating that they have reviewed my application and I fit what they are looking for. I have completed all necessary steps for "work at home advisor" and I was emailed this past monday stating that I will be starting on the 28th and I will be recieving my contract and other documents and my "Imac". I havent recieved anything as of yet and I have called and emailed the person several times with no response.  Im getting concerned. Can anyone please shed some light on this for me? Thank you

    One of the key considerations at this stage is what these people have asked you for.
    What personal details.   Birth date, Maiden name, if appropriate, Christian names other than first name.
    What financial details.   Like bank details, through which you 'may' be 'paid'.
    None of these necessarily says these people are rogues, but the information could be mis-used.
    I would be wary.   Ask for a direct landline telephone number and have it checked out.

  • Rogue Events in iCal

    I have rogue events in my iPhone iCal that I can not delete and are not on any other iCal (not mac, iCloud or iPad). What can I do to get rid of these very old events?
    Thanks

    You probably have your iPhone set up to clear out old events.  My guess is that the events that are being deleted have already occurred.
    Check Settings > Mail, Contacts, Calendars > Sync, and make sure the events you want to keep are preserved.

Maybe you are looking for