REGEXP_LIKE help - escaping the hyphen

I need to match string that does not contain "dc-ba" - all are literal. It has to return true for all strings that is not "ab-cd".
The hypen is creating the problem. If hypen were not there:
select ('Matched') "Status" from dual where REGEXP_LIKE('def', '[^(^dcba$)]');
Matchedselect ('Matched') "Status" from dual where REGEXP_LIKE('dcba', '[^(^dcba$)]');
no rows returnedEverything is as required to this point, but when I try to apply the same with hypen:
select ('Matched') "Status" from dual where REGEXP_LIKE('dc-ba', '[^(^dc-ba$)]');
Error: ORA-12728: Invalid range in regular expression
If I try to escape the hyphen:
select ('Matched') "Status" from dual where REGEXP_LIKE('dc-ba', '[^(^dc\-ba$)]');
MatchedWhich sould not be the case. It shoudl match all string other than "dc-ba".
Am I doing something wrong?

Tubby,
it is not just a question of replacing all the hyphens with something that's "special" that won't mess with the regular expression. First of all, that "special" can never occur in source data. For example, replacing hyphens with tilda could result in rejecting dc~ba:
SQL> select ('Matched') "Status" from dual where REGEXP_LIKE(REPLACE('dc~ba', '-','~'), REPLACE('[^(
^dc-ba$)]', '-','~'));
no rows selected
SQL> Secondly, there is over a dozen special meaning characters in regular expressions, so each of them must be replaced with a chatacter that can not appear in source data.
SY.

Similar Messages

  • How to escape the special character ' (ascii 39) in a select query?

    Hi,
    does anybody know how to escape the special character ' (ascii 39) in a select query?
    I've tried a lot of ways but nothing seems to work, for example I try to get all
    names in table foo where coloumn name contains a '-sign (ascii 39)
    select name from foo where name like '%\'%';
    select name from foo where name like '%{'}%';
    select name from atg_horse where name like '%chr(39)%'
    ... but neither works, I end up with a ORA-01756: quoted string not properly terminated
    I would apriciate any help
    /Carl-Michael

    friends
    thanks for ur time and effort that u gave to reply to my problem.
    But my main problem is that when my application (VC++ 7) fires the following query in the oracle database , it does not return any rows.
    SELECT count(*) FROM ORGANISATION WHERE UPPER(ORGANISATION.ORGANISATIONNAME)
    LIKE N'β%' ORDER BY ORGANISATION.ORGANISATIONNAME
    the above question in the previous thread was just to check on sql plus as it's editor does not support unicode characters.

  • How to escape the special character ' (ascii 39) in a query

    Hi,
    does anybody know how to escape the special character ' (ascii 39) in a select query?
    I've tried a lot of ways but nothing seems to work, for example I try to get all
    names in table foo where coloumn name contains a '-sign (ascii 39)
    select name from foo where name like '%\'%';
    select name from foo where name like '%{'}%';
    select name from atg_horse where name like '%chr(39)%'
    ... but neither works, I end up with a ORA-01756: quoted string not properly terminated
    I would apriciate any help
    /Carl-Michael

    Use two single quotes inside your literals to represent one single quote.
    For example, this would find my name:
    SELECT *
      FROM emp
    WHERE name = 'Michael O''Neill';
    Michael O'Neill
    (acutely aware of the apostrophe issues in the world)

  • Escaping the pipe (|) character in java

    Hi,
    I am trying to run the following command in java
    ps -ef -o pid,args | grep init | grep -v grep
    The code is
           try {
                    Runtime rt = Runtime.getRuntime();
                    Process pr = rt.exec("ps -ef -o pid,args \\| grep init \\| grep -v grep ");
                    BufferedReader input = new BufferedReader(new InputStreamReader(pr.getInputStream()));
                    String line=null;
                    while((line=input.readLine()) != null) {
                        System.out.println(line);
                    int exitVal = pr.waitFor();
                    System.out.println("Exited with error code "+exitVal);*/
                } catch(Exception e) {
                    System.out.println(e.toString());
                    e.printStackTrace();
                }I am not able to run this command in Java. And, I guess the problem lies in escaping the pipe symbol. I am not sure how to do that. Can anyone please help me on that?
    Thanks,
    Juggie

    The problem is not escaping; it's that the pipe character is interpreted by the shell. You should be passing that command line to the shell, e.g. "sh ps -ef -o pid,args | grep ..."

  • REGEXP_LIKE help

    Hello,
    Been scouring the web looking for some help using the REGEXP_LIKE syntax. Haven't found a precise answer, but I think I wrote my own correctly and just wanted to get some validation from other users.
    Running Oracle 10.2
    Sample Data:
    create table test(data varchar2(10));
        insert into test values('01W00012');
        insert into test values('50321070');
        insert into test values('A1391010');
        insert into test values('ZZ260010');
        insert into test values('29374C01');
        insert into test values('A938523A');
        insert into test values('23W48AC3');
        insert into test values('DKFUGHCK');
        insert into test values('09W00032');
        insert into test values('94857283');
        insert into test values('AB-29348');
        insert into test values('98W-8923');
        insert into test values('0AW00005');
        insert into test values('04300W05');
        commit;What I'm trying to do:
    I have a table containing millions of work orders. They are all of length 8. I want to find all work orders where the first 2 characters are a digit only, the third character is a 'W', and the last 5 characters are digits only. Anything else I want to throw away. I think I came up with a working expression... but I'm always hesitant when running it against millions of rows. Here was what I did:
    select * from test
        where regexp_like(data, '(^[0-9]{2}W{1}[[:digit:]]{5})');There are exactly 2 occurrences from up above that match the criteria I'm trying to meet.
    Is this expression properly written?
    Any help would be greatly appreciated.... reg expressions always make my head spin :(

    Hi,
    dvsoukup wrote:
    Running Oracle 10.2
    Sample Data: ...Thanks for posting that; it's really helpful!
    What I'm trying to do:
    I have a table containing millions of work orders. They are all of length 8. I want to find all work orders where the first 2 characters are a digit only, the third character is a 'W', and the last 5 characters are digits only. Anything else I want to throw away. I think I came up with a working expression... but I'm always hesitant when running it against millions of rows. Here was what I did:
    select * from test
    where regexp_like(data, '(^[0-9]{2}W{1}[[:digit:]]{5})');There are exactly 2 occurrences from up above that match the criteria I'm trying to meet.
    Is this expression properly written?Yes, that's a good regular expression. However, a very important thing about regular expressions is that you should only use them when you really need to. In this case, you can get the results you want more efficiently, and at least as easily, without regular expressions. Here's one way:
    SELECT  *
    FROM     test
    WHERE   TRANSLATE ( data
                , '012345678'
                , '999999999'
                )          = '99W99999'
    ;This will be more efficient than using REGEXP_LIKE, and it sounds like efficiency is important in this case.
    If you really want to use a regular expression, there are a couple of small things you can do to make it clearer. (With regular expressions, every little bit helps.)
    (a) If you're certain that data is always exactly 8 characters, then you don't need the ^ anchor at the beginning. If you want the regular expression to check that the length is 8 characters, then keep the ^ anchor at the beginning, but use a $ anchor at the end, too, as in the example below. As you posted it, the expression will be TRUE when data is longer than 8 characters, as long as the first 8 characters fit the pattern.
    (b) [0-9] is equivalent to [[:digit:]]. Either one is fine, but I find it confusing to use both in the same expression. Use one or the other in both places.
    (c) {1} is the default. I would just say 'W' instead of 'W{1}'
    (d) You don't need the parentheses in this expression. If parentheses are not needed, but they improve clarity, then it's okay to include them. In this case, I don't think they add anything.
    There are exactly 2 occurrences from up above that match the criteria I'm trying to meet.It helps if you post exactly what results you want. For example:
    DATA
    01W00012
    09W00032In this case, I found your description very clear, but it doesn't hurt to post the actual results anyway.
    Is this expression properly written?You might consider writing it this way, particularly if you think you'll need to debug it:
    SELECT  *
    FROM      test
    WHERE      REGEXP_LIKE ( data
                  , '^'          || -- beginning of string
                    '[0-9]{2}'     || -- 2 digits
                    'W'          || -- a capital W
                    '[0-9]{5}'     || -- 5 more digits
                    '$'             -- end of string
    ;As mentioned before, you only need the ^ and $ if you're not sure all the strings are exactly 8 characters.
    ... reg expressions always make my head spin All the more reason to use TRANSLATE.
    Edited by: Frank Kulash on Jul 26, 2012 2:42 PM

  • GAL Sort Order is ignoring the hyphen?

     Greetings,
    In our GAL, we're making liberal use of the dash/hyphen character to help with spacing.  However, we're seeing interesting behavior, where the character is effectively ignored.  
    For Example, because we're multi-site, we start distribution lists with a site label, and then name groups.  Like, My Company site A would be: MCA-Groupname.  Unfortunately, we're finding that the hyphen is ignored and messing with our
    desired sort order.
    Example:
    MC-Accounts Payable (All company AP)
    MCA-Finance (Site Finance Group)
    MCB-Finance (Site Finance Group)
    MC-Finance  (All company Finance Group)
    Ideally, it'd be nice if the MC- groups were all together.  There's some older KB's that say that hyphens are "last" when collating when everything is equal, but these names aren't equal (https://support.microsoft.com/kb/305704?wa=wsignin1.0).
    Is there anything we can do from exchange our Outlook to obtain our desired results? 
    Our environment is Exchange 2010 and Outlook 2010 and 2013.
    Thanks for looking!

    Hi BlueKnigh7,
    I find it should be a by design behavior after some tests:
    1. I create the same 4 groups as yours in my lab, the order is as below, just the same as you find:
    MC-Accounts Payable (All company AP)
    MCA-Finance (Site Finance Group)
    MCB-Finance (Site Finance Group)
    MC-Finance  (All company Finance Group)
    2. Then when I check in Address Boob, still the same order:
    So just as you find and described in the KB article, it’s should be a by design behavior.
    Best Regards,
    Eric Zou

  • How to escape the double quote in URL

    Hi,
    I know that using backslash we can escape the ',' while sending the data between pages using URL.
    Can any body please help me how to escape the double quotes.
    Thanks a lot.

    Thanks again for the reply and now I am able to encrypt and decrypt my document number... one more question please : will it be possible to chnage the whole URL to some basic message type URL for eg:
    let's say our URL is "http://testdoc/post?mssg" and I want to change this to as "OPEN DOCUMENT" and when user clicks on ""OPEN DOCUMENT" it will still direct to the original destination that is our original URL.
    I have been told that we don;t want to maintain custom table until and unless it's our last choice.
    Thanks,
    Rajat

  • How avoid the hyphen in filename when saving ?

    How avoid the hyphen that illustrator puts between 2 words in the filename when saving your existing file.
    E.g.: open file "Donald Duck.ai", edit it and save it again. Illustrator puts a hyphen between : "Donald-Duck.ai".
    Is it possible to avoid this ?

    I tried a lot of settings. Set all on "none" in Settings > Output Settings, and saved that settings.
    When saving for Web the second time the same .ai, the hyphen remains away.
    But saving another .ai, settings are gone and the "Custom" settings are selected again.
    I searched the map "Output Settings", to delete "Custom" so "Default" would be selected, but "Custom" is not in that map.
    Otherwise I could copy my saved settings into the "Custom" file.
    I found this about my issue : http://okapi.sourceforge.net/Release/Filters/Help/illustrator.htm
    See "Issues with Illustrator" :
    The JPEG preview files have modified filenames. If you choose to generate the ancillary JPEG preview file when extracting, you will notice that filenames with spaces are modified to have dashes instead. For example, the JPEG of the file "My Example.ai" will be "My-Example.ai.jpeg" instead of "My Example.ai.jpg". This is because Illustrator forces filenames without spaces.

  • "Cannot open Help. The file cannot be found." Error on Treo Pro

    I can see a support item listed on my phone when I try to search the Help files, but when I click on that item, it gives me an error message, "Cannot oepn Help.  The file cannot be found."
    I am trying to block telemarketer calls, and it looks like there is a way to do it.  Two help references come up - "Setting Options for rejecting calls" and "Blocking Calls."  I just can't access them.
    Thanks in advance!
    Shan
    Post relates to: Treo Pro T850 (Sprint)

    From the Owners Guide http://www.palm.com/us/support/handbooks/treopro/t​reoproT850E_UG.pdf But I dont think its what your looking for.
    Setting options for rejecting a call  By default, when you reject an incoming
    call, the caller is sent to voicemail. You can
    change this setting so that, in addition to
    sending the caller to voicemail, a text
    message opens. This message contains
    default text and is addressed to the caller
    so that you can send the message right
    away. You can also change the default text
    of the message.
    1 Press Start and select Settings.2 On the Personal tab, select Phone .3 Select the Advanced tab.4 To turn on the text message feature, check the Reject call with text
    message box.
    5 (Optional) To change the content of the message, select the text in the box and
    enter the text you want.6 Press OK . 

  • New to the World Mac and I need help with the internet?

    Hi All,
    I've purchased a second hand eMac from a local College last summer and I've finally got around to connecting it to the internet (after 20 + years of working and using PCs). All is great or I thought???
    There is a few problems that I still encountered and hopefully someone can help?
    The spec of the Mac is 1 GHz PowerPC G4 (768 MB SDRAM) running Mac OS X Vers. 10.3.9.
    For the internet I connect via Safari 1.3.2 (v312.6). However, I cannot access Hotmail, selected sites outside of the UK and also when I go into Facebook the interface (layout) is a mess and I can't access various options available. I tried to download Safari 4.0.4. for SnowLeopard, but it won't allow it as I don't have the Billings of Materials?
    Does anyone know how I can resolve the above or point me in the correct direction.
    Many thanks in advance, JJ

    Welcome to the Apple Discussions!
    Version 1.x of Safari is old in Internet years, and many sites using advanced coding (or non-standard coding) won't render properly. Later browser versions have more support for the non-standard HTML that for instance MS webpage programs generate as well as support for more recent authoring tools. Which is a long-winded way of saying you're on the right track, you need to update your browser.
    The later versions of Safari require OS X 10.4 or later. Your eMac can be upgraded to 10.4 or 10.5, but it'll be easier to first try a free third-party browser such as Firefox or Camino or Opera (Version Tracker and MacUpdate are good links to start from when looking for software and updates).
    Note: moving among different browsers on different platforms, I can confirm that it's all too common for sites to render differently, with layouts off from a little to a lot.
    As for being blocked from non-UK sites and Hotmail, if that still crops up with Firefox, check to see if the school that sold you the computer had proxy servers set yp that might be blocking some sites. You can also go to Apple menu, System Preferences, show built-in Ethernet or Airport depending on which one you use, click on the Proxies tab, and see if anything is checked/active there.

  • Where is the hyphen (-) on the apple TV?  I am trying to set up my network and there is a hyphen in the password for the network

    Where is the hyphen on the apple TV?  I am trying to set up my network and there is a hyphen in the password for the network

    A few options to try:
    They hyphen should be next to the + on the character map.
    If you are still having issues, provided your ATV software is up to date, you can now connect an Apple Wireless Keyboard through bluetooth connections.
    Change your network password so it does not use a hyphen
    Good luck!

  • Help in the mail won't work

    I don't know if this is the right place to ask this but I'm lost. The help in the mail programme on OSX 10.4 won't work; the small window appears but nothing comes up and I have to force quit to close it. I'm trying to send an attachment and finding it impossible. In the missing manual book it says that I should be able to compress the picture but the button isn't there for me to do this. What is wrong and what can I do to make it right? Also I tried to send an attachment online at the yahoo site but the browser does not support this Why? Any help will be very welcome Thank you. Teresa

    I don't know if this is the right place to ask this but I'm lost. The help in the mail programme on OSX 10.4 won't work...
    It's alright, but a better place to post questions about Tiger's Mail application would be the Mac OS X > Mac OS X v10.4 Tiger > Mail & Address Book discussion area.

  • Hi can you help with the following panic attack report,

    hi can you help with the following panic attack report, macbook pro OS 10.7.3
    Interval Since Last Panic Report:  157997 sec
    Panics Since Last Report:          1
    Anonymous UUID:                    7ADCF50C-CC18-405E-9D5C-03325D3A83FA
    Thu Mar 29 05:37:28 2012
    panic(cpu 0 caller 0xffffff80002c266d): Kernel trap at 0xffffff800021d905, type 14=page fault, registers:
    CR0: 0x000000008001003b, CR2: 0xffffef801a845328, CR3: 0x0000000019452019, CR4: 0x00000000000606e0
    RAX: 0xffffff801a8450d8, RBX: 0xffffff800e79f340, RCX: 0xffffff801a8450d8, RDX: 0xffffef801a8450d8
    RSP: 0xffffff80a4623e90, RBP: 0xffffff80a4623eb0, RSI: 0x0000000020c85580, RDI: 0x0000000000000001
    R8:  0xffffff80008bd890, R9:  0xffffff80058aeac8, R10: 0xfffffe80539a9928, R11: 0x0008000000053d89
    R12: 0xffffff800e79f370, R13: 0xffffff8000846288, R14: 0xffffff801a8450c0, R15: 0x0000000000000001
    RFL: 0x0000000000010206, RIP: 0xffffff800021d905, CS:  0x0000000000000008, SS:  0x0000000000000010
    CR2: 0xffffef801a845328, Error code: 0x0000000000000002, Faulting CPU: 0x0
    Backtrace (CPU 0), Frame : Return Address
    0xffffff80a4623b50 : 0xffffff8000220702
    0xffffff80a4623bd0 : 0xffffff80002c266d
    0xffffff80a4623d70 : 0xffffff80002d7a1d
    0xffffff80a4623d90 : 0xffffff800021d905
    0xffffff80a4623eb0 : 0xffffff800021daad
    0xffffff80a4623ee0 : 0xffffff800023caa9
    0xffffff80a4623f10 : 0xffffff800023cb36
    0xffffff80a4623f30 : 0xffffff80005a3258
    0xffffff80a4623f60 : 0xffffff80005ca448
    0xffffff80a4623fb0 : 0xffffff80002d7f39
    BSD process name corresponding to current thread: SophosAntiVirus
    Mac OS version:
    11D50b
    Kernel version:
    Darwin Kernel Version 11.3.0: Thu Jan 12 18:47:41 PST 2012; root:xnu-1699.24.23~1/RELEASE_X86_64
    Kernel UUID: 7B6546C7-70E8-3ED8-A6C3-C927E4D3D0D6
    System model name: MacBookPro8,3 (Mac-942459F5819B171B)
    System uptime in nanoseconds: 5720232329361
    last loaded kext at 5694112402758: com.apple.iokit.IOSCSIBlockCommandsDevice          3.0.3 (addr 0xffffff7f807a3000, size 86016)
    last unloaded kext at 248390619372: com.apple.driver.AppleUSBUHCI          4.4.5 (addr 0xffffff7f80a4e000, size 65536)
    loaded kexts:
    com.sophos.kext.sav          7.3.0
    com.apple.driver.AppleUSBCDC          4.1.15
    com.apple.driver.AppleHWSensor          1.9.4d0
    com.apple.filesystems.autofs          3.0
    com.apple.driver.AppleMikeyHIDDriver          122
    com.apple.driver.AudioAUUC          1.59
    com.apple.driver.AppleUpstreamUserClient          3.5.9
    com.apple.driver.AppleMCCSControl          1.0.26
    com.apple.driver.AppleHDA          2.1.7f9
    com.apple.driver.AppleMikeyDriver          2.1.7f9
    com.apple.driver.AppleIntelHD3000Graphics          7.1.8
    com.apple.driver.AGPM          100.12.42
    com.apple.kext.ATIFramebuffer          7.1.8
    com.apple.driver.SMCMotionSensor          3.0.1d2
    com.apple.iokit.IOUserEthernet          1.0.0d1
    com.apple.driver.AppleSMCLMU          2.0.1d2
    com.apple.Dont_Steal_Mac_OS_X          7.0.0
    com.apple.driver.AudioIPCDriver          1.2.2
    com.apple.driver.ACPI_SMC_PlatformPlugin          4.7.5d4
    com.apple.driver.AppleMuxControl          3.0.16
    com.apple.driver.AppleLPC          1.5.3
    com.apple.ATIRadeonX3000          7.1.8
    com.apple.driver.AppleUSBTCButtons          225.2
    com.apple.driver.AppleUSBTCKeyboard          225.2
    com.apple.driver.AppleIRController          312
    com.apple.AppleFSCompression.AppleFSCompressionTypeDataless          1.0.0d1
    com.apple.AppleFSCompression.AppleFSCompressionTypeZlib          1.0.0d1
    com.apple.BootCache          33
    com.apple.iokit.SCSITaskUserClient          3.0.3
    com.apple.iokit.IOAHCIBlockStorage          2.0.1
    com.apple.driver.AppleUSBHub          4.5.0
    com.apple.driver.AppleFWOHCI          4.8.9
    com.apple.driver.AirPort.Brcm4331          513.20.19
    com.apple.iokit.AppleBCM5701Ethernet          3.0.8b2
    com.apple.driver.AppleEFINVRAM          1.5.0
    com.apple.driver.AppleAHCIPort          2.2.0
    com.apple.driver.AppleSmartBatteryManager          161.0.0
    com.apple.driver.AppleUSBEHCI          4.5.8
    com.apple.driver.AppleACPIButtons          1.4
    com.apple.driver.AppleRTC          1.4
    com.apple.driver.AppleHPET          1.6
    com.apple.driver.AppleSMBIOS          1.7
    com.apple.driver.AppleACPIEC          1.4
    com.apple.driver.AppleAPIC          1.5
    com.apple.driver.AppleIntelCPUPowerManagementClient          167.3.0
    com.apple.nke.applicationfirewall          3.2.30
    com.apple.security.quarantine          1.1
    com.apple.driver.AppleIntelCPUPowerManagement          167.3.0
    com.apple.iokit.IOSCSIBlockCommandsDevice          3.0.3
    com.apple.iokit.IOUSBMassStorageClass          3.0.1
    com.apple.kext.triggers          1.0
    com.apple.driver.AppleAVBAudio          1.0.0d11
    com.apple.driver.DspFuncLib          2.1.7f9
    com.apple.driver.AppleSMBusController          1.0.10d0
    com.apple.iokit.IOSurface          80.0
    com.apple.iokit.IOFireWireIP          2.2.4
    com.apple.iokit.IOBluetoothSerialManager          4.0.3f12
    com.apple.iokit.IOSerialFamily          10.0.5
    com.apple.iokit.IOAVBFamily          1.0.0d22
    com.apple.driver.AppleHDAController          2.1.7f9
    com.apple.iokit.IOHDAFamily          2.1.7f9
    com.apple.iokit.IOAudioFamily          1.8.6fc6
    com.apple.kext.OSvKernDSPLib          1.3
    com.apple.driver.ApplePolicyControl          3.0.16
    com.apple.driver.AppleSMC          3.1.1d8
    com.apple.driver.IOPlatformPluginFamily          4.7.5d4
    com.apple.driver.AppleSMBusPCI          1.0.10d0
    com.apple.driver.AppleGraphicsControl          3.0.16
    com.apple.driver.AppleBacklightExpert          1.0.3
    com.apple.iokit.IONDRVSupport          2.3.2
    com.apple.kext.ATI6000Controller          7.1.8
    com.apple.kext.ATISupport          7.1.8
    com.apple.driver.AppleIntelSNBGraphicsFB          7.1.8
    com.apple.iokit.IOGraphicsFamily          2.3.2
    com.apple.driver.BroadcomUSBBluetoothHCIController          4.0.3f12
    com.apple.driver.AppleUSBBluetoothHCIController          4.0.3f12
    com.apple.iokit.IOBluetoothFamily          4.0.3f12
    com.apple.driver.AppleThunderboltDPInAdapter          1.5.9
    com.apple.driver.AppleThunderboltDPAdapterFamily          1.5.9
    com.apple.driver.AppleThunderboltPCIDownAdapter          1.2.1
    com.apple.driver.AppleUSBMultitouch          227.1
    com.apple.iokit.IOUSBHIDDriver          4.4.5
    com.apple.driver.AppleUSBMergeNub          4.5.3
    com.apple.driver.AppleUSBComposite          4.5.8
    com.apple.iokit.IOSCSIMultimediaCommandsDevice          3.0.3
    com.apple.iokit.IOBDStorageFamily          1.6
    com.apple.iokit.IODVDStorageFamily          1.7
    com.apple.iokit.IOCDStorageFamily          1.7
    com.apple.driver.XsanFilter          403
    com.apple.iokit.IOAHCISerialATAPI          2.0.1
    com.apple.iokit.IOSCSIArchitectureModelFamily          3.0.3
    com.apple.driver.AppleThunderboltNHI          1.3.2
    com.apple.iokit.IOThunderboltFamily          1.7.4
    com.apple.iokit.IOUSBUserClient          4.5.8
    com.apple.iokit.IOFireWireFamily          4.4.5
    com.apple.iokit.IO80211Family          412.2
    com.apple.iokit.IOEthernetAVBController          1.0.0d5
    com.apple.iokit.IONetworkingFamily          2.0
    com.apple.iokit.IOAHCIFamily          2.0.7
    com.apple.iokit.IOUSBFamily          4.5.8
    com.apple.driver.AppleEFIRuntime          1.5.0
    com.apple.iokit.IOHIDFamily          1.7.1
    com.apple.iokit.IOSMBusFamily          1.1
    com.apple.security.sandbox          177.3
    com.apple.kext.AppleMatch          1.0.0d1
    com.apple.security.TMSafetyNet          7
    com.apple.driver.DiskImages          331.3
    com.apple.iokit.IOStorageFamily          1.7
    com.apple.driver.AppleKeyStore          28.18
    com.apple.driver.AppleACPIPlatform          1.4
    com.apple.iokit.IOPCIFamily          2.6.8
    com.apple.iokit.IOACPIFamily          1.4
    Model: MacBookPro8,3, BootROM MBP81.0047.B27, 4 processors, Intel Core i7, 2.2 GHz, 4 GB, SMC 1.70f5
    Graphics: AMD Radeon HD 6750M, AMD Radeon HD 6750M, PCIe, 1024 MB
    Graphics: Intel HD Graphics 3000, Intel HD Graphics 3000, Built-In, 384 MB
    Memory Module: BANK 0/DIMM0, 2 GB, DDR3, 1333 MHz, 0x80AD, 0x484D54333235533642465238432D48392020
    Memory Module: BANK 1/DIMM0, 2 GB, DDR3, 1333 MHz, 0x80AD, 0x484D54333235533642465238432D48392020
    AirPort: spairport_wireless_card_type_airport_extreme (0x14E4, 0xD6), Broadcom BCM43xx 1.0 (5.100.98.75.19)
    Bluetooth: Version 4.0.3f12, 2 service, 18 devices, 2 incoming serial ports
    Network Service: AirPort, AirPort, en1
    Serial ATA Device: TOSHIBA MK7559GSXF, 750.16 GB
    Serial ATA Device: MATSHITADVD-R   UJ-898
    USB Device: FaceTime HD Camera (Built-in), apple_vendor_id, 0x8509, 0xfa200000 / 3
    USB Device: hub_device, 0x0424  (SMSC), 0x2514, 0xfa100000 / 2
    USB Device: BRCM2070 Hub, 0x0a5c  (Broadcom Corp.), 0x4500, 0xfa110000 / 5
    USB Device: Bluetooth USB Host Controller, apple_vendor_id, 0x821a, 0xfa113000 / 8
    USB Device: Apple Internal Keyboard / Trackpad, apple_vendor_id, 0x0245, 0xfa120000 / 4
    USB Device: hub_device, 0x0424  (SMSC), 0x2514, 0xfd100000 / 2
    USB Device: IR Receiver, apple_vendor_id, 0x8242, 0xfd110000 / 3

    Get rid of Sophos Anti-Virus software you have installed. Use the uninstaller or:
    Uninstalling Software: The Basics
    Most OS X applications are completely self-contained "packages" that can be uninstalled by simply dragging the application to the Trash.  Applications may create preference files that are stored in the /Home/Library/Preferences/ folder.  Although they do nothing once you delete the associated application, they do take up some disk space.  If you want you can look for them in the above location and delete them, too.
    Some applications may install an uninstaller program that can be used to remove the application.  In some cases the uninstaller may be part of the application's installer, and is invoked by clicking on a Customize button that will appear during the install process.
    Some applications may install components in the /Home/Library/Applications Support/ folder.  You can also check there to see if the application has created a folder.  You can also delete the folder that's in the Applications Support folder.  Again, they don't do anything but take up disk space once the application is trashed.
    Some applications may install a startupitem or a Log In item.  Startupitems are usually installed in the /Library/StartupItems/ folder and less often in the /Home/Library/StartupItems/ folder.  Log In Items are set in the Accounts preferences.  Open System Preferences, click on the Accounts icon, then click on the LogIn Items tab.  Locate the item in the list for the application you want to remove and click on the "-" button to delete it from the list.
    Some software use startup daemons or agents that are a new feature of the OS.  Look for them in /Library/LaunchAgents/ and /Library/LaunchDaemons/ or in /Home/Library/LaunchAgents/.
    If an application installs any other files the best way to track them down is to do a Finder search using the application name or the developer name as the search term.  Unfortunately Spotlight will not look in certain folders by default.  You can modify Spotlight's behavior or use a third-party search utility, Easy Find, instead.  Download Easy Find at VersionTracker or MacUpdate.
    Some applications install a receipt in the /Library/Receipts/ folder.  Usually with the same name as the program or the developer.  The item generally has a ".pkg" extension.  Be sure you also delete this item as some programs use it to determine if it's already installed.
    There are many utilities that can uninstall applications.  Here is a selection:
    AppZapper
    Automaton
    Hazel
    CleanApp
    Yank
    SuperPop
    Uninstaller
    Spring Cleaning
    Look for them at VersionTracker or MacUpdate.
    For more information visit The XLab FAQs and read the FAQ on removing software.

  • Hello applecare  can you help with the macbook pro i did the update the last one and safari doesn't open anything .. what should i do ?

    hello applecare  can you help with the macbook pro i did the update the last one and safari doesn't open anything .. what should i do ?

    Hello John...
    You may have a Safari third party add on installed that was compatible with the previous version of Safari but not 5.1. Try troubleshooting > Safari: Unsupported third-party add-ons may cause Safari to unexpectedly quit or have performance issues
    FYI... this is a user to user forum. If you can't resolve the issue, information for contacting AppleCare  here.

  • HELP I need some help choosing the right laptop

    Hello there. I am a student and I am looking to buy a Apple laptop. I have around 700GBP to spend, but I do not wish to spend all of that. As I do not use Macs that often I dont think I need the newer Macbooks or the Macbook Pros as I feel that it is a waste of power. My friend said the 12" Powerbook was the way to go. There are several different models out there and I was wondering if anyone could help me choose one. It will be used mostly for word processing and admin based work, but I would like to have enough power to be able to run some graphic based activities. I wont be using high level apps that much but it would be nice to know if the opportunity was there, then i I have sufficient power to be able to run them. My friend said an 867mhz G4 with upgraded hdd and ram would do the trick, but I have found out that the specs range all the way up to 1.5ghz. I like the look of the powerbook and I have heard they are more reliable than an ibook which is why I dont really want to choose one of those. Thanks for any help!

    The biggest advantage of the 12PB is its portability, but you didn't include that in your specs.
    The graphics are very good for the small screen. If you need more intense graphics you should consider a larger screen.
    I use mine for mostly word processing and e-mail. I am also the IT guy in my small office and I manage networked PCs from my PB. I use an external monitor and screen spanning for extra work area. I thought long and hard before I bought my PB, as I had used PCs extensively all my life. The configuration that was recommended to you will work fine.

Maybe you are looking for

  • Help needed for SCCM SQL query

    Hello. I have the below query to extract the workstations build date as well as the hardware info. This works fine.  Select distinct v_R_System.Name0, v_GS_COMPUTER_SYSTEM.Manufacturer0, v_GS_COMPUTER_SYSTEM.Model0, v_GS_COMPUTER_SYSTEM_PRODUCT.Versi

  • I upgraded to Windows 8.1 and cannot link icloud to outlook

    I upgraded to Windows 8.1 and now cannot link icloud to download my contacts and calendar to outlook.

  • Indesign CS3, a FreeHand flavour?

    With this new version of Indesign, we, FreeHand lovers, won't be upset by the new indesign interface. Take a look

  • Volume changes on android

    Running the spotify app version 3.1.0.117 on Android 5.1.1 on am s6 edge. The volume bounces around on every single song noattercliffe if I have equaliser enabled or not or crossfade on or not. Happens on Bluetooth and headphones. Is there a fix for

  • Retrieving absence quota data from payroll

    Hi, is there a way of fetching ABWKONTI data from payroll schema without using wages in the ZL table? I need to access infty 2006 from payroll schema. Thanks Tom I