SlideShare ist ein Scribd-Unternehmen logo
1 von 5
Working with TABLE TYPE OBJECTS
Some times it’s necessary that we get the data from the Oracle PL/SQL procedures as
TABLE type objects. Retrieving the data from the table type objects is not the same as we
retrieve the data from ResultSet. So here is a step wise procedure with complete example
for
the
benefit
of
PL/SQL
and
Java
developers.
1.
Create a table EMPLOYEE
CREATE TABLE EMPLOYEE_MASTER
(
EMPID
NUMBER(10,0) PRIMARY KEY,
FNAME
VARCHAR2(20 BYTE),
LNAME
VARCHAR2(20 BYTE),
DOB_DATE
DATE,
SALARY
NUMBER(10,0),
REMARKS
VARCHAR2(50 BYTE)
);
2.
Create an object and its body for new object creation. Body is useful for
testing the procedure with in the PLSQL code.
CREATE OR REPLACE TYPE EMP_RECORD_OBJ AS OBJECT(
FIRSTNAME
varchar2(20),
LASTNAME
varchar2(20),
SALARY
number(10),
DOB
DATE,
REMARKS
varchar2(50),
STATIC FUNCTION GET_OBJ_FUNCTION RETURN EMP_RECORD_OBJ
);
--// EMP_RECORD_OBJ body creation helpful for creating a new object with null
values
CREATE OR REPLACE TYPE BODY EMP_RECORD_OBJ
IS
STATIC FUNCTION GET_OBJ_FUNCTION RETURN EMP_RECORD_OBJ
IS
BEGIN
RETURN EMP_RECORD_OBJ (NULL, NULL, NULL, NULL, NULL);
END;
END;
3.
Create a table type (create under a schema directly to call from
but not inside the package.)
CREATE OR REPLACE
EMP_RECORD_OBJ ;

TYPE

EMP_RECORD_OBJ_ARRAY

IS TABLE OF

4. Create a procedure to return the table type object from the table
CREATE OR REPLACE PROCEDURE GET_TABLE_OUTPUT (
START_EMPID
IN NUMBER,
END_EMPID
IN NUMBER,
RECORDS_LIST OUT EMP_RECORD_OBJ_ARRAY
AS

)

jdbc
v_emp_array
EMP_RECORD_OBJ_ARRAY;
emp_rec
EMPLOYEE_MASTER%rowType;
rec_index
NUMBER;
CURSOR EMPLOYEE_CUR IS SELECT EMPID , FNAME, LNAME, DOB_DATE,
SALARY,
REMARKS FROM EMPLOYEE_MASTER;
BEGIN
IF v_emp_array.EXISTS(1)
THEN v_emp_array.DELETE(); END IF;
v_emp_array
:=
EMP_RECORD_OBJ_ARRAY();
rec_index
:=
0;
OPEN EMPLOYEE_CUR;
LOOP
FETCH EMPLOYEE_CUR INTO emp_rec;
EXIT WHEN EMPLOYEE_CUR%NOTFOUND;
IF emp_rec.empid>= start_empid and emp_rec.empid<= end_empid THEN
v_emp_array.EXTEND();
rec_index := rec_index+1;
v_emp_array(rec_index) := EMP_RECORD_OBJ.GET_OBJ_FUNCTION();
v_emp_array(rec_index).FIRSTNAME
:= emp_rec.fname;
v_emp_array(rec_index).LASTNAME
:= emp_rec.lname;
v_emp_array(rec_index).SALARY := emp_rec.salary;
v_emp_array(rec_index).DOB
:= emp_rec.dob_date;
v_emp_array(rec_index).REMARKS
:= emp_rec.remarks;
-- DBMS_OUTPUT.PUT_LINE(emp_rec.fname || 'is -->> ' || emp_rec.remarks);
END IF;
END LOOP;
CLOSE EMPLOYEE_CUR;
RECORDS_LIST := v_emp_array;
EXCEPTION WHEN OTHERS THEN
RECORDS_LIST := NULL;
END;
5.
Now enter some master records for testing
INSERT INTO EMPLOYEE_MASTER VALUES (1, 'KHALEEL','SHAIK', SYSDATE-9000, 10000,
'PRACTICE HEAD');
INSERT INTO EMPLOYEE_MASTER VALUES (2, 'RAJA','RAO', SYSDATE-8000, 99000,
'MANAGER');
INSERT INTO EMPLOYEE_MASTER VALUES (3, 'RANGA','RAJU', SYSDATE-9200, 9000,
'LEAD');
INSERT INTO EMPLOYEE_MASTER VALUES (4, 'RAMANA','REDDY', SYSDATE-9100, 11000,
'MANAGER PROJECTS');
INSERT INTO EMPLOYEE_MASTER VALUES (5, 'MOHAN','RAO', SYSDATE-9100, 20000,
'SOLARIS ADMIN');
INSERT INTO EMPLOYEE_MASTER VALUES (6, 'PRANEETH','M', SYSDATE-6000, 8000,
'PROGRAMMER');
INSERT INTO EMPLOYEE_MASTER VALUES (7, 'SHIVA','REDDY', SYSDATE-8500, 11000,
'PROGRAMMER');
INSERT INTO EMPLOYEE_MASTER VALUES (8, 'SURENDER','KUMAR', SYSDATE-9000,
10000, 'LEAD PROGRAMMER');
INSERT INTO EMPLOYEE_MASTER VALUES (9, 'MUNNA','BHAI', SYSDATE-10000, 20000,
'BHAI');
INSERT INTO EMPLOYEE_MASTER VALUES (10, 'RANI','RARU', SYSDATE-3000, 10000,
'HR');
COMMIT;
6.

Testing the procedure from PL/SQL

SET serveroutput on;
DECLARE
TEST_emp_array
EMP_RECORD_OBJ_ARRAY;
BEGIN
GET_TABLE_OUTPUT (1, 4, TEST_emp_array);
FOR index IN 1 .. TEST_emp_array.COUNT
LOOP
DBMS_OUTPUT.PUT_LINE('Here is a last name: '|| TEST_emp_array (index).LASTNAME);
END LOOP;
END;
Note: Now you should be able to see the below output:
Here is a last name: SHAIK
Here is a last name: RAO
Here is a last name: RAJU
Here is a last name: REDDY
7.
import
import
import
import
import
import
import
import
import

Testing the procedure from java through JDBC call.

java.sql.Array;
java.sql.CallableStatement;
java.sql.Connection;
java.sql.DriverManager;
java.sql.ResultSetMetaData;
java.sql.Struct;
java.sql.Types;
java.text.SimpleDateFormat;
java.util.Date;

import oracle.sql.StructDescriptor;
public class TestOracleTableOfResult {
public static void main(String...a) throws Exception {
Class.forName("oracle.jdbc.OracleDriver");
Connection connection =
DriverManager.getConnection("jdbc:oracle:thin:scott/tiger@localhost:1521:XE");
final String typeName = "EMP_RECORD_OBJ";
final String typeTableName = "EMP_RECORD_OBJ_ARRAY";
SimpleDateFormatdf = new SimpleDateFormat("yyyy-MM-ddHH:mm:ss.S");
// Get a description of your type (Oracle specific)
final StructDescriptorstructDescriptor =
StructDescriptor.createDescriptor(typeName.toUpperCase(), connection);
final ResultSetMetaDatametaData = structDescriptor.getMetaData();
// Call the procedure (or whatever else) that returns the table of a custom type
CallableStatementcs = connection.prepareCall("{call GET_TABLE_OUTPUT(?, ?, ?)}");
cs.setInt(1, 1);
cs.setInt(2, 5);
// Result is an java.sql.Array...
cs.registerOutParameter(3, Types.ARRAY, typeTableName);
cs.execute();
// Now who's elements are java.sql.Structs
Object[] data = (Object[]) ((Array) cs.getObject(3)).getArray();
for(Object tmp : data) {
Struct row = (Struct) tmp;
// Attributes are index 1 based...
intidx = 1;
for(Object attribute : row.getAttributes()) {
System.out.print(metaData.getColumnName(idx) + " = " + attribute);
//Use the below switch block to populate into a POJO object.
switch (idx){
case 1 : System.out.println(" <<===>> as Column FirstName index = " + idx + " , value
= " + attribute.toString()); break;
case 2 : System.out.println(" <<===>> as Column LastName index = " + idx + " , value =
" + attribute.toString()); break;
case 3 : System.out.println(" <<===>> as Column Salary index = " + idx + " , value = "
+ Integer.parseInt(""+attribute.toString())); break;
case 4 : System.out.println(" <<===>> as Column Date Of Birth index = " + idx + " ,
value = " + df.parse(attribute.toString())); break;
case 5 : System.out.println(" <<===>> as Column Remarks index = " + idx + " , value =
" + attribute.toString()); break;
}
++idx;
}
System.out.println("----------------------------");
}
cs.close();
connection.close();
}
}
The output of the Java program will be:
FIRSTNAME = KHALEEL <<===>> as FirstName index = 1 , => KHALEEL
LASTNAME = SHAIK <<===>> as LastName index = 2 , => SHAIK
SALARY = 10000 <<===>> as Salary index = 3 , => 10000
DOB = 1989-04-20 15:44:36.0 <<===>> as DOB index = 4 , => Thu Apr 20 15:44:36
IST 1989
REMARKS = PRACTICE HEAD <<===>> as Remarks index = 5 , => PRACTICE HEAD
----------------------------
FIRSTNAME = RAJA <<===>> as FirstName index = 1 , => RAJA
LASTNAME = RAO <<===>> as LastName index = 2 , => RAO
SALARY = 99000 <<===>> as Salary index = 3 , => 99000
DOB = 1992-01-15 15:44:36.0 <<===>> as DOB index = 4 , => Wed Jan 15 15:44:36
IST 1992
REMARKS = MANAGER <<===>> as Remarks index = 5 , => MANAGER
---------------------------FIRSTNAME = RANGA <<===>> as FirstName index = 1 , => RANGA
LASTNAME = RAJU <<===>> as LastName index = 2 , => RAJU
SALARY = 9000 <<===>> as Salary index = 3 , => 9000
DOB = 1988-10-02 15:44:36.0 <<===>> as DOB index = 4 , => Sun Oct 02 15:44:36
IST 1988
REMARKS = LEAD <<===>> as Remarks index = 5 , => LEAD
---------------------------FIRSTNAME = RAMANA <<===>> as FirstName index = 1 , => RAMANA
LASTNAME = REDDY <<===>> as LastName index = 2 , => REDDY
SALARY = 11000 <<===>> as Salary index = 3 , => 11000
DOB = 1989-01-10 15:44:36.0 <<===>> as DOB index = 4 , => Tue Jan 10 15:44:36
IST 1989
REMARKS = MANAGER PROJECTS <<===>> as Remarks index = 5 , => MANAGER
PROJECTS
---------------------------FIRSTNAME = MOHAN <<===>> as FirstName index = 1 , => MOHAN
LASTNAME = RAO <<===>> as LastName index = 2 , => RAO
SALARY = 20000 <<===>> as Salary index = 3 , => 20000
DOB = 1989-01-10 15:44:36.0 <<===>> as DOB index = 4 , => Tue Jan 10 15:44:36
IST 1989
REMARKS = SOLARIS ADMIN <<===>> as Remarks index = 5 , => SOLARIS ADMIN
---------------------------== END ==
Feel free to email at kshaik@bodhtree.com for any of your queries.

Weitere Àhnliche Inhalte

Mehr von Bodhtree

Potential link between digital adoption and business growth
Potential link between digital adoption and business growthPotential link between digital adoption and business growth
Potential link between digital adoption and business growth
Bodhtree
 
Change is the only constant
Change is the only constantChange is the only constant
Change is the only constant
Bodhtree
 
Balance your Supply Chain with Big Data
Balance your Supply Chain with Big DataBalance your Supply Chain with Big Data
Balance your Supply Chain with Big Data
Bodhtree
 

Mehr von Bodhtree (15)

Bodhtree salesforce.com consulting_partner
Bodhtree salesforce.com consulting_partnerBodhtree salesforce.com consulting_partner
Bodhtree salesforce.com consulting_partner
 
Potential link between digital adoption and business growth
Potential link between digital adoption and business growthPotential link between digital adoption and business growth
Potential link between digital adoption and business growth
 
Advanced analytics playing a vital role for health insurers
Advanced analytics playing a vital role for health insurersAdvanced analytics playing a vital role for health insurers
Advanced analytics playing a vital role for health insurers
 
Bodhtree workforce productivity_improvement_solution
Bodhtree workforce productivity_improvement_solutionBodhtree workforce productivity_improvement_solution
Bodhtree workforce productivity_improvement_solution
 
Bodhtree executive management_program_tracking_solution
Bodhtree executive management_program_tracking_solutionBodhtree executive management_program_tracking_solution
Bodhtree executive management_program_tracking_solution
 
Bodhtree key account_planning_solution
Bodhtree key account_planning_solutionBodhtree key account_planning_solution
Bodhtree key account_planning_solution
 
Bodhtree cloud geotagging_solution
Bodhtree cloud geotagging_solutionBodhtree cloud geotagging_solution
Bodhtree cloud geotagging_solution
 
Bodhtree healthcare payer solutions
Bodhtree healthcare payer solutionsBodhtree healthcare payer solutions
Bodhtree healthcare payer solutions
 
Tele health startup case study
Tele health startup case studyTele health startup case study
Tele health startup case study
 
How unused Big Data turns into Big Value
How unused Big Data turns into Big ValueHow unused Big Data turns into Big Value
How unused Big Data turns into Big Value
 
Change is the only constant
Change is the only constantChange is the only constant
Change is the only constant
 
Bodhtree Corporate Overview
Bodhtree Corporate OverviewBodhtree Corporate Overview
Bodhtree Corporate Overview
 
Balance your Supply Chain with Big Data
Balance your Supply Chain with Big DataBalance your Supply Chain with Big Data
Balance your Supply Chain with Big Data
 
Business Analytics from Bodhtree
Business Analytics from BodhtreeBusiness Analytics from Bodhtree
Business Analytics from Bodhtree
 
Bodhtree Corporate Deck
Bodhtree Corporate DeckBodhtree Corporate Deck
Bodhtree Corporate Deck
 

KĂŒrzlich hochgeladen

+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
?#DUbAI#??##{{(☎+971_581248768%)**%*]'#abortion pills for sale in dubai@
 
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Safe Software
 

KĂŒrzlich hochgeladen (20)

Manulife - Insurer Transformation Award 2024
Manulife - Insurer Transformation Award 2024Manulife - Insurer Transformation Award 2024
Manulife - Insurer Transformation Award 2024
 
AXA XL - Insurer Innovation Award Americas 2024
AXA XL - Insurer Innovation Award Americas 2024AXA XL - Insurer Innovation Award Americas 2024
AXA XL - Insurer Innovation Award Americas 2024
 
Data Cloud, More than a CDP by Matt Robison
Data Cloud, More than a CDP by Matt RobisonData Cloud, More than a CDP by Matt Robison
Data Cloud, More than a CDP by Matt Robison
 
Apidays New York 2024 - The value of a flexible API Management solution for O...
Apidays New York 2024 - The value of a flexible API Management solution for O...Apidays New York 2024 - The value of a flexible API Management solution for O...
Apidays New York 2024 - The value of a flexible API Management solution for O...
 
DBX First Quarter 2024 Investor Presentation
DBX First Quarter 2024 Investor PresentationDBX First Quarter 2024 Investor Presentation
DBX First Quarter 2024 Investor Presentation
 
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost SavingRepurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
 
ICT role in 21st century education and its challenges
ICT role in 21st century education and its challengesICT role in 21st century education and its challenges
ICT role in 21st century education and its challenges
 
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
 
presentation ICT roal in 21st century education
presentation ICT roal in 21st century educationpresentation ICT roal in 21st century education
presentation ICT roal in 21st century education
 
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
 
GenAI Risks & Security Meetup 01052024.pdf
GenAI Risks & Security Meetup 01052024.pdfGenAI Risks & Security Meetup 01052024.pdf
GenAI Risks & Security Meetup 01052024.pdf
 
Apidays Singapore 2024 - Modernizing Securities Finance by Madhu Subbu
Apidays Singapore 2024 - Modernizing Securities Finance by Madhu SubbuApidays Singapore 2024 - Modernizing Securities Finance by Madhu Subbu
Apidays Singapore 2024 - Modernizing Securities Finance by Madhu Subbu
 
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
 
Navi Mumbai Call Girls đŸ„° 8617370543 Service Offer VIP Hot Model
Navi Mumbai Call Girls đŸ„° 8617370543 Service Offer VIP Hot ModelNavi Mumbai Call Girls đŸ„° 8617370543 Service Offer VIP Hot Model
Navi Mumbai Call Girls đŸ„° 8617370543 Service Offer VIP Hot Model
 
Real Time Object Detection Using Open CV
Real Time Object Detection Using Open CVReal Time Object Detection Using Open CV
Real Time Object Detection Using Open CV
 
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
 
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, AdobeApidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
 
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemkeProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
 
FWD Group - Insurer Innovation Award 2024
FWD Group - Insurer Innovation Award 2024FWD Group - Insurer Innovation Award 2024
FWD Group - Insurer Innovation Award 2024
 
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
 

Working with TABLE TYPE OBJECTS

  • 1. Working with TABLE TYPE OBJECTS Some times it’s necessary that we get the data from the Oracle PL/SQL procedures as TABLE type objects. Retrieving the data from the table type objects is not the same as we retrieve the data from ResultSet. So here is a step wise procedure with complete example for the benefit of PL/SQL and Java developers. 1. Create a table EMPLOYEE CREATE TABLE EMPLOYEE_MASTER ( EMPID NUMBER(10,0) PRIMARY KEY, FNAME VARCHAR2(20 BYTE), LNAME VARCHAR2(20 BYTE), DOB_DATE DATE, SALARY NUMBER(10,0), REMARKS VARCHAR2(50 BYTE) ); 2. Create an object and its body for new object creation. Body is useful for testing the procedure with in the PLSQL code. CREATE OR REPLACE TYPE EMP_RECORD_OBJ AS OBJECT( FIRSTNAME varchar2(20), LASTNAME varchar2(20), SALARY number(10), DOB DATE, REMARKS varchar2(50), STATIC FUNCTION GET_OBJ_FUNCTION RETURN EMP_RECORD_OBJ ); --// EMP_RECORD_OBJ body creation helpful for creating a new object with null values CREATE OR REPLACE TYPE BODY EMP_RECORD_OBJ IS STATIC FUNCTION GET_OBJ_FUNCTION RETURN EMP_RECORD_OBJ IS BEGIN RETURN EMP_RECORD_OBJ (NULL, NULL, NULL, NULL, NULL); END; END; 3. Create a table type (create under a schema directly to call from but not inside the package.) CREATE OR REPLACE EMP_RECORD_OBJ ; TYPE EMP_RECORD_OBJ_ARRAY IS TABLE OF 4. Create a procedure to return the table type object from the table CREATE OR REPLACE PROCEDURE GET_TABLE_OUTPUT ( START_EMPID IN NUMBER, END_EMPID IN NUMBER, RECORDS_LIST OUT EMP_RECORD_OBJ_ARRAY AS ) jdbc
  • 2. v_emp_array EMP_RECORD_OBJ_ARRAY; emp_rec EMPLOYEE_MASTER%rowType; rec_index NUMBER; CURSOR EMPLOYEE_CUR IS SELECT EMPID , FNAME, LNAME, DOB_DATE, SALARY, REMARKS FROM EMPLOYEE_MASTER; BEGIN IF v_emp_array.EXISTS(1) THEN v_emp_array.DELETE(); END IF; v_emp_array := EMP_RECORD_OBJ_ARRAY(); rec_index := 0; OPEN EMPLOYEE_CUR; LOOP FETCH EMPLOYEE_CUR INTO emp_rec; EXIT WHEN EMPLOYEE_CUR%NOTFOUND; IF emp_rec.empid>= start_empid and emp_rec.empid<= end_empid THEN v_emp_array.EXTEND(); rec_index := rec_index+1; v_emp_array(rec_index) := EMP_RECORD_OBJ.GET_OBJ_FUNCTION(); v_emp_array(rec_index).FIRSTNAME := emp_rec.fname; v_emp_array(rec_index).LASTNAME := emp_rec.lname; v_emp_array(rec_index).SALARY := emp_rec.salary; v_emp_array(rec_index).DOB := emp_rec.dob_date; v_emp_array(rec_index).REMARKS := emp_rec.remarks; -- DBMS_OUTPUT.PUT_LINE(emp_rec.fname || 'is -->> ' || emp_rec.remarks); END IF; END LOOP; CLOSE EMPLOYEE_CUR; RECORDS_LIST := v_emp_array; EXCEPTION WHEN OTHERS THEN RECORDS_LIST := NULL; END; 5. Now enter some master records for testing INSERT INTO EMPLOYEE_MASTER VALUES (1, 'KHALEEL','SHAIK', SYSDATE-9000, 10000, 'PRACTICE HEAD'); INSERT INTO EMPLOYEE_MASTER VALUES (2, 'RAJA','RAO', SYSDATE-8000, 99000, 'MANAGER'); INSERT INTO EMPLOYEE_MASTER VALUES (3, 'RANGA','RAJU', SYSDATE-9200, 9000, 'LEAD'); INSERT INTO EMPLOYEE_MASTER VALUES (4, 'RAMANA','REDDY', SYSDATE-9100, 11000, 'MANAGER PROJECTS'); INSERT INTO EMPLOYEE_MASTER VALUES (5, 'MOHAN','RAO', SYSDATE-9100, 20000, 'SOLARIS ADMIN'); INSERT INTO EMPLOYEE_MASTER VALUES (6, 'PRANEETH','M', SYSDATE-6000, 8000, 'PROGRAMMER'); INSERT INTO EMPLOYEE_MASTER VALUES (7, 'SHIVA','REDDY', SYSDATE-8500, 11000, 'PROGRAMMER'); INSERT INTO EMPLOYEE_MASTER VALUES (8, 'SURENDER','KUMAR', SYSDATE-9000, 10000, 'LEAD PROGRAMMER'); INSERT INTO EMPLOYEE_MASTER VALUES (9, 'MUNNA','BHAI', SYSDATE-10000, 20000, 'BHAI');
  • 3. INSERT INTO EMPLOYEE_MASTER VALUES (10, 'RANI','RARU', SYSDATE-3000, 10000, 'HR'); COMMIT; 6. Testing the procedure from PL/SQL SET serveroutput on; DECLARE TEST_emp_array EMP_RECORD_OBJ_ARRAY; BEGIN GET_TABLE_OUTPUT (1, 4, TEST_emp_array); FOR index IN 1 .. TEST_emp_array.COUNT LOOP DBMS_OUTPUT.PUT_LINE('Here is a last name: '|| TEST_emp_array (index).LASTNAME); END LOOP; END; Note: Now you should be able to see the below output: Here is a last name: SHAIK Here is a last name: RAO Here is a last name: RAJU Here is a last name: REDDY 7. import import import import import import import import import Testing the procedure from java through JDBC call. java.sql.Array; java.sql.CallableStatement; java.sql.Connection; java.sql.DriverManager; java.sql.ResultSetMetaData; java.sql.Struct; java.sql.Types; java.text.SimpleDateFormat; java.util.Date; import oracle.sql.StructDescriptor; public class TestOracleTableOfResult { public static void main(String...a) throws Exception { Class.forName("oracle.jdbc.OracleDriver"); Connection connection = DriverManager.getConnection("jdbc:oracle:thin:scott/tiger@localhost:1521:XE"); final String typeName = "EMP_RECORD_OBJ"; final String typeTableName = "EMP_RECORD_OBJ_ARRAY"; SimpleDateFormatdf = new SimpleDateFormat("yyyy-MM-ddHH:mm:ss.S"); // Get a description of your type (Oracle specific) final StructDescriptorstructDescriptor =
  • 4. StructDescriptor.createDescriptor(typeName.toUpperCase(), connection); final ResultSetMetaDatametaData = structDescriptor.getMetaData(); // Call the procedure (or whatever else) that returns the table of a custom type CallableStatementcs = connection.prepareCall("{call GET_TABLE_OUTPUT(?, ?, ?)}"); cs.setInt(1, 1); cs.setInt(2, 5); // Result is an java.sql.Array... cs.registerOutParameter(3, Types.ARRAY, typeTableName); cs.execute(); // Now who's elements are java.sql.Structs Object[] data = (Object[]) ((Array) cs.getObject(3)).getArray(); for(Object tmp : data) { Struct row = (Struct) tmp; // Attributes are index 1 based... intidx = 1; for(Object attribute : row.getAttributes()) { System.out.print(metaData.getColumnName(idx) + " = " + attribute); //Use the below switch block to populate into a POJO object. switch (idx){ case 1 : System.out.println(" <<===>> as Column FirstName index = " + idx + " , value = " + attribute.toString()); break; case 2 : System.out.println(" <<===>> as Column LastName index = " + idx + " , value = " + attribute.toString()); break; case 3 : System.out.println(" <<===>> as Column Salary index = " + idx + " , value = " + Integer.parseInt(""+attribute.toString())); break; case 4 : System.out.println(" <<===>> as Column Date Of Birth index = " + idx + " , value = " + df.parse(attribute.toString())); break; case 5 : System.out.println(" <<===>> as Column Remarks index = " + idx + " , value = " + attribute.toString()); break; } ++idx; } System.out.println("----------------------------"); } cs.close(); connection.close(); } } The output of the Java program will be: FIRSTNAME = KHALEEL <<===>> as FirstName index = 1 , => KHALEEL LASTNAME = SHAIK <<===>> as LastName index = 2 , => SHAIK SALARY = 10000 <<===>> as Salary index = 3 , => 10000 DOB = 1989-04-20 15:44:36.0 <<===>> as DOB index = 4 , => Thu Apr 20 15:44:36 IST 1989 REMARKS = PRACTICE HEAD <<===>> as Remarks index = 5 , => PRACTICE HEAD ----------------------------
  • 5. FIRSTNAME = RAJA <<===>> as FirstName index = 1 , => RAJA LASTNAME = RAO <<===>> as LastName index = 2 , => RAO SALARY = 99000 <<===>> as Salary index = 3 , => 99000 DOB = 1992-01-15 15:44:36.0 <<===>> as DOB index = 4 , => Wed Jan 15 15:44:36 IST 1992 REMARKS = MANAGER <<===>> as Remarks index = 5 , => MANAGER ---------------------------FIRSTNAME = RANGA <<===>> as FirstName index = 1 , => RANGA LASTNAME = RAJU <<===>> as LastName index = 2 , => RAJU SALARY = 9000 <<===>> as Salary index = 3 , => 9000 DOB = 1988-10-02 15:44:36.0 <<===>> as DOB index = 4 , => Sun Oct 02 15:44:36 IST 1988 REMARKS = LEAD <<===>> as Remarks index = 5 , => LEAD ---------------------------FIRSTNAME = RAMANA <<===>> as FirstName index = 1 , => RAMANA LASTNAME = REDDY <<===>> as LastName index = 2 , => REDDY SALARY = 11000 <<===>> as Salary index = 3 , => 11000 DOB = 1989-01-10 15:44:36.0 <<===>> as DOB index = 4 , => Tue Jan 10 15:44:36 IST 1989 REMARKS = MANAGER PROJECTS <<===>> as Remarks index = 5 , => MANAGER PROJECTS ---------------------------FIRSTNAME = MOHAN <<===>> as FirstName index = 1 , => MOHAN LASTNAME = RAO <<===>> as LastName index = 2 , => RAO SALARY = 20000 <<===>> as Salary index = 3 , => 20000 DOB = 1989-01-10 15:44:36.0 <<===>> as DOB index = 4 , => Tue Jan 10 15:44:36 IST 1989 REMARKS = SOLARIS ADMIN <<===>> as Remarks index = 5 , => SOLARIS ADMIN ---------------------------== END == Feel free to email at kshaik@bodhtree.com for any of your queries.