Send CURSOR to Function/Store Procedure

Hi to all,
I want to send a cursor to a function or store procedure.
I got 3 tables with the same structure, I made a cursor for update and other stuff but I want to save some data to a text file, so I want to make a function or sotre procedure that I can send the cursor and the function/store procedure make the Job (save the data to a text file) with any tables.
Can I do That?
Any sample or documentation?
Thanks in advance.

HLopezRD wrote:
Hi to all,
I want to send a cursor to a function or store procedure.
Any sample or documentation?Do you want to send an actual cursor or just the data?
Either way, a reference cursor might do the job for you. Check out reference cursors in the Oracle on-line documentation. You can pass them to and from procedures and functions, and they provide access to data in the database.

Similar Messages

  • Retrieve to forms 6i a ref cursor from a store procedure

    hi, i wanna know how to retrieving to forms 6i a ref cursor or a sys_refcursor from a function or a store procedure.
    i`ll be very gradeful if someone send me the code.
    sorry about my english, the spanish is my native languaje.

    I think you can use procedure similar to this one:
    example:
    My sample table:
    SQL> desc small_perf_table1;
    Name                                      Null?    Type
    COL1                                               NUMBER
    COL2                                               VARCHAR2(10)
    COL3                                               VARCHAR2(1)
    Simple data inside:
    SQL> select col1 from small_perf_table1
      2  where rownum < 10;
          COL1
             1
             2
             3
             4
             5
             6
             7
             8
             9
    9 rows selected.
    Create procedure which return variable sys_refcursor type:
    SQL> CREATE OR REPLACE PROCEDURE proc_cursor_test
      2  (v_cursor OUT sys_refcursor)
      3  IS
      4  BEGIN
      5   OPEN v_cursor FOR select col1 from small_perf_table1 where rownum < 10;
      6  END;
      7  /
    Procedure created.
    And here is code you can write inside forms:
    SQL> DECLARE
      2   type t_cursor IS REF CURSOR;
      3   v_cursor t_cursor;
      4   v_col1 NUMBER;
      5  BEGIN
      6   proc_cursor_test(v_cursor);
      7   LOOP
      8     FETCH v_cursor INTO v_col1;
      9     EXIT WHEN v_cursor%NOTFOUND;
    10     -- DBMS_OUTPUT.PUT_LINE(v_col1); This line is only for testing inside SQL*PLUS.
    11   END LOOP;
    12  END;
    13  /
    1
    2
    3
    4
    5
    6
    7
    8
    9
    PL/SQL procedure successfully completed.This is just an example.
    If this example does not resolve your problems then maybe you should ask your question on forms forum.
    Forms
    Peter D.

  • Return package cursor from another store procedure

    Hello
    I’m new in Oracle, and I have the following problem:
    I have an cursor in a package defined like that:
    create or replace
    PACKAGE "TestPACKAGE" AS
    cursor DOWNLOAD_CURSOR is select A.* from Table1 A, Table2 B
    END TestPACKAGE;
    In reality there is more than one package with different cursors. I want to use that DOWNLOAD_CURSOR in a store procedure, function or another package, to return it to the client as a ref cursor.
    Something likes that:
    create or replace
    procedure aa_test (retCURSOR OUT sys_refcursor) is
    begin
    retCURSOR := TestPACKAGE.DOWNLOAD_CURSOR;
    end;
    or to replace that procedure with another method to return data, and use them in a .NET application.

    961449 wrote:
    Hello
    I’m new in Oracle, and I have the following problem:
    I have an cursor in a package defined like that:
    create or replace
    PACKAGE "TestPACKAGE" AS
    cursor DOWNLOAD_CURSOR is select A.* from Table1 A, Table2 B
    END TestPACKAGE;
    In reality there is more than one package with different cursors. I want to use that DOWNLOAD_CURSOR in a store procedure, function or another package, to return it to the client as a ref cursor.
    Something likes that:
    create or replace
    procedure aa_test (retCURSOR OUT sys_refcursor) is
    begin
    retCURSOR := TestPACKAGE.DOWNLOAD_CURSOR;
    end;
    or to replace that procedure with another method to return data, and use them in a .NET application.Static PL/SQL cursor declarations and Ref Cursors are not interchangable. You cannot return the static cursor definition as a ref cursor.
    See...
    SQL> ed
    Wrote file afiedt.buf
      1  declare
      2    v_rc sys_refcursor;
      3    cursor cur_emp is select * from emp;
      4  begin
      5    open v_rc for cur_emp;
      6* end;
    SQL> /
      open v_rc for cur_emp;
    ERROR at line 5:
    ORA-06550: line 5, column 17:
    PLS-00320: the declaration of the type of this expression is incomplete or malformed
    ORA-06550: line 5, column 3:
    PL/SQL: Statement ignored

  • How get a cursor from a store procedure

    i have a package with a procedure like this
    PACKAGE PKG_TEST IS
    TYPE data_cursor IS REF CURSOR;
    PROCEDURE PRC_GET_DATA( VAR_ONE IN VARCHAR2, IO_CURSOR OUT data_cursor ) ;
    END ;
    PACKAGE BODY PKG_TEST IS
    PROCEDURE PRC_GET_DATA( VAR_ONE IN VARCHAR2, IO_CURSOR     OUT data_cursor ) IS
    MENSAJE VARCHAR2(1000);
    CURSOR_AUX DATA_CURSOR;
    ERR_NUM NUMBER;
    ERR_MSG VARCHAR2(100);
    BEGIN
         OPEN CURSOR_AUX FOR
         SELECT ATTRIB1, ATRIB2 FROM TABLE WHERE (CODITION);
    IO_CURSOR := CURSOR_AUX;
    END PRC_GET_DATA;
    END;
    and, i have some troubles to call from JSP page...
    the java Source is
    Connection conn = source.getConnection();
    Statment stmt = conn.createStatment();
    CallableStatment cs = conn.prepareCall( {CALL PKG_TEST.PRC_GET_DATA( '%') } );
    ResultSet rset = cs.executeQuery();
    Some can help me?....

    I would not know about JAVA call Syntax to Oracle procedure in the code you are showing, Also it is not
    the right place for that question. How ever, I can see that your PL/SQL code needs some fixing
    before it can compile and run, hence some simple demonstrationSQL> create or replace package test_pkg as
      2  TYPE data_cursor IS REF CURSOR;
      3  PROCEDURE PRC_GET_DATA( VAR_ONE IN VARCHAR2, IO_CURSOR OUT data_cursor);
      4  END;
      5  /
    Package created.
    -- Please note that you need to put your SQL for ref cursors in single quotes
    -- Also look at the passing the WHERE condition to the SQL
    SQL> create or replace package body test_pkg as
      2  PROCEDURE PRC_GET_DATA(VAR_ONE IN VARCHAR2, IO_CURSOR OUT data_cursor) IS
      3    l_cursor data_cursor;
      4  BEGIN
      5    OPEN l_cursor for ('SELECT empno, ename from my_emp WHERE '|| VAR_ONE);
      6    IO_CURSOR := l_cursor;
      7  END;
      8  END;
      9  /
    Package body created.
    -- Then simply use the returned REF CURSOR in any program, I am showing PL/SQL program here
    SQL> Declare
      2     myCur test_pkg.data_cursor;
      3     vEmpNum Number;
      4     vEname  Varchar2(20);
      5  Begin
      6     test_pkg.PRC_GET_DATA('Sal > 1000', myCur);
      7     Loop
      8       Fetch myCur into vEmpNum, vEname;
      9       Exit When myCur%NOTFOUND;
    10       dbms_output.put_line(vEmpNum || '  ' || vEname);
    11     End Loop;
    12     Close myCur;
    13  End;
    14  /
    7369  SMITH
    7499  ALLEN
    7521  WARD
    7566  JONES
    7654  MARTIN
    PL/SQL procedure successfully completed.Might not be exactly what you are looking for, but from Oracle Forum, this is what is relevant.
    Good luck,
    Sri

  • Store procedure call to fetch data in JDBC sender adapter

    Hi guys,
    I have to fetch data from a Oracle server through JDBC adpater.
    the partner has in place some store procedure that have to be used with this purpose.
    But al the time I try to call a store procedure I got error that variables are not binded.
    I fill up the query sql statement field with following text
    call <store procedure name> (v1 OUT VARCHAR2, v2 in varchar2)
    Does anyone know the syntax to access such store procedure within jdbc adapter?
    As far as I know the jdbc call the store procedure with Callable statement but the paremeters need to be linked to datatype,but here I do not see such possibility.

    HI
    A stored procedure is a subroutine available to applications accessing a relational database system. Stored procedures (sometimes called a sproc or SP) are actually stored in the database data dictionary.
    Typical uses for stored procedures include data validation (integrated into the database) or access control mechanisms. Furthermore, stored procedures are used to consolidate and centralize logic that was originally implemented in applications. Large or complex processing that might require the execution of several SQL statements is moved into stored procedures and all applications call the procedures only.
    Stored procedures are similar to user-defined functions (UDFs). The major difference is that UDFs can be used like any other expression within SQL statements, whereas stored procedures must be invoked using the CALL statement
    Stored procedures can return result sets, i.e. the results of a SELECT statement. Such result sets can be processed using cursors by other stored procedures by associating a result set locator, or by applications. Stored procedures may also contain declared variables for processing data and cursors that allow it to loop through multiple rows in a table. The standard Structured Query Language provides IF, WHILE, LOOP, REPEAT, CASE statements, and more. Stored procedures can receive variables, return results or modify variables and return them, depending on how and where the variable is declared.
    http://help.sap.com/saphelp_nw04/helpdata/en/1d/756b3c0d592c7fe10000000a11405a/content.htm
    One of the usage is to prevent the query to directly write to the database
    http://en.wikipedia.org/wiki/Stored_procedure
    Check these:
    http://help.sap.com/saphelp_nw04s/helpdata/en/b0/676b3c255b1475e10000000a114084/frameset.htm
    http://help.sap.com/saphelp_nw04s/helpdata/en/4d/8c103e05df2e4b95cbcc68fed61705/frameset.htm
    Integration with Databases made easy – Part 1.
    JDBC Stored Procedures
    http://help.sap.com/saphelp_nw04/helpdata/en/45/023c41325fa831e10000000a1550b0/frameset.htm
    Calling stored procs in MaxDb using SAP Xi
    cheers

  • How to send an e-mail from a store procedure

    Hi,
    I need to find a way to send an e-mail from an store procedure every time a table is fetched.
    Is there a way to accomplish this task?. The e-mail should only display the rows in the table (no more than 5 rows) on a daily basis.
    Any help or example any of you can provide, it's greatly appreciated.
    Thanks
    Ed

    With Oracle 10g you can use UTL_MAIL to send mails.
    For earlier versions see the sample code on OTN
    http://www.oracle.com/technology/sample_code/tech/pl_sql/htdocs/Utl_Smtp_Sample.html
    Use DBMS_JOB to schedule the sending of the mail

  • Calling ORACLE Store Procedure with parameters in user define function

    Hi everybody,
    We have a scenario connecting Oracle DB thru JDBC adapter.
    We have to call store procedure with input parameter and output parameter to retrieve data from DB. The implementation was made using JDBC adapter by building the correct XML message with EXECUTE action, and it works fine.
    Now we need to use DB lookup within mapping. I wrote users define function with SELECT statement (using the JDBC adapter) and it works fine but I need to call store procedure in ORACLE instead of SELECT statement.
    I found lot of examples concerning DB lookup but none of them explained how to write UDF calling store procedure in ORACLE with input and output parameters.
    I am looking for an example.
    Thanks in advance,
    Gigi

    I agree with you, but issue is we have lots of existing store procedure, which we need to call where damn required. I am sure those will be few but still i need to find out.
    If you think you are going to get existing MS Stored Procedures  or Oracle Packages that had nothing to do with the ORM previously to work that are not geared to do simple CRUD operations with the ORM and the database tables, you have a rude awakening
    coming that's for sure. You had better look into using ADO.NET and Oracle Command objects and call those Oracle Packages by those means and use a datareader.
    You could use the EF backdoor, call Oracle Command object and use the Packages,  if that's even possible, just like you can use MS SQL Server Stored Procedures or in-line T-SQL via the EF backdoor.
    That's about your best shot.
    http://blogs.msdn.com/b/alexj/archive/2009/11/07/tip-41-how-to-execute-t-sql-directly-against-the-database.aspx

  • Execute store procedure( in Id, in out RefCursor), and data fetched in ref cursor should be sent out as excel sheet.

    I am trying to make a ssis package that get the data calling the store proc with two param one is ID and other is Sys_refcursor. Say Store Proc as ListName(Id int, myCur sys_refcursor), which gets the datas with the conditions inside it.
    REATE OR REPLACE PROCEDURE schemaName.LISTNAME (P_ID  IN INT, LST_NAME_REFCUR   IN OUT SYS_REFCURSOR)
    IS
    P_NAMESOURCE_ID INT;
    BEGIN
        SELECT SOURCE_ID INTO P_NAMESOURCE_ID FROM SEARCHING_TABLE ST WHERE ST.ID = P_ID;           
                   IF (P_NAMESOURCE_ID=1)
                   THEN
                      OPEN LST_SOURCE_REFCUR FOR 
                            SELECT ST.ID,
                                   ST.TRANSACTION_DATE AS TRAN_DATE,
              IF (P_NAMESOURCE_ID=1)
                   THEN 
                      OPEN LST_SOURCE_REFCUR FOR             ....     
    then i need to get the data from that refcursor and fetch those data to excel sheet to a virtual directory.
    Any help would be appreciated. I am new to SSIS. and i need to do this assignment this friday. 

    Hi 11srk,
    To fetch data from Oracle store procedure, you can use a Script Component as source to call the Oracle stored procedure by using System.Data.OracleClient OracleDataReader, and get the rows and add them to the pipeline buffer. For more information, please
    see:
    http://social.msdn.microsoft.com/Forums/sqlserver/en-US/1d0b3a1b-8792-469c-b0d1-f2fbb9e9ff20/dump-oracle-ref-cursor-into-ms-sql-staging-table-using-ssis
    http://social.msdn.microsoft.com/Forums/sqlserver/en-US/fcdaa97e-8415-4c3e-8ffd-1ad45b590d57/executing-an-oracle-stored-procedure-from-ssis?forum=sqlintegrationservices
    http://msdn.microsoft.com/en-us/library/system.data.oracleclient.oracledatareader(VS.90).aspx  
    Regards,
    Mike Yin
    TechNet Community Support

  • How to create a schema and assign roles with store procedure or function?

    Hi All,
    I am creating a webpage that will call oracle store procedure or function to create a schema and add roles. Please let me know if there a method to do that.
    Thank you

    Hi CristiBoboc,
    Thank you very much for your help. Here is my code to create a user:
    create or replace
    FUNCTION user_create (user_name IN nvarchar2, user_pw IN nvarchar2)
    RETURN number
    IS
    sql_stmt varchar2(200);
    sql_stmt2 varchar2(200);
    var_temp_count NUMBER(2);
    un varchar2(30) := user_name;
    up varchar2(30) := user_pw;
    BEGIN
    sql_stmt := 'create user :1 identified by :2
    default tablespace users
    temporary tablespace temp
    quota 5m on users';
    sql_stmt2 := 'grant developers to :1';
    EXECUTE IMMEDIATE sql_stmt USING un,up;
    EXECUTE IMMEDIATE sql_stmt2 USING un;
    select count(*) into var_temp_count from dba_users where username = UPPER(user_name);
    return var_temp_count;
    END;
    When I run, I get following error:
    exec :myvar :=user_create('aaa','12345');
    BEGIN :myvar :=user_create('aaa','12345'); END;
    ERROR at line 1:
    ORA-01935: missing user or role name
    ORA-06512: at "CSDBA.USER_CREATE", line 15
    ORA-06512: at line 1

  • How to create store procedure using cursor, and looping condition with exce

    Hi,
    I am new in pl/sql development , please help me for follwoing
    1. I have select query by joining few tables which returns lets say 100 records.
    2. I want to insert records into another table(lets say table name is tbl_sale).
    3. If first record is inserted into tbl_sale,and for next record if value is same as first then update into tbl_sale else
    insert new row
    4. I want to achieve this using store procedure.
    Please help me how to do looping,how to use cursor and all other necessary thing to achieve this.

    DECLARE
       b   NUMBER;
    BEGIN
       UPDATE tbl_sale
          SET a = b
        WHERE a = 1;
       IF SQL%ROWCOUNT = 0
       THEN
          INSERT INTO tbl_sale
                      (a
               VALUES (b
       END IF;
    END;note : handle exceptions where ever needed
    Regards,
    friend
    Edited by: most wanted!!!! on Mar 18, 2013 12:06 AM

  • To  use cursor as an OUTPUT paramete in Oracle Store Procedure

    I want to return a ref cursor from an oracle store procedure. Is is possible? How? Syntax?

    yes I think it is possible its syntax is
    CREATE OR REPLACE
    PROCEDURE GetEmpRS1 (p_recordset1 OUT SYS_REFCURSOR,
                  p_recordset2 OUT SYS_REFCURSOR,
                  PARAM IN STRING) AS
    BEGIN
      OPEN p_recordset1 FOR
      SELECT RET1
        FROM MYTABLE
        WHERE LOOKUPVALUE > PARAM;
      OPEN p_recordset2 FOR
      SELECT RET2
       FROM MYTABLE
       WHERE LOOKUPVALUE >= PARAM;
    END GetEmpRS1;

  • My camera and iBooks have stopped sending emails, the function and ability to create the email is still there but my iPad will no loner send the email or even store a draft on my account to suggest the email was ever written; please help I need thability

    My camera and iBooks have stopped sending emails, the function and ability to create the email is still there but my iPad will no loner send the email or even store a draft on my account to suggest the email was ever written; please help I really need this functionality.

    Can you send any emails at all indicating that the mail app is working? Did you try any basic stuff yet?
    Restart the iPad by holding down on the sleep button until the red slider appears and then slide to shut off. To power up hold the sleep button until the Apple logo appears and let go of the button.
    Close those affected apps and restart the iPad. Go to the home screen first by tapping the home button. Quit/close open apps by double tapping the home button and the task bar will appear with all of you recent/open apps displayed at the bottom. Tap and hold down on any app icon until it begins to wiggle. Tap the minus sign in the upper left corner to close the apps. Restart the iPad. Restart the iPad by holding down on the sleep button until the red slider appears and then slide to shut off. To power up hold the sleep button until the Apple logo appears and let go of the button.
    Reset the iPad by holding down on the sleep and home buttons at the same time for about 10-15 seconds until the Apple Logo appears - ignore the red slider - let go of the buttons.

  • Send a File *.txt to a Printer since Store Procedures

    Hello everybody.
    We have a problem.. because we need to send a File *.txt to a Printer since a Store Procedure.
    Do you know how can we do in order to solve this problem.
    Please send me an email ([email protected]) if you have an idea about it.
    Thanks for all
    Luis Castro

    Luis,
    Your going to have to give ALLOT more information about what your wanting, Don't worry if your english is ... short, but please give as much detail about what your wanting as I and (probably everyone else) don't understand what your wanting.
    Tyler

  • Apex_mail.send function or procedure?

    All,
    Perhaps I'm just tired an not understanding something, but I'm looking that the apex_mail.send "procedure" in ApEx's internal help, and it's calling the block a procedure. But it has a return value, so it must be a function. Then in the examples I see it used as a stand alone procedure, not a part of an expression. Am I missing something?
    Dan

    Dan,
    Describe the package in SQL*Plus:SQL> desc apex_mail
    PROCEDURE ADD_ATTACHMENT
    Argument Name                  Type                    In/Out Default?
    P_MAIL_ID                      NUMBER                  IN
    P_ATTACHMENT                   BLOB                    IN
    P_FILENAME                     VARCHAR2                IN
    P_MIME_TYPE                    VARCHAR2                IN
    PROCEDURE BACKGROUND
    Argument Name                  Type                    In/Out Default?
    P_ID                           NUMBER                  IN
    P_SMTP_HOSTNAME                VARCHAR2                IN     DEFAULT
    P_SMTP_PORTNO                  VARCHAR2                IN     DEFAULT
    PROCEDURE PUSH_QUEUE
    Argument Name                  Type                    In/Out Default?
    P_SMTP_HOSTNAME                VARCHAR2                IN     DEFAULT
    P_SMTP_PORTNO                  VARCHAR2                IN     DEFAULT
    PROCEDURE PUSH_QUEUE_BACKGROUND
    PROCEDURE SEND
    Argument Name                  Type                    In/Out Default?
    P_TO                           VARCHAR2                IN
    P_FROM                         VARCHAR2                IN
    P_BODY                         VARCHAR2                IN
    P_BODY_HTML                    VARCHAR2                IN     DEFAULT
    P_SUBJ                         VARCHAR2                IN     DEFAULT
    P_CC                           VARCHAR2                IN     DEFAULT
    P_BCC                          VARCHAR2                IN     DEFAULT
    PROCEDURE SEND
    Argument Name                  Type                    In/Out Default?
    P_TO                           VARCHAR2                IN
    P_FROM                         VARCHAR2                IN
    P_BODY                         CLOB                    IN
    P_BODY_HTML                    CLOB                    IN     DEFAULT
    P_SUBJ                         VARCHAR2                IN     DEFAULT
    P_CC                           VARCHAR2                IN     DEFAULT
    P_BCC                          VARCHAR2                IN     DEFAULT
    PROCEDURE SEND
    Argument Name                  Type                    In/Out Default?
    P_TO                           VARCHAR2                IN
    P_FROM                         VARCHAR2                IN
    P_BODY                         VARCHAR2                IN
    P_BODY_HTML                    VARCHAR2                IN     DEFAULT
    P_SUBJ                         VARCHAR2                IN     DEFAULT
    P_CC                           VARCHAR2                IN     DEFAULT
    P_BCC                          VARCHAR2                IN     DEFAULT
    P_REPLYTO                      VARCHAR2                IN
    PROCEDURE SEND
    Argument Name                  Type                    In/Out Default?
    P_TO                           VARCHAR2                IN
    P_FROM                         VARCHAR2                IN
    P_BODY                         CLOB                    IN
    P_BODY_HTML                    CLOB                    IN     DEFAULT
    P_SUBJ                         VARCHAR2                IN     DEFAULT
    P_CC                           VARCHAR2                IN     DEFAULT
    P_BCC                          VARCHAR2                IN     DEFAULT
    P_REPLYTO                      VARCHAR2                IN
    FUNCTION SEND RETURNS NUMBER
    Argument Name                  Type                    In/Out Default?
    P_TO                           VARCHAR2                IN
    P_FROM                         VARCHAR2                IN
    P_BODY                         VARCHAR2                IN
    P_BODY_HTML                    VARCHAR2                IN     DEFAULT
    P_SUBJ                         VARCHAR2                IN     DEFAULT
    P_CC                           VARCHAR2                IN     DEFAULT
    P_BCC                          VARCHAR2                IN     DEFAULT
    FUNCTION SEND RETURNS NUMBER
    Argument Name                  Type                    In/Out Default?
    P_TO                           VARCHAR2                IN
    P_FROM                         VARCHAR2                IN
    P_BODY                         CLOB                    IN
    P_BODY_HTML                    CLOB                    IN     DEFAULT
    P_SUBJ                         VARCHAR2                IN     DEFAULT
    P_CC                           VARCHAR2                IN     DEFAULT
    P_BCC                          VARCHAR2                IN     DEFAULT
    FUNCTION SEND RETURNS NUMBER
    Argument Name                  Type                    In/Out Default?
    P_TO                           VARCHAR2                IN
    P_FROM                         VARCHAR2                IN
    P_BODY                         VARCHAR2                IN
    P_BODY_HTML                    VARCHAR2                IN     DEFAULT
    P_SUBJ                         VARCHAR2                IN     DEFAULT
    P_CC                           VARCHAR2                IN     DEFAULT
    P_BCC                          VARCHAR2                IN     DEFAULT
    P_REPLYTO                      VARCHAR2                IN
    FUNCTION SEND RETURNS NUMBER
    Argument Name                  Type                    In/Out Default?
    P_TO                           VARCHAR2                IN
    P_FROM                         VARCHAR2                IN
    P_BODY                         CLOB                    IN
    P_BODY_HTML                    CLOB                    IN     DEFAULT
    P_SUBJ                         VARCHAR2                IN     DEFAULT
    P_CC                           VARCHAR2                IN     DEFAULT
    P_BCC                          VARCHAR2                IN     DEFAULT
    P_REPLYTO                      VARCHAR2                IN
    SQL>You see both functions and procedures named send. So it depends on how you want to call them.
    Scott

  • ADFS Database Store Procedures functions

    Following table are list of store procedure for ADFS Database. May I know the function (maybe in simple description) of each store procedure? (this is an audit assessment question raised as part of the implementation)
    adfsartifactstore
    adfsconfiguration
    Store Prod name
    Store Prod name
    CreateArtifact
    UpdateScope
    DeleteArtifact
    DeleteScopes
    GetArtifact
    AddScopeIdentity
    Expire
    GetScopeIdentity
    RemoveScopeIdentity
    AddScopeSigningCertificate
    GetScopeSigningCertificate
    RemoveScopeSigningCertificate
    AddScopeContactInfoAddress
    GetScopeContactInfoAddress
    RemoveScopeContactInfoAddress
    AddScopePolicy
    GetScopePolicies
    RemoveScopePolicy
    CreateClaimDescriptor
    GetClaimDescriptors
    UpdateClaimDescriptor
    DeleteClaimDescriptors
    GetMetadataSources
    UpdateMetadataSource
    AddAuthorityArtifactResolutionService
    GetAuthorityArtifactResolutionService
    RemoveAuthorityArtifactResolutionService
    AddAuthoritySingleLogoutService
    GetAuthoritySingleLogoutService
    RemoveAuthoritySingleLogoutService
    AddAuthoritySingleSignOnService
    GetAuthoritySingleSignOnService
    RemoveAuthoritySingleSignOnService
    AddScopeSingleLogoutService
    GetScopeSingleLogoutService
    RemoveScopeSingleLogoutService
    AddScopeAssertionConsumerService
    GetScopeAssertionConsumerService
    RemoveScopeAssertionConsumerService
    AddAuthorityClaimType
    GetAuthorityClaimType
    RemoveAuthorityClaimType
    AddScopeClaimTypeOptional
    GetScopeClaimTypeOptional
    RemoveScopeClaimTypeOptional
    AddScopeClaimTypeRequired
    GetScopeClaimTypeRequired
    RemoveScopeClaimTypeRequired
    CreateServiceSettings
    GetServiceSettings
    UpdateServiceSettings
    DeleteServiceSettings
    QueryServiceStateSummaryModification
    AddLeasedTask
    ResetLeasedTask
    TryAcquireLease
    RemoveLeasedTask
    AddClaimDescriptorExtensibleProperty
    RemoveClaimDescriptorExtensibleProperty
    GetClaimDescriptorExtensibleProperties
    AddScopeExtensibleProperty
    RemoveScopeExtensibleProperty
    GetScopeExtensibleProperties
    AddAuthorityExtensibleProperty
    RemoveAuthorityExtensibleProperty
    GetAuthorityExtensibleProperties
    CreateDefaultObjects
    ClearAdfsConfiguration
    IdentityServerNotificationCleanup
    AddServiceStateSummary
    UpdateServiceStateSummary
    RemoveAllServiceStateSummary
    IncrementServiceStateSummarySerialNumber
    RemoveServiceStateSummary
    GetServiceStateSummary
    SqlQueryNotificationStoredProcedure-5c1490a9-f8eb-47ca-afc6-dc32a6288bae
    AddServiceObjectTypeRelationships
    UpdateServiceObjectTypeRelationships
    RemoveServiceObjectTypeRelationships
    GetServiceObjectTypeReferences
    AddSyncProperties
    UpdateSyncProperties
    RemoveSyncProperty
    RemoveSyncProperties
    GetSyncProperties
    GetSyncProperty
    CreateAuthority
    GetAuthorities
    UpdateAuthority
    DeleteAuthorities
    AddAuthorityIdentity
    GetAuthorityIdentity
    RemoveAuthorityIdentity
    AddAuthorityContactInfoAddress
    GetAuthorityContactInfoAddress
    RemoveAuthorityContactInfoAddress
    AddAuthorityPolicy
    GetAuthorityPolicies
    RemoveAuthorityPolicy
    CreateScope
    GetScopes

    This would be best asked at:
    http://social.msdn.microsoft.com/Forums/vstudio/en-US/home?forum=Geneva
    Paul Bergson
    MVP - Directory Services
    MCITP: Enterprise Administrator
    MCTS, MCT, MCSE, MCSA, Security, BS CSci
    2012, 2008, Vista, 2003, 2000 (Early Achiever), NT4
    Twitter @pbbergs http://blogs.dirteam.com/blogs/paulbergson
    Please no e-mails, any questions should be posted in the NewsGroup.
    This posting is provided AS IS with no warranties, and confers no rights.

Maybe you are looking for

  • How can i make my officejet 6500a print in black and white only?

    I just bought an officejet 6500a and I can't figure out how to make it print in black in white only.  I print a lot of stuff that doesn't need color and want to save my ink. On some prints it gives me that option when I print. but for the most part i

  • PC with K8T Neo stopped powering up

    Hello, I built a pc with MSI K8T Neo motherboard, Athlon 64 3200+ processor, 1 Gig (2 x 512) Kingston value PC3200 RAM, ATI Radeon 9600 XT with 128 RAM, Maxtor 80 gig hd in a PowMax case with 400 W power supply.  I installed Window 2000 on my machine

  • Instability with a capital I

    First of all sorry for bringing this old topic about my system up again. I can only use the performance modes Fast and Turbo if DDR voltage is set to 2.65-2.7, DDR frequency on Auto, memory by SPD and fsb to exactly 201..not 200 and not 202. Otherwis

  • OLAP and version on EBS database upgrade and migration

    Hi all, Recently I have upgraded EBS database to 11.2.0.3. When I querey " select COMP_ID,COMP_NAME,VERSION,STATUS from dba_registry; " getting below output SQL> select COMP_ID,COMP_NAME,VERSION,STATUS,MODIFIED from dba_registry; COMP_ID             

  • How to unlock iphone 3gs

    how to unlock my iphone