Reg Exp - not as expected

Not often I ask questions myself, and perhaps my mind's just gone fuzzy this morning, but I'm having trouble doing a simple replace with regular expressions...
In the below example I just want to replace all occurences of "fred" with "freddies"...
SQL> ed
Wrote file afiedt.buf
  1* select regexp_replace('this freddies is fred fred record', 'fred', 'freddies') from dual
SQL> /
REGEXP_REPLACE('THISFREDDIESISFREDFREDRECORD'
this freddiesdies is freddies freddies recordbut, obviously, I don't want the existing "freddies" to become "freddiesdies", it should stay as it is. So if I check for spaces either side of the search string (and take account of it maybe being at the start/end of the string...
SQL> ed
Wrote file afiedt.buf
  1* select regexp_replace('this freddies is fred fred record', '(^| )fred( |$)', '\1freddies\2') from dual
SQL> /
REGEXP_REPLACE('THISFREDDIESISFREDFRE
this freddies is freddies fred record
SQL>It no longer replaces the "freddies" incorrectly, BUT it only replaces the first occurence of "fred" with "freddies" and not the latter one. ?!?!?!
If I put an extra space inbetween the two "fred"s then it works:
SQL> ed
Wrote file afiedt.buf
  1* select regexp_replace('this freddies is fred  fred record', '(^| )fred( |$)', '\1freddies\2',2) from dual
SQL> /
REGEXP_REPLACE('THISFREDDIESISFREDFREDRECO
this freddies is freddies  freddies record
SQL>But I'm not going to have double spaces between the words and I can't determine where to insert them to make it work like this so it's not a feasible solution, although it does seem to highlight that the regular expression parser is not taking the space after the first match in the context of being the space before the second match.
Is that a bug in the regular expression parser, a feature of the way regular expressions work (i.e. expected) or am I doing something wrong with my search and replace reg.exp. strings?
Cheers

I think this will explain ..
SQL> select regexp_replace
  2         ('this freddies is fred fred  fred record',
  3          '(^| )(fred)($| )','\1freddies\3') str
  4  from dual
  5  /
STR
this freddies is freddies fred  freddies record
1 row selected.                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       

Similar Messages

  • A doubt on REG EXP

    Hi friends,
    Please clarify the following doubt in Reg Exp.
    Table EMP has following EMP_NAMEs:
    ============
    Anand
    Bala_G
    Chitra
    David_C
    Elango
    Fathima
    ============
    We have a set of characters as "abcdefghijklmnopqrstuvwxyz0123456789".
    Now we need to find the count of EMP_NAMES whose characters (any) are not in the list of characters in the above list. In this example, the result should be 2. i.e., 'Bala_D' and 'David_C'. The query should be like:
    Declare
    v_string varchar2(50) := 'abcdefghijklmnopqrstuvwxyz0123456789';
    v_count number(6);
    Begin
    select count(*)
    into v_count
    from emp
    where regexp_like(emp_name, v_string);
    dbms_output.put_line(v_count);
    end;
    ========================
    Thanks in advance!

    Hi,
    Welcome to the forum!
    To use REGEXP_LIKE, you could say:
    WHERE     REGEXP_LIKE ( emp_name
                  , '[^abcdefghijklmnopqrstuvwxyz0123456789]'
                  )However, it will be faster not to use regular expressions:
    WHERE   LTRIM ( emp_name
               , 'abcdefghijklmnopqrstuvwxyz0123456789'
               )          IS NOT NULLEdited by: Frank Kulash on Oct 10, 2012 4:18 PM
    Removed extra single-quote, after DAMorgan, below.

  • How to make Matcher stop once a reg exp match is found

    Is there a way to make the regular expression Matcher stop reading from the underlying CharSequence once it finds a match? For example, if I have a very long String and a match for some regular expression is at the beginning of the String, can I make the Matcher object stop examining the String once it finds the match? The Matcher object seems to always examine the entire CharSequence, even if a match is very near the beginning.
    Thanks,
    Zach Cox
    [email protected]

    Nope, {1}+ doesn't work either. I know it's
    continuing because I created my own CharSequence
    implementation that just wraps a String orwhatever,
    and I print to System.out whenever Matcher callsthe
    charAt method.What about the lookingAt() method?I think lookingAt is like matches, except just the beginning of the CharSequence has to match (i.e. starting at index 0), not the entire thing. I tried it and it doesn't even find the reg exp. The find method at least finds the reg exp, it just reads too far.

  • Reg Exp always returning false value

    Hi,
    Below is my code. I want to restrict the values to only alphabets and numbers and not special char.
    But the below condition fails on a positive value also. Ex: ABCD, abcd, 1234. These should be acceptable.
    Is the reg exp wrong?
    private var special_char:RegExp = /^[A-Za-z0-9]*$/;
                                  private function validateSpecialChar(inputValue:String):Boolean {
                                            if (special_char.test(inputValue))
                                                      valid = true;
                                            else
                                                      valid = false;
                                            return valid;
    Thanks,
    Imran

    Try: http://stackoverflow.com/questions/9012387/regex-expression-only-numbers-and-characters

  • Reg Exp won't make a match with metacharacters?

    Hi All,
    I'm trying to implement a filefilter using regular expressions to allow wildcard searches. Here is the code I have so far. Works fine for a literal match, but if i enter a wildcard search (eg. abc123) it will not list any files, even though if I enter the full name for a file, it matches just fine. Anyone got any ideas because I'm just comming up blank?
    thanks!
    package dbmanager2;
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.*;
    import java.util.regex.*;
    * @author nkelleh
    public class LotDialog
        // Declare variables
        private String[] dirFiles;
        // Class constructor
        public LotDialog(String path, String name)
            // Create new file object based on path name given
            File dir = new File(path);
            // Assign file names to string array
            dirFiles = dir.list(new stdfFilter(name));
        public void printFiles()
            for (String files : dirFiles)
                System.out.println("File is " + files );
        class stdfFilter implements FilenameFilter {
            Pattern pattern;
            public stdfFilter(String search)
                // Replace wildcard, '*', with reg exp, '.*'
                search = search.replaceAll("\\*", ".*");
                search = search.replaceAll("\\?", ".");
                pattern = Pattern.compile(search);
                System.out.println(pattern.pattern());
            public boolean accept(File dir, String name)
                if (new File(dir,name).isDirectory())
                    return false;
                else
                    // Return true if a match is found
                    Matcher matcher = pattern.matcher(dir.getName());
                    return matcher.matches();               
    }

    LeWalrus wrote:
    Hi All,
    I'm trying to implement a filefilter using regular expressions to allow wildcard searches. Here is the code I have so far. Works fine for a literal match, but if i enter a wildcard search (eg. abc123) it will not list any files, even though if I enter the full name for a file, it matches just fine. Anyone got any ideas because I'm just comming up blank?
    ...Try debugging your code. A good place to start is to print the following to see where things go wrong:
    public boolean accept(File dir, String name)
      if (new File(dir,name).isDirectory())
        System.out.println("Ignoring: "+new File(dir,name));
        return false;
      else
        Matcher matcher = pattern.matcher(dir.getName()); // shouldnt that be 'name' instead of 'dir'?
        System.out.println("Accept: "+dir.getName()+"? "+matcher.matches());
        return matcher.matches();               
    }

  • REG EXP pattern ?

    Hi Folks;
    I need to create a reg exp pattern with these rules :
    mpexprfinal      : mpexprUnit(\ OROP\ mpexprUnit)*
    mpexprUnit      : mp(\ AND\ mp)*minusplusexpr
    minusplusexpr :     "\ \(+\)\ " or "\ \(-\)\ "
    mp : "[A-Z]{1}[0-9]{6}" (ex: I123456)
    OROP : ","
    Help me please!
    Edited by: Moostiq on 2 mai 2011 16:52
    Edited by: Moostiq on 2 mai 2011 16:52

    Hi,
    I don't know of any really good way to assign names to sub-patterns in a regular expression, and then use those names in bigger expressions.
    You can (sort of) do the same thing in SQL, by assigning column aliases to string literals (as in def_1, below), or concatentions of literals and previouslly defined aliases (as in def_2):
    WITH     def_1         AS
         SELECT     '\(\+|-\)'          AS minusplusexpr
         ,     '[A-Z]{1}[0-9]{6}'     AS mp
         ,     ';'               AS orop
         FROM     dual
    ,     def_2        AS
         SELECT  def_1.*
         ,     mp || '( AND '
                 || mp
                 || ')*'          AS mpexprunit
         FROM    def_1
    SELECT     x.*
    FROM          table_x     x
    CROSS JOIN     def_2     d
    WHERE     REGEXP_LIKE ( x.txt
                  , d.mpexprunit || '('
                                 || d.orop
                           || '|'
                           || d.mpexprunit
                           || ')*'
    ;Take this as pseudo-code. I'm not sure it will do anything. (I can't test it until you post some sample data).
    If it does run, I'm not sure it will do what you want (since you haven't explained what you want).
    You may find it easier just to repeat the expressions in your code. An approach like the one above is most useful when the definitions (mp, mpexprunit, and so on) change frequently.
    I hope this answers your question.
    If not, post a little sample data (CREATE TABLE and INSERT statements, relevant columns only) for all tables, and also post the results you want from that data.
    Explain, using specific examples, how you get those results from that data.
    Always say which version of Oracle you're using. I'm not sure you'll need any features that were added after Oracle 10.1, but why take a chance?

  • Reg Exp confusion when searching for a '(' char

    Hello,
    I am trying to extract the name from the following HTML.
    onclick="searchCitationAuthor('Inoue, K.', true);">I want to be able to extract 'Inoue, K.'.
    My regular expression is as follows.
    "\\=true\\)\">([^<]+)</a>";I need to extract from the entire line of code. I need to extract from the =true chars as this makes the Reg Exp distinctive.
    I think the ')' char is confusing things.
    Can anyone suggest anything?
    Message was edited by:
    VanJay011379
    Sorry, I realize i was missing a ';' char. I thought the "\\)" was causing problems. Move on, nothing to see here LOL : )

    why not
    String regex = "searchCitatationAuthor\\s*\\(\\s*'([^']*)'"
    where is =true coming in though?

  • ELF file's phentsize not the expected size - ERROR on Linux

    I followed all the steps shown on the javasoft/tutorial on JNI and created the following files
    ThreadTool.c
    ~~~~~~~~~~~~~~~~~~
    #include <jni.h>
    #include "ThreadTool.h"
    #include <jvmdi.h>
    JNIEXPORT jint JNICALL Java_ThreadTool_getThreadStatus
    (JNIEnv *env, jclass clazz, jobject thread)
    jint threadStatus;
    jint suspendStatus;
    jvmdiError error = JVMDI_GetThreadStatus (env, thread, &threadStatus, &suspendStatus);
    return (threadStatus);
    ThreadTool.h
    ~~~~~~~~~~
    /* DO NOT EDIT THIS FILE - it is machine generated */
    #include <jni.h>
    /* Header for class ThreadTool */
    #ifndef IncludedThreadTool
    #define IncludedThreadTool
    #ifdef __cplusplus
    extern "C" {
    #endif
    #undef ThreadTool_THREAD_STATUS_UNKNOWN
    #define ThreadTool_THREAD_STATUS_UNKNOWN -1L
    #undef ThreadTool_THREAD_STATUS_ZOMBIE
    #define ThreadTool_THREAD_STATUS_ZOMBIE 0L
    #undef ThreadTool_THREAD_STATUS_RUNNING
    #define ThreadTool_THREAD_STATUS_RUNNING 1L
    #undef ThreadTool_THREAD_STATUS_SLEEPING
    #define ThreadTool_THREAD_STATUS_SLEEPING 2L
    #undef ThreadTool_THREAD_STATUS_MONITOR
    #define ThreadTool_THREAD_STATUS_MONITOR 3L
    #undef ThreadTool_THREAD_STATUS_WAIT
    #define ThreadTool_THREAD_STATUS_WAIT 4L
    #undef ThreadTool_SUSPEND_STATUS_SUSPENDED
    #define ThreadTool_SUSPEND_STATUS_SUSPENDED 1L
    #undef ThreadTool_SUSPEND_STATUS_BREAK
    #define ThreadTool_SUSPEND_STATUS_BREAK 2L
    * Class: ThreadTool
    * Method: getThreadStatus
    * Signature: (Ljava/lang/Thread;)I
    JNIEXPORT jint JNICALL Java_ThreadTool_getThreadStatus
    (JNIEnv *, jclass, jobject);
    #ifdef __cplusplus
    #endif
    #endif
    ThreadTool.java (This is my test class)
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    public class ThreadTool {
    public static final int THREAD_STATUS_UNKNOWN = -1;
    public static final int THREAD_STATUS_ZOMBIE = 0;
    public static final int THREAD_STATUS_RUNNING = 1;
    public static final int THREAD_STATUS_SLEEPING = 2;
    public static final int THREAD_STATUS_MONITOR = 3;
    public static final int THREAD_STATUS_WAIT = 4;
    public static final int SUSPEND_STATUS_SUSPENDED = 1;
    public static final int SUSPEND_STATUS_BREAK = 2;
    public static native int getThreadStatus (Thread t);
    static {
    String currpath = System.getProperty("java.library.path");
    String newpath = currpath+":/home/apota/";
    System.setProperty("java.library.path", newpath);
    System.loadLibrary ("ThreadTool");
    public static void main(String[] args) {
    Reaper rp = new Reaper(1000, "apota");
    Reaper rp1 = new Reaper(2000, "drice");
    rp.start();
    rp1.start();
    while (true) {
    System.out.println("Apota thread "+ThreadTool.getThreadStatus(rp));
    System.out.println("Drice thread "+ThreadTool.getThreadStatus(rp1));
    I use the following command to compile on Linux
    gcc -I/usr/local/java/include -I/usr/local/java/include/linux ThreadTool.c -c -o libThreadTool.so
    When I run the java program to test it, I get the following
    Exception in thread "main" java.lang.UnsatisfiedLinkError: /usr/home/apota/libThreadTool.so: /usr/home/apota/libThreadTool.so: ELF file's phentsize not the expected size
    at java.lang.ClassLoader$NativeLibrary.load(Native Method)
    at java.lang.ClassLoader.loadLibrary0(ClassLoader.java:1419)
    at java.lang.ClassLoader.loadLibrary(ClassLoader.java:1343)
    at java.lang.Runtime.loadLibrary0(Runtime.java:749)
    at java.lang.System.loadLibrary(System.java:820)
    at ThreadTool.<clinit>(ThreadTool.java:21)
    Whats going on?
    (FYI: I am trying ot get the status of a Thread in Java using the JVMDI C API)

    aldus99 wrote:
    I use the following command to compile on Linux
    gcc -I/usr/local/java/include -I/usr/local/java/include/linux ThreadTool.c -c -o libThreadTool.so
    I could be wrong, but it looks like you're invoking gcc all wrong.
    1) You're using the -c flag which tells the compiler to only compile, yet you're trying to also link.
    2) The last time that I used gcc, I believe you had to use a special flag to tell it that you wanted a shared library... something like -G. (It's not smart like Kai's KCC or Forte).
    3) On top of all that, you may have to use a -thread option to make sure you are generating multi-thread safe code.
    I suggest taking a second look at the man pages for gcc.
    God bless,
    -Toby Reyelts

  • Cron tab not working --- exp not found message

    Hai All
    My database is Oracle 9i in AIX
    We have a export backup. It works fine by manual execution but it not works in crontab ..An error displayed in mail...Details below
    Script
    ====
    export ORACLE_SID=HIL
    exp system/2007 file=/arch/export/hilexpbacktest.dmp log=/arch/export/hilex
    pback.log full=Y
    Crontab -Sheduling as oracle user
    ==========================
    32 11 * * * /oracle/oracle9i/script/dailybackup
    Error in mail
    =========
    From daemon Tue Apr 10 11:33:00 2007
    Received: (from daemon@localhost)
    by HIL1 (AIX5.3/8.13.4/8.11.0) id l3A6X0Nb729150
    for oracle; Tue, 10 Apr 2007 11:33:00 +0500
    Date: Tue, 10 Apr 2007 11:33:00 +0500
    From: daemon
    Message-Id: <200704100633.l3A6X0Nb729150@HIL1>
    To: oracle
    Subject: Output from cron job /oracle/oracle9i/script/dailybackup, oracle@HIL1,
    exit status 127
    Cron Environment:
    SHELL =
    PATH=/usr/bin:/etc:/usr/sbin:/usr/ucb:/usr/bin/X11:/sbin:/usr/java14/jre/bin:/u
    sr/java14/bin
    CRONDIR=/var/spool/cron/crontabs
    ATDIR=/var/spool/cron/atjobs
    LOGNAME=oracle
    HOME=/oracle/oracle9i
    Your "cron" job executed on HIL1 on Tue Apr 10 11:32:00 IST 2007
    /oracle/oracle9i/script/dailybackup
    produced the following output:
    /oracle/oracle9i/script/dailybackup[2]: exp: not found.
    /oracle/oracle9i/script/dailybackup[5]: exp: not found.
    =========
    Any Enviornment variable missing? Where this variable set?
    please give a solution...
    Please help..
    Shiju...

    I guess the path of exp is unable to find by unix. Also in path variable you did not set the bin folder of oracle.
    Suppose oracle is in file system /app/oracle/ora92
    try to use absolute path like below, or set the PATH variable.
    /app/oracle/ora92/bin/exp system/2007 file=/arch/export/hilexpbacktest.dmp log=/arch/export/hilex
    pback.log full=Y

  • Sort order of text is not as expected

    Hi
    I need to sort a characteristic by its medium text in BEX (3.5.). However, the sort order is not as expected: uppercase letters are sorted first when selecting ascending order:
    AAA
    AXZ
    Abc
    BBB
    Baa
    Bbb
    But this only applies when I use language=EN. For other languages defined in our system (fx. DE), the sort order is ignoring the cases:
    AAA
    Abc
    AXZ
    Baa
    BBB
    Bbb
    The user wants that texts is sorted like this.
    I have read note 952625 on sort collation sequences. And now I wonder if
    a) The standard sort collation sequence for English is different from fx. German og Danish.
    b) We have a different setting somewhere (locale setup) that generates these differences.
    Our BW system is technical 7.0, but most of our cubes are still 3.5 and also our BEX is still running 3.5.
    OS = AIX, Unicode systems=no. Database = DB6.
    Best regards and thanks in advance for any reply
    Martin

    Hi Martin,
    Did you find the answer to your question? Do you know why it happened?
    Thanks,
    Vitaliy

  • When deploy multiple updates, some updates fail with Hash does not match expected

    If I deploy a few updates (less than 5) the deployment completes without any issues.  If I have a lot of updates,  most the updates install with no issues but some, and not always the same update, fails with an error in the CAS.log on the client
    that states "Hash does not match expected"  after several reties the update will download and install.
    What could be causing this?
    I have setup a new folder that is not on the root of the drive.  This has not help with this issue but is handy in organization. 
    Ashley
    County of San Bernardino
    Assessor\Recorder\Clerk
    Automated System Analyst

    It you don't do anything and the hash calculates and downloads correctly then I would look to a network error of packet corruption or something wrong with the DP.
    http://www.sccm-tools.com http://sms-hints-tricks.blogspot.com

  • Received unexpected message type does not match expected type

    1.Two Biztalk Applications A,B  one for sending the request(A) and other application will send the response to A.
    2.I have two schema  Request and Response in Aplication A which i have exposed as webservice.
    3. Application B share the same response schema .
    I am using WSBasicHTTP sysnchronous ports to send and receive the message.
    WHen Application B send the response , i get the error  "unexpected message type does not match expected type "
    but i dont know why i get such error when the schemas are share by both application. Please advice
    Regards
    Suresh

    Hi Suresh,
    Whenever you are doing request-response like calling web service etc, i would suggest to use Passthrough pipeline while sending and use XML receive for receiving the message.
    Because when you are sending the message out it doesn't needs any promoted properties so you can use Passthrough this will avoid extra Assembling/Validation etc tasks performed by XMLSend pipeline.
    But when you are receiving response that time it expects MessageType property to be promoted because normally you will have receive shape configured to some Typed Schema. So you will have to use XML Receive pipeline.
    Thanks,
    Prashant
    Please mark this post accordingly if it answers your query or is helpful.

  • [svn:bz-trunk] 14330: BLZ-476 : Getting different error message in server' s servlet log and console log when class is not of expected type.

    Revision: 14330
    Revision: 14330
    Author:   [email protected]
    Date:     2010-02-22 10:03:03 -0800 (Mon, 22 Feb 2010)
    Log Message:
    BLZ-476 : Getting different error message in server's servlet log and console log when class is not of expected type.
    QA: no
    Doc: no
    checkin test : pass
    Ticket Links:
        http://bugs.adobe.com/jira/browse/BLZ-476
    Modified Paths:
        blazeds/trunk/modules/core/src/flex/messaging/MessageBrokerServlet.java

    Hi, wbracken ,
    As known, there are 2 different questions I raised.
    Regarding the reply for the second one (Nothing to do with Chinese), I noticed there are several similar issues found in this forum, and it seems no response could solve my that problem. The related methods and classes were also well check, as well as the parameters put.
    Any way, your reponse was appreciated.
    Thank you for the help.

  • [svn:bz-trunk] 14341: BLZ-476 : Getting different error message in server' s servlet log and console log when class is not of expected type.

    Revision: 14341
    Revision: 14341
    Author:   [email protected]
    Date:     2010-02-22 13:19:46 -0800 (Mon, 22 Feb 2010)
    Log Message:
    BLZ-476 : Getting different error message in server's servlet log and console log when class is not of expected type.
    Ticket Links:
        http://bugs.adobe.com/jira/browse/BLZ-476
    Modified Paths:
        blazeds/trunk/modules/core/src/flex/messaging/MessageBrokerServlet.java
        blazeds/trunk/modules/core/src/flex/messaging/util/ClassUtil.java

    Hi, wbracken ,
    As known, there are 2 different questions I raised.
    Regarding the reply for the second one (Nothing to do with Chinese), I noticed there are several similar issues found in this forum, and it seems no response could solve my that problem. The related methods and classes were also well check, as well as the parameters put.
    Any way, your reponse was appreciated.
    Thank you for the help.

  • ORA-19007: Schema - does not match expected T0090.xsd for non xsd owner

    I have registered an xsd in /home/divload/xsd/T0090.xsd. User "prmt" is the owner of this resource. User prmt can schemavalidate xml against this xsd just as it is now. However, I have package code in "prmt_app" user account that will actually do the schemavalidate - not prmt user. When I run the exact same code using the exact same xml with the T0090.xsd above I am getting ORA-19007: Schema - does not match expected T0090.xsd. prmt_app has "all" privs on "/home", "/home/divload", "/home/divload/xsd", and "/home/divload/xsd/T0090.xsd". What am I missing?
    XSD header info
    <?xml version="1.0" encoding="utf-8"?>
    <xs:schema attributeFormDefault="unqualified" elementFormDefault="qualified" xmlns:xs="http://www.w3.org/2001/XMLSchema" xmlns:xdb="http://xmlns.oracle.com/xdb">
         <xs:element name="T0090" xdb:defaultTable="T0090">
    ...XML header info
    <?xml version="1.0" encoding="ISO-8859-1"?>
    <T0090 xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="T0090.xsd">
    <PERMIT>
    ...The error occurs when I am inserting into this table off disk..
    create table prmt.cview_xml (filename varchar2(256), xmldoc xmltype) xmltype xmldoc xmlschema "T0090.xsd" element "T0090";
    Edited by: Mark Reichman on Jun 28, 2010 2:42 PM

    I did all that before posting the orignial post..
    declare
      v_schema_exists varchar2(1) := 'N';
      res             boolean;
      schemaURL       varchar2(100) := 'T0090.xsd';
      schemaPath      varchar2(100) :=  '/prmt/xsd/T0090.xsd'; --'/public/T0090.xsd';
      xmlSchema xmlType := XMLTYPE(bfilename('DIR_PRMT_OUT_CVIEW','T0090.xsd'),NLS_CHARSET_ID('AL32UTF8'));
    begin
      begin
        select 'Y'
          into v_schema_exists
          from sys.all_xml_schemas  -- changed from user_xml_schemas
         where schema_url = schemaURL;
        dbms_xmlSchema.deleteSchema(schemaURL,4);
        exception
          when NO_DATA_FOUND then
            null;
      end;
      if (dbms_xdb.existsResource(schemaPath)) then
        dbms_xdb.deleteResource(schemaPath);
      end if;
      res := dbms_xdb.createResource(schemaPath,xmlSchema);   
      dbms_xmlschema.registerSchema ( schemaURL, xdbURIType(schemaPath).getClob(), TRUE, TRUE, FALSE, TRUE );
    end;
    / I guess my understanding was that I could grant another oracle user access to my registered schema just like I can grant a single user access to a table. Evidently I only have two options. Only the schema owner can use the schema or everyone can use the schema and I cannot grant access to a single user other than myself.
    Edited by: Mark Reichman on Jul 2, 2010 9:08 AM
    Edited by: Mark Reichman on Jul 2, 2010 9:09 AM

Maybe you are looking for

  • SAP J2E Engine Terminates on Portal Application Servers.

    Short Text  SAP J2EE Engine Terminates  Long Text  we are experencing a problem with SAP Enterprise Portal Server 5.0,where SAPJ2E Engine service failing almost once in a week on either of the two servers. Server details Os: Window 2000 Service pack

  • Itunes 10.6.3 freezing during manual sync on Macbook pro

    Hello all, I am having more problems with my Ipod classic syncing on my new macbook than on the windows systems, which comes as a shock. I have restored the ipod more than once but the same problem occurs, when I add music over 24-25 Gb it starts to

  • Apple Application Support Installation Error

    So, while trying install iTunes, Apple Application Support wouldnt install. Then I tried to install by itself and it still didnt work. The error code was:An error occured during the installation of assembly 'Microsoft.VC80.CRT,type="win32",version="8

  • Cannot create slideshow in Premiere Elements 8

    I just installed and am trying to use Premiere Elements 8. I have been racking my brain for the last two hours trying to figure out how to create a slide show.  I do not have a create button anywhere.  I jumped from Elements 1.0 to 8.  I am ready to

  • Tiles+JSF exceptions

    Hi! When I try to insert a part of JSF into the tiles and when some of JSF tags method or property bindings throws an exceptions, this exception is being handled either by Tiles or by JSF and is rendered on page in place of tag - [ServletException...