Select * from emp where ename=(procedure1(procedure2(procedure3)));

I have a big problem
I have to check the data for quality data
Lets say i have to check data in emp table
First i have to check whether the empno is of type number
     IF empno=number then
          if ename starts with a particualar format then
               ---printouts and this procedure goes on for about 10 coulumns
I have designed a hard coded procedure where I input table name and column name and the procedure does the checks and give out result
I have planned to call that procedures here for each checks
its like i make the procedure to execute and the procedure returns rowid of the correct data
now i have to apply the second procedure where input is all the rowids of previous procedure and it goes on
I even dont know whether procedure is correct or function is correct
Its like select * from emp where ename=(procedure1(procedure2(procedure3)));
each procedure's output is Rowids only which satisfy a particular format of data
Please explain me in details
Please please help me.

Nested calls are not the best of ideas. Ignoring that for a moment, there are a couple of ways to address this requirement in Oracle. One of these, and likely one of the more scalable ways, is to use Pipeline Table Functions.
The following code demonstrates the basics of this approach, using pipelined table functions to perform validation checks on data.
SQL> -- generic type to serve as input cursors to the validation functions
SQL> create or replace type TFormatCheckRow as object
  2  (
  3          row_identifier  varchar2(30),
  4          value           varchar2(100)
  5  );
  6  /
Type created.
SQL>
SQL> -- validation functions returns the rowid of rows that are valid
SQL> create or replace type TRowID as object
  2  (
  3          row_identifier  varchar2(30)
  4  );
  5  /
Type created.
SQL>
SQL> create or replace type TRowIDTable is table of TRowID;
  2  /
Type created.
SQL>
SQL>
SQL> create or replace package LIB is
  2
  3          type    TCursor is REF CURSOR;
  4  end;
  5  /
Package created.
SQL>
SQL> -- sample validation function to check if the value is a valid NUMBER, and
SQL> -- if so will return the rowid of that row for further processing
SQL> create or replace function ValidateNumber( c LIB.TCursor ) return TRowIDTable
  2          pipelined is
  3
  4          MAX_FETCH_SIZE  constant number := 100;
  5          type    TBuffer is table of TFormatCheckRow;
  6
  7          buffer  TBuffer;
  8
  9          function IsNumber( val varchar2 ) return boolean is
10                  n       number;
11          begin
12                  n := TO_NUMBER( val );
13                  return( TRUE );
14          exception when OTHERS then
15                  return( FALSE );
16          end;
17
18  begin
19          loop
20                  fetch c bulk collect into buffer limit MAX_FETCH_SIZE;
21
22                  for i in 1..buffer.Count
23                  loop
24                          if IsNumber( buffer(i).value ) then
25                                  PIPE ROW( TRowID( buffer(i).row_identifier ) );
26                          end if;
27                  end loop;
28
29                  exit when c%NOTFOUND;
30          end loop;
31
32          close c;
33
34          return;
35  end;
36  /
Function created.
SQL> show error
No errors.
SQL>
SQL>
SQL> -- a sample table to check
SQL> create table foo_tab
  2  (
  3          some_value      varchar2(20)
  4  )
  5  /
Table created.
SQL>
SQL>
SQL> -- put some data into the table
SQL> insert
  2  into       foo_tab
  3  select
  4          object_id
  5  from       all_objects
  6  where      rownum < 11
  7  /
10 rows created.
SQL>
SQL> insert
  2  into       foo_tab
  3  select
  4          SUBSTR(object_name,1,20)
  5  from       all_objects
  6  where      rownum < 11
  7  /
10 rows created.
SQL>
SQL> commit;
Commit complete.
SQL>
SQL> -- return rowids of all rows from FOO_TAB where the column SOME_VALUE is a valid number
SQL> select
  2          row_identifier
  3  from       TABLE(ValidateNumber( CURSOR(select TFormatCheckRow(f.rowid,f.some_value) from foo_tab f) ))
  4  /
ROW_IDENTIFIER
AAAOQKAAEAAAAFQAAA
AAAOQKAAEAAAAFQAAB
AAAOQKAAEAAAAFQAAC
AAAOQKAAEAAAAFQAAD
AAAOQKAAEAAAAFQAAE
AAAOQKAAEAAAAFQAAF
AAAOQKAAEAAAAFQAAG
AAAOQKAAEAAAAFQAAH
AAAOQKAAEAAAAFQAAI
AAAOQKAAEAAAAFQAAJ
10 rows selected.
SQL>
SQL>
SQL> -- list the rows that contain valid numbers
SQL> with ROWID_LIST as
  2  (
  3  select
  4          row_identifier
  5  from       TABLE(ValidateNumber( CURSOR(select TFormatCheckRow(f.rowid,f.some_value) from foo_tab f) ))
  6  )
  7  select
  8          *
  9  from       foo_tab f
10  where      f.rowid in (select row_identifier from ROWID_LIST)
11  order by 1
12  /
SOME_VALUE
258
259
311
313
314
316
317
319
605
886
10 rows selected.
SQL>

Similar Messages

  • Select  ename from emp where ename like LIKE 's%';

    Hi friends,
    select ename from emp where ename like LIKE 's%';
    output am geting like this naseer
    anusha
    basha
    But I want to display like this naeer    anuha   baha

    784585 wrote:
    Hi friends,
    select ename from emp where ename like LIKE 's%';
    output am geting like this naseer
    anusha
    basha
    But I want to display like this naeer    anuha   baha
    Use REPLACE function:
    SQL>  select replace('naseer','s','') replace from dual;
    REPLACE
    naeerKamran Agayev A.
    Oracle ACE
    My Oracle Video Tutorials - http://kamranagayev.wordpress.com/oracle-video-tutorials/

  • Is it possible to ... SELECT * FROM my_table WHERE ssn IN (..arraylist..) ?

    Hi, I have a quick question I hope someone can help me with. I'm a student and what I'm looking for should be easy but I can't find any information on it.
    Here's my code, it's probably self-explanatory but to clarify I'm trying to get a list of "Captains" in the order of who has the most wins.
    The problem is that the database tables have thousands of "Captains" and I'm only supposed to look at 200 specific "Captains" which have their ssn in a specific arraylist and then return the top 80 "Captains" from that selection.
    Something like this...
    SELECT first 80 E.name, L.ssn, COUNT(L.wins) as Wins
    FROM log L, employees E
    where type matches "[Captain]"
    and E.ssn = L.ssn
    and L.ssn IN (...arraylist...) // How do I loop through the arraylist but still return a list of the top 80 winners?
    group by E.name, L.ssn
    order by Wins desc;
    Should I start by taking the list of social security numbers from the arraylist and insert them into a temporary table and then use that temporary table to base my selection on?
    For example:
    int rows = 0;
    PreparedStatement ps = conn.prepareStatement("INSERT INTO TEMP captainsTemp (ssn) VALUES(?)");
    Iterator i = myArrayList.iterator();
    while (i.hasNext())
         // Set the variables
         for (int pos = 1; pos <= 63; pos++)
              String s = (String)i.next();
              ps.setString(pos,s);
         // insert a row
         rows += ps.execute();
    ...and then below that I could use
    "SELECT * FROM captains
    WHERE ssn IN (SELECT * FROM captainTemp)..."
    This looks like an ugly solution and I'm not sure if it works, sessionwise..
    Everything's written in Java and SQL.
    If you have any thoughts on this I would be most grateful.
    I should add that this is NOT a school assignment but something I'm trying to figure out for my work...
    Many thanks,
    sincerely,
    JT.

    hi,
    Ignore my previous response. Try out this one. It should help you.
    Lets take the example of EMP table (in Oracle's SCOTT Schema). The following is the description of the table.
    SQL> desc emp
    Name Null? Type
    EMPNO NOT NULL NUMBER(4)
    ENAME VARCHAR2(10)
    JOB VARCHAR2(9)
    MGR NUMBER(4)
    HIREDATE DATE
    SAL NUMBER(7,2)
    COMM NUMBER(7,2)
    DEPTNO NUMBER(2)
    SQL> select ename from emp;
    ENAME
    SMITH
    ALLEN
    WARD
    JONES
    MARTIN
    BLAKE
    CLARK
    SCOTT
    KING
    TURNER
    ADAMS
    JAMES
    FORD
    MILLER
    Say, the ArrayList contains 3 names CLARK,KING & MILLER. You want to loop through the ArrayList for the ENAME values.
    First construct a string like below from the ArrayList.
    "ename in 'CLARK' OR ename in 'KING' or ename in 'MILLER'";
    Append this string to the normal SELECT Query
    Query :
    select ename from emp where ename in 'CLARK' OR ename in 'KING' or ename in 'MILLER'
    Here you get the desired output & thats pretty fast because you just do it once !!!
    SQL> select ename from emp where ename in 'CLARK' OR ename in 'KING' or ename in 'MILLER';
    ENAME
    CLARK
    KING
    MILLER
    you can extend this to your Query also.
    thanks,
    Sriram

  • Create table bulk_load as select ename from emp where 1=2

    The Above Query will create a new table using the strucure of old but there will be no data..
    Kindly explain me what is meant by "where 1=2"?
    Is it referring the table or column or for just testing the query??

    Is not a rule that you always must use 1=2... look this example:
    sql >> create table t as
    2 select * from all_objects;
    Table created.
    sql >> select count(*) from t;
    COUNT(*)
    43975
    sql >> create table ttt as
    2 select * from t where rownum=0;
    Table created.
    sql >> create table tt as
    2 select * from t where 9=4;
    Table created.

  • Whats the meaning of plus in query : select employeename from emp where emp

    Hi All,
    Can someone please explain me whats the meaning of plus sign in following SQL. I have nevercome across this syntax
    select employeename from emp where empid(+) >= 1234.

    Example of equivalent queries using oracle syntax and ansi syntax
    SQL> ed
    Wrote file afiedt.buf
      1  select d.deptno, d.dname, e.ename
      2  from dept d, emp e
      3* where d.deptno = e.deptno (+)
    SQL> /
        DEPTNO DNAME          ENAME
            20 RESEARCH       SMITH
            30 SALES          ALLEN
            30 SALES          WARD
            20 RESEARCH       JONES
            30 SALES          MARTIN
            30 SALES          BLAKE
            10 ACCOUNTING     CLARK
            20 RESEARCH       SCOTT
            10 ACCOUNTING     KING
            30 SALES          TURNER
            20 RESEARCH       ADAMS
            30 SALES          JAMES
            20 RESEARCH       FORD
            10 ACCOUNTING     MILLER
            40 OPERATIONS
    15 rows selected.
    SQL> ed
    Wrote file afiedt.buf
      1  select d.deptno, d.dname, e.ename
      2* from dept d left outer join emp e on (d.deptno = e.deptno)
    SQL> /
        DEPTNO DNAME          ENAME
            20 RESEARCH       SMITH
            30 SALES          ALLEN
            30 SALES          WARD
            20 RESEARCH       JONES
            30 SALES          MARTIN
            30 SALES          BLAKE
            10 ACCOUNTING     CLARK
            20 RESEARCH       SCOTT
            10 ACCOUNTING     KING
            30 SALES          TURNER
            20 RESEARCH       ADAMS
            30 SALES          JAMES
            20 RESEARCH       FORD
            10 ACCOUNTING     MILLER
            40 OPERATIONS
    15 rows selected.
    SQL>

  • Select * from table where rownum 5; no rows returned? why is it so?

    select from table where rownum > 5;*
    no rows returned. why is it so?
    can anyone explain me?

    Hi,
    rownum is pseudo column, and it is based on the sort order.
    For ex, if you want to get the first 5 employees who get the least salary, you use,
    select ename,sal from
        (select ename, sal
         from emp
         order by sal )
        where rownum<=5
    ENAME      SAL                   
    SMITH      800                   
    ALLEN1     890                   
    JAMES      951                   
    TURNER     998                   
    ADAMS      1100Suppose, if you want to use highest salary, you change the order by and not the rownum. So, it becomes,
    select ename,sal from
        (select ename, sal
         from emp
         order by sal desc)
        where rownum<=5
    ENAME      SAL                   
    KING1      5000                  
    FORD       3000                  
    SCOTT      3000                  
    JONES      2975                  
    BLAKE      2850 So, its not the rownum you would want to change, but the order by.
    -Arun

  • SELECT * FROM mytable WHERE ANYCOLUMN like myString

    Hi ALL,
    Is there a way i can select a row wherein any of the columns contain my search string?
    SELECT *
    FROM mytable
    WHERE ANYCOLUMN like '%myString%'Thanks!
    BROKEN

    Example of it working...
    SQL> var val varchar2(5)
    SQL> exec :val := 'KING'
    PL/SQL procedure successfully completed.
    SQL> ed
    Wrote file afiedt.buf
      1  select distinct substr (:val, 1, 11) "Searchword",
      2                  substr (table_name, 1, 14) "Table",
      3                  substr (t.column_value.getstringval (), 1, 50) "Column/Value"
      4             from cols,
      5                  table
      6                     (xmlsequence
      7                         (dbms_xmlgen.getxmltype ('select ' || column_name
      8                                                  || ' from ' || table_name
      9                                                  || ' where upper('
    10                                                  || column_name
    11                                                  || ') like upper(''%' || :val
    12                                                  || '%'')'
    13                                                 ).extract ('ROWSET/ROW/*')
    14                         )
    15                     ) t
    16         where table_name = 'EMP'
    17*        order by "Table"
    SQL> /
    Searchword  Table          Column/Value
    KING        EMP            <ENAME>KING</ENAME>
    SQL>

  • How to get the select * from emp table output on the console  using java

    public class software {
          * @param args
         static final String JDBC_DRIVER = "oracle.jdbc.driver.OracleDriver";
         static final String DATABASE_URL = "jdbc:oracle:abc";
         private static Connection connection;
         private static Statement statement;
         public static void main(String[] args) {
              // TODO Auto-generated method stub
         try {
              System.out.println("-------THIS IS THE Class.forNameJDBC_DRIVER");
                   Class.forName(JDBC_DRIVER);
                   System.out.println("THIS IS THE Class.forNameJDBC_DRIVER");
                   connection = DriverManager.getConnection(DATABASE_URL, "abc",
                   "abc");
                   System.out.println("THIS IS THE connection abc ,abc");
                   statement = connection.createStatement();
                   //Query to find the values in the EMP table.
                   ResultSet resultSet = statement.executeQuery("SELECT * from EMP");
                   if(resultSet.next()){
                   System.out.println("THESE ARE THE VALUES IN EMP TABLE:"+resultSet);  /// How can i get all the values record wise on the  console ??????
                   resultSet.close();
         catch (ClassNotFoundException classNotFound) {
                   System.out.println("Driver not Found"+classNotFound.getMessage());
              } catch (SQLException sqlException) {
                   System.out.println("SQL Exception - bad sql");
                   System.out.println(sqlException.getMessage());
    }

    1sai
    Please assign the dukes here and in your previous threads.
    See [http://wikis.sun.com/display/SunForums/Duke+Stars+Program+-+How+it+Works]
    You are currently the all time career leader in un-awarded dukes, with including this thread 75 unawarded dukes for questions you marked as answered.
    It's even worse when you look and see that you have awarded many dukes as well. So you do know how to do it. You're just too lazy and rude to be bothered.
    Don't be a lazy wank.

  • How do I do SELECT * FROM TABLE WHERE KEY IN ({list})?

    The title says it all really.
    Is there a reasonable performant way to perform the query
    SELECT * FROM TABLE WHERE KEY IN ({list})where {list} is String []?
    I am currently creating a PreparedStatement with a for loop like this   StringBuffer sb = new StringBuffer ("SELECT * FROM TABLE WHERE ID IN (");
      for (int ii=0;ii<keys.length;ii++) {
        sb.append (keys [ii]);
        if (ii != keys.length-1) sb.append (",");
      sb.append (")");but this means that the prepared statement is created each time I call my method and so I'm not sure that the optimizer will find it easy to cope with. Is there a construction that I'm missing along the lines of SELECT * FROM TABLE WHERE KEY = ? where I can create the PreparedStatement once and just call setObject or something on it when the values in {list} change?

    but this means that the prepared statement is created
    each time I call my method and so I'm not sure that
    the optimizer will find it easy to cope with.You are right, the optimizer won't find that easy to deal with (presuming that is even relevant for your driver/database.) But most optimizers won't do anything with statements that change and that is what you are doing.
    You could create several prepared statements which have a common number of bind variables. For example 10 statements with from 1 to 10 bind values. This will work if most of the queries use those.

  • SA 520 error every 10 seconds: sqlite3QueryResGet failed.Query:SELECT * FROM networkInterface WHERE interfaceName=\'bdg1\

    Hi all,
    On a SA 520 I got this error, every 10 seconds:
    sqlite3QueryResGet failed.Query:SELECT * FROM networkInterface WHERE interfaceName=\'bdg1\
    Internet access was very spoty and I couldn't reach the firewall administration on the LAN interface. Had to shutdown the appliance to get it working again.
    Firmware version is 2.1.7.1
    What could have happenend?
    With kind regards,
    Jeroen

    Hi, everything in the "Quick Reference" section should be commented out with ;
    You should change those settings further down in the php.ini file.
    Example:
    error_reporting = E_ALL & ~E_DEPRECATED & ~E_STRICT
    display_errors = Off
    Last edited by adrianx (2013-07-26 12:32:02)

  • Select * from viewname where 1 1 gives records back

    for one customer the following sql gives records back
    select * from viewname where 1&lt;&gt;1
    we asked the customer to send over the database to us but we can't reproduce this behaviour. We don't get any records. the problem is we don't have the same version of oracle they use 9.2.0.4 and we used 10.2.0.1. i can't download the 9i version anymore.
    Does anybody know of a bug in oracle which can cause such behaviour or a setting which can correct this?
    Edited by: BluShadow on 09-Aug-2012 10:06
    corrected the &lt;&gt; issue so it's visible. Please read {message:id=9360002} which describes this issue.

    951790 wrote:
    i suspect the customer would first want us to show that their version is the problem.It doesn't work like that. If your customer called Oracle Support and said... "we're experiencing problems and our database version is 9.2.0.4"... oracle would turn around and say "that version is no longer supported, please upgrade". If they insist on knowing that their version is the problem, then the answer is "yes, it's the problem, it has known bugs and newer versions are available that address thousands of issues since"
    Using a query with "where 1 &lt;&gt; 1" as a condition that is bringing back results, is clearly wrong. You have clearly shown that in other more recent versions of the database it is working ok, therefore you have already proven that there is a bug in the version they are using.
    They are suspecting our view has a design flaw. We have in our documentation stated requirements for our software are the 9 or 10 version of oracle or sql server. So for me there are a couple of possibilities:
    -we try to reproduce the query on their database on the same oracle database version as they are using - problem is we don't have this exact same version and oracle does not have this version for download on their site anymore or so it seemsThat's because it's no longer supported. Any good software house will keep on top of it's customers to ensure they are upgraded in line with Oracle's ability to support. So, partially, it's your companies fault for saying you support version 9, when clearly you can't.
    --i ask other more knowledgable people(hopefully this forum) who might know about such problems which might result in a correction in the customer oracle database configuration or know of a bug in the customers version which causes this behaviour.You'll be lucky to find people still using such an old version (you're talking a version that almost 10 years out of date). The best you can do is to log onto Oracle Support and search there for known issues... and the answer on those is likely to be a recommendation to patch or upgrade too.
    -we change the queries to these views so they won't try to give back any records on their serverHow will you know unless you are able to test them?

  • Retrieve optimize: select * from tb where mdate sysdate

    hi,
    i wrote a simple statement :
    select * from tb where mdate > sysdate;
    it takes long time to return resultset.
    when i use to_char() function,
    select * from tb where to_char(mdate,'yyyy-mm-dd') >
    to_char(sysdate,'yyyy-mm-dd');
    it runs faster.
    who can tell me why?
    thanks.

    Are you running each statement multiple times and averaging the results? If you run the date comparison once, then run the character comparison, it's likely that the data you want is already cached, so the secod statement may well return more quickly. If you average multiple runs, you can avoid this.
    Justin

  • Select * from tbl where product like ('abc','def','rgh');

    Hi Guys,
    My requirement is I need to filter by providing date value with some of the porduct details and prod_id may differ with product like
    prod_id product date
    01 abc 01/2012
    02 abc 02/2012
    03 def 03/2012
    How can we put multiple text conditions using LIKE operator in where clause of the sql query.
    if we use union to combine all the sql queries, how can we filter by entering date value.
    SQL>select * from tbl where product like ('abc','def','rgh');
    Please provide any ideas on the same.
    Thanks in advance!
    -LK

    select * from tab1 where regexp_like(product,'^abc|def|rgh');

  • How to achieve that "SELECT * FROM table WHERE age BETWEEN 18 AND 23 AND n"

    How to achieve the SQL like that "SELECT * FROM table WHERE age BETWEEN 18 AND 23 AND name = 'Will' " with BDB C-API
    The primary key in the primary database is 'age' ,and the secondary key in the secondary index is 'name' ,in a lot of examples ,there are all simple , but how to do that complex one.thx~

    but this means that the prepared statement is created
    each time I call my method and so I'm not sure that
    the optimizer will find it easy to cope with.You are right, the optimizer won't find that easy to deal with (presuming that is even relevant for your driver/database.) But most optimizers won't do anything with statements that change and that is what you are doing.
    You could create several prepared statements which have a common number of bind variables. For example 10 statements with from 1 to 10 bind values. This will work if most of the queries use those.

  • General veriable in (select * from cust where id in(:var))

    hi
    i deal with view object and i have this query
    SELECT * FROM customers
    WHERE customers.id IN (:val);
    but i want pass value for val =101,201,301
    how can i do it and what is the type of variable to input at the same time 1,2,3 and query filter ?
    thanks

    thank's for your replay
    i try make it string but do not success and i input the parameters from baking bean
    when i try with just one value like 101 that work
    but with "101,102" that do not work may be know like one variables
    its mean :val="101,102" and :val variable it is string type
    thank s

Maybe you are looking for

  • MOVED: B75A-G43 + i5 3570K, bad OC-results. MB to blame?

    This topic has been moved to Overclocking, Undervolting. https://forum-en.msi.com/index.php?topic=161713.0

  • Is it possible to download a program purchased in 2011 (past the 3 year mark)?

    I purchased Adobe Flash cs5.5 for my school in 2011.  This summer the school updated Windows and Flash was deleted off of my computer.  I was trying to redownload Flash but am not seeing how.  I read somewhere that there is a 3 year download cut off.

  • Wait at Rendezvous bugs

    Bug #1 - Deadlock due to improper error handling There is a bug, IMO, in Wait at Rendezvous.vi that can cause deadlock. I'll explain. As you can see in "Wait at Rendezvous.vi", an error that flows out of "Release Waiting Procs.vi" will cause the Enqu

  • Has anyone successfully used the Zoom R16 with Audition?

    I've tried just about everything, but can't seem to get Audition to run with the Zoom R16.  As noted in a recent post, I updated both the Zoom R16 firmware and widows driver, but that doesn't seem to make the 2 work harmoniously.  Has anyone had succ

  • Pathetic Upstream speeds - 64kbps

    Recent intermittent connection drops with my upstream sync speed resting at a feeble 64kbps.  A BT engineer visited yesterday.  I did report occasional noise on the line, but they couldn't actually find any fault between the house and the cabinet but