In Oracle/PLSQL, the sys_context function can be used to retrieve information about the Oracle environment.
sys_context( namespace, parameter)
NameSpace : Is an Oracle namespace that has already been created.
If the namespace of 'USERENV' is used, attributes describing the current Oracle session can be returned.
Parameter : Is a valid attribute that has been set using the DBMS_SESSION.set_context procedure.
USERENV is the context (namespace) provided by oracle.
User defined NameSpaces:
Imagine as we are setting the session wide attributes ( like packaged variables ) and those are used within the session. ( ROW LEVEL Security Implementation )
Steps :
1. Create a namespace
CREATE OR REPLACE CONTEXT security_context USING security.pkg_security ACCESSED GLOBALLY;
2. Enclose the assignment of name/value pair in a package ( ex:security.pkg_security)
3. Assign (Name/Value) pair using DBMS_SESSIOn.SET_CONTEXT
DBMS_SESSION.SET_CONTEXT(NAMESPACE => 'security_context'
,ATTRIBUTE => empid
,VALUE => 420
);
4. Attach the package to a trigger (DATABASE Level Trigger): Trigger needs to fire at the time of user login.
Example:
Create Or Replace package pkg_security
As
procedure set_attributes ;
end pkg_security;
/
Create Or Replace package body pkg_security
as
Procedure set_attributes
is
Begin
Dbms_Session.Set_Context('security_context','empid',420);
Dbms_Session.Set_Context('security_context','sid',Sys_Context('userenv','sid'));
Dbms_Session.Set_Context('security_context','ssn',123456789);
end set_attributes;
End pkg_security;
/
create or replace trigger set_session_trigger after logon on database
Begin
Security.pkg_security.Set_Attributes;
end set_session_trigger;
/
login to a user:
select sys_context('security_context','empid),
sys_context('security_context','sid'),
sys_context('security_context','ssn')
from dual;
Search This Blog
Sunday, April 17, 2011
Wednesday, April 6, 2011
Using Objects & Nested tables.
1. Create an Object at database level
-- Can be Imagined as a record ( composite fields with datatypes )
2. Create a Nested table on above Created Object.
3. Use the Nested table type within the Pl/SQL Code.
This helps to avoid to iterate through the Collections and those can be directly used within the sql statements as table.
Examples: ( @ SQL Level )
Demo 1:
CREATE or replace TYPE phone AS TABLE OF NUMBER;
/
CREATE or replace TYPE phone_list AS TABLE OF phone;
/
SELECT t.COLUMN_VALUE
FROM TABLE(phone(1,2,3)) t;
Demo 2:
create or replace type emp_obj as object
( empno number,
deptno number,
sal number);
create or replace type emp_tab is table of emp_obj;
SELECT empno, deptno, sal
FROM TABLE (emp_tab (emp_obj (1, 10, 1000), emp_obj (2, 20, 2000)));
Examples : ( @ PL/SQL Level )
CREATE OR REPLACE TYPE emp_temp AS OBJECT
(EMPNO NUMBER,
ENAME VARCHAR2 (10),
SAL NUMBER,
DEPTNO NUMBER);
CREATE OR REPLACE TYPE emp_temp_tab IS TABLE OF emp_temp;
DECLARE
emp_table emp_temp_tab;
BEGIN
SELECT emp_temp (EMPNO,
ename,
sal,
deptno)
BULK COLLECT
INTO emp_table
FROM emp;
DBMS_OUTPUT.put_line (emp_table.COUNT);
-- Access the collection within the sql. ( No looping )
INSERT INTO emp_out
SELECT * -- column names can be specified
FROM TABLE (emp_table);
COMMIT;
END;
Saturday, March 5, 2011
Error Handling : Back Trace
PL/SQL offers a powerful and flexible exception architecture. Of course, there is always room for improvement, and in Oracle Database 10g, exception handling takes a big step forward with the introduction of the DBMS_UTILITY.FORMAT_ERROR_BACKTRACE function. This article explores the problem that this function solves and how best to use it.
Who Raised That Exception?
When an exception is raised, one of the most important pieces of information a programmer would like to uncover is the line of code that raised the exception. Prior to Oracle Database 10g, one could obtain this information only by allowing the exception to go unhandled.
Let's revisit the error-handling behavior available to programmers in Oracle9i Database. Consider this simple chain of program calls in Listing 1: procedure proc3 calls proc2 calls proc1 , at which point proc1 raises the NO_DATA_FOUND exception. Notice that there is no error handling in any of the procedures; it is most significantly lacking in the top-level proc3 procedure. If I run proc3 in SQL*Plus, I will see the following results:
ERROR at line 1: ORA-01403: no data found ORA-06512: at "SCOTT.PROC1", line 4 ORA-06512: at "SCOTT.PROC2", line 6 ORA-06512: at "SCOTT.PROC3", line 4 ORA-06512: at line 3
Code Listing 1: A stack of procedures
CREATE OR REPLACE PROCEDURE proc1 IS BEGIN DBMS_OUTPUT.put_line ('running proc1'); RAISE NO_DATA_FOUND; END; / CREATE OR REPLACE PROCEDURE proc2 IS l_str VARCHAR2(30) := 'calling proc1'; BEGIN DBMS_OUTPUT.put_line (l_str); proc1; END; / CREATE OR REPLACE PROCEDURE proc3 IS BEGIN DBMS_OUTPUT.put_line ('calling proc2'); proc2; END; /
This is the error trace dump of an unhandled exception, and it shows that the error was raised on line 4 of proc1. On the one hand, we should be very pleased with this behavior. Now that we have the line number, we can zoom right in on the problem code and fix it. On the other hand, we got this information by letting the exception go unhandled. In many applications, however, we work to avoid unhandled exceptions.
Let's see what happens when I add an exception section to the proc3 procedure and then display the error information (the simplest form of error logging). Here is the second version of proc3 :
CREATE OR REPLACE PROCEDURE proc3 IS BEGIN DBMS_OUTPUT.put_line ('calling proc2'); proc2; EXCEPTION WHEN OTHERS THEN DBMS_OUTPUT.PUT_LINE (DBMS_UTILITY.FORMAT_ERROR_STACK); END; /
Notice that I call DBMS_UTILITY.FORMAT_ERROR_STACK , because it will return the full error message.
Having compiled the new proc3 , when I run it inside SQL*Plus I see the following output:
SQL> SET SERVEROUTPUT ON SQL> exec proc3 calling proc2 calling proc1 running proc1 ORA-01403: no data found
In other words, DBMS_UTILITY.FORMAT_ERROR_STACK does not show the full error stack with line numbers; SQLERRM acts in the same manner.
Backtrace to the Rescue
In Oracle Database 10g, Oracle added DBMS_UTILITY.FORMAT_ERROR_BACKTRACE , which can and should be called in your exception handler. It displays the call stack at the point where an exception was raised, even if the function is called in a PL/SQL block in an outer scope from that where the exception was raised. Thus, you can call DBMS_UTILITY.FORMAT_ERROR_BACKTRACE within an exception section at the top level of your stack and still find out where the error was raised deep within the call stack.
Code Listing 2: proc3 rewritten with FORMAT_ERROR_BACKTRACE
CREATE OR REPLACE PROCEDURE proc3 IS BEGIN DBMS_OUTPUT.put_line ('calling proc2'); proc2; EXCEPTION WHEN OTHERS THEN DBMS_OUTPUT.put_line ('Error stack at top level:'); DBMS_OUTPUT.put_line (DBMS_UTILITY.FORMAT_ERROR_BACKTRACE); END; /
And now when I run proc3 , I will see the following output:
SQL> SET SERVEROUTPUT ON SQL> exec proc3 calling proc2 calling proc1 running proc1 Error stack at top level: ORA-06512: at "SCOTT.PROC1", line 4 ORA-06512: at "SCOTT.PROC2", line 6 ORA-06512: at "SCOTT.PROC3", line 4
In other words, the information that had previously been available only through an unhandled exception is now retrievable from within the PL/SQL code.
Impact of Multiple RAISEs
An exception often occurs deep within the execution stack. If you want that exception to propagate all the way to the outermost PL/SQL block, it will have to be re-raised within each exception handler in the stack of blocks. Listing 3 shows an example of such an occurrence.
Code Listing 3: Re-raising exceptions to the outermost block in the stack
CREATE OR REPLACE PROCEDURE proc1 IS BEGIN DBMS_OUTPUT.put_line ('running proc1'); RAISE NO_DATA_FOUND; EXCEPTION WHEN OTHERS THEN DBMS_OUTPUT.put_line ( 'Error stack in block where raised:'); DBMS_OUTPUT.put_line ( DBMS_UTILITY.format_error_backtrace); RAISE; END; / CREATE OR REPLACE PROCEDURE proc2 IS l_str VARCHAR2 (30) := 'calling proc1'; BEGIN DBMS_OUTPUT.put_line (l_str); proc1; END; / CREATE OR REPLACE PROCEDURE proc3 IS BEGIN DBMS_OUTPUT.put_line ('calling proc2'); proc2; EXCEPTION WHEN OTHERS THEN DBMS_OUTPUT.put_line ('Error stack at top level:'); DBMS_OUTPUT.put_line (DBMS_UTILITY.format_error_backtrace); END; /
When I run the code in Listing 3, I see the following output:
SQL> exec proc3 calling proc2 calling proc1 running proc1 Error stack in block where raised: ORA-06512: at "SCOTT.PROC1", line 4 Error stack at top level: ORA-06512: at "SCOTT.PROC1", line 11 ORA-06512: at "SCOTT.PROC2", line 6 ORA-06512: at "SCOTT.PROC3", line 4 Program owner = SCOTT Program name = PROC1 Line number = 11
When I call the backtrace function within the lowest-level program, it correctly identifies line 4 of proc1 as the line in which the error is first raised. I then re-raise the same exception using the RAISE statement. When the exception propagates to the outermost block, I call the backtrace function again, and this time it shows that the error was raised on line 11 of proc1.
From this behavior, we can conclude that DBMS_UTILITY.FORMAT_ERROR_BACKTRACE shows the trace of execution back to the last RAISE in one's session. As soon as you issue a RAISE of a particular exception or re-raise the current exception, you restart the stack that the backtrace function produces. This means that if you want to take advantage of DBMS_UTILITY.FORMAT_ERROR_BACKTRACE , take one of the following two approaches:
- Call the backtrace function in the exception section of the block in which the error was raised. This way you have (and can log) that critical line number, even if the exception is re-raised further up in the stack.
- Avoid exception handlers in intermediate programs in your stack, and call the backtrace function in the exception section of the outermost program in your stack.
Monday, December 27, 2010
Schema level Comparison with TOAD
Go to DATABASE à COMPARE à SCHEMAS
Select the Source Schema
Add the Target Schema
Click Compare
Sync script will be generated.
Issue: (If Toad is not DBA Version)
By making a scheme level comparison between two schemes in toad. it
gives the difference with a Note, but unable to copy the same in the
notepad and execute it in the SQL PLUS.
The message is
"Script is view only because you do not have access to dba module functions
in Toad"
gives the difference with a Note, but unable to copy the same in the
notepad and execute it in the SQL PLUS.
The message is
"Script is view only because you do not have access to dba module functions
in Toad"
Solution :
Press
Ctrl + A ( Select All)
Ctrl + F ( Search )
Complete text will be copied to the test box on search dialog box.
Ctrl + C ( copy )
Ctrl + v ( paste ) in the editor.
Saturday, November 20, 2010
TRUNC ON DATE FIELD
TRUNC ( DATAFIELD,'<format>')
Default is 'dd' -- Truncate at the date level , meaning start of the day (Time: 00:00:00)
1. 'dd' (First hour of the day)
-- Start of the day
Example:
Select TRUNC(SYSDATE,'dd') from dual;
2. 'mm' (First day of the month) + (First hour of the day)
-- Start of the month
Example:
Select TRUNC(SYSDATE,'mm') from dual;
3. 'yyyy' (First month of the year With First Date) + (First day of the month) + (First hour of the day)
-- Start of the year
Example:
Select TRUNC(SYSDATE,'yyyy') from dual;
4. 'hh' ( Minutes part will be truncated)
-- Start of the hour
Example:
Select to_char(TRUNC(SYSDATE,'hh'),'mm/dd/yyyy hh24:mi:ss') from dual;
5. 'mi' (Seconds part will be truncated)
-- Start of the minute
Example:
Select to_char(TRUNC(SYSDATE,'mi'),'mm/dd/yyyy hh24:mi:ss') from dual;
Monday, November 15, 2010
DBMS_APPLICATION_INFO (Package)
The DBMS_APPLICATION_INFO package allows programs to add information to the V$SESSION to make tracking of session activities more accurate.
Select module, action from v$session;
procedure set_module(module_name varchar2, action_name varchar2);
-- Sets the name of the module that is currently running to a new module.
procedure set_action(action_name varchar2);
-- Sets the name of the current action within the current module.
procedure read_module(module_name out varchar2, action_name out varchar2);
-- Reads the values of the module and action fields of the current session.
procedure set_client_info(client_info varchar2);
-- Sets the client info field of the v$session.
procedure read_client_info(client_info out varchar2);
-- Reads the value of the client_info field of the current session.
Example:
BEGIN
DBMS_APPLICATION_INFO.set_module(module_name => 'add_order',
action_name => 'insert into orders');
-- Do insert into table.
END;
/
BEGIN
DBMS_APPLICATION_INFO.set_action(action_name => 'insert into orders');
DBMS_APPLICATION_INFO.set_client_info(client_info => 'Issued by Web Client');
-- Do insert into ORDERS table.
END;
/
Select module, action from v$session;
procedure set_module(module_name varchar2, action_name varchar2);
-- Sets the name of the module that is currently running to a new module.
procedure set_action(action_name varchar2);
-- Sets the name of the current action within the current module.
procedure read_module(module_name out varchar2, action_name out varchar2);
-- Reads the values of the module and action fields of the current session.
procedure set_client_info(client_info varchar2);
-- Sets the client info field of the v$session.
procedure read_client_info(client_info out varchar2);
-- Reads the value of the client_info field of the current session.
Example:
BEGIN
DBMS_APPLICATION_INFO.set_module(module_name => 'add_order',
action_name => 'insert into orders');
-- Do insert into table.
END;
/
BEGIN
DBMS_APPLICATION_INFO.set_action(action_name => 'insert into orders');
DBMS_APPLICATION_INFO.set_client_info(client_info => 'Issued by Web Client');
-- Do insert into ORDERS table.
END;
/
Sunday, November 14, 2010
SQL DEVELOPER TOOL (FREE)
Oracle has released the free SQL DEVELOPER TOOL & can be download from oracle website.
http://download.oracle.com/docs/cd/B19306_01/appdev.102/b31695/intro.htm
Installation:
SQL DEVELOPER installs by simple "unzipping" the file downloaded from oracle.
Note: Not an windows installed program.
Run: Execute the sqldeveloper.exe in the unzipped folder.
1. Connection:
We can open multiple connections in a single instance.
Click New connection & then enter the connection name, host,port,sid,username,password.
2. After connecting to a schema (user):
we see three subpanels
1. Expandable list of objects associated with the user.
2. SQL Worksheet.
3. Results
Snippets: Drag & drop or code completion.
DBMS_OUTPUT : Will be displayed in DBMS_OUTPUT tab.
SQL Developer allows:
Setting and removal of breakpoints.
Complie for Debug : Must be executed to make an object available for debugging.
Once compiled for Debugging,When executed in Debug mode the code will stop at the break point.
ShortCut Keys:
F5 -- Execute as a script.
F9 -- Execute statement.
F10 -- Explain Plan
F11 -- Commit
F12 -- Rollback
Ctrl + F7 -- Formating.
F6 -- Auto Trace.
F7 -- Step by Step execution.
Shift + f4 -- Describe object in popup.
Ctrl + D -- Clear SQL WorkSheet.
http://download.oracle.com/docs/cd/B19306_01/appdev.102/b31695/intro.htm
Installation:
SQL DEVELOPER installs by simple "unzipping" the file downloaded from oracle.
Note: Not an windows installed program.
Run: Execute the sqldeveloper.exe in the unzipped folder.
1. Connection:
We can open multiple connections in a single instance.
Click New connection & then enter the connection name, host,port,sid,username,password.
2. After connecting to a schema (user):
we see three subpanels
1. Expandable list of objects associated with the user.
2. SQL Worksheet.
3. Results
Snippets: Drag & drop or code completion.
DBMS_OUTPUT : Will be displayed in DBMS_OUTPUT tab.
SQL Developer allows:
Setting and removal of breakpoints.
Complie for Debug : Must be executed to make an object available for debugging.
Once compiled for Debugging,When executed in Debug mode the code will stop at the break point.
ShortCut Keys:
F5 -- Execute as a script.
F9 -- Execute statement.
F10 -- Explain Plan
F11 -- Commit
F12 -- Rollback
Ctrl + F7 -- Formating.
F6 -- Auto Trace.
F7 -- Step by Step execution.
Shift + f4 -- Describe object in popup.
Ctrl + D -- Clear SQL WorkSheet.
Subscribe to:
Posts (Atom)