Tuesday, August 29, 2023

Query for Forms sessions that may be locking or inactive

 SELECT
    objects.owner,
    objects.object_name,
    objects.object_type,
    user1.user_name                                          locking_fnd_user_name,
    user1.end_date                                           user_end_date,
    round((nvl(NULL, sysdate) - login.start_time) * 1440, 4) elapsed_time_in_mins,
    login.start_time                                         locking_fnd_user_login_time,
    vs.module,
    vs.machine,
    vs.osuser,
    vlocked.oracle_username,
    vs.sid,
    vp.pid,
    vp.spid                                                  os_process,
    vs.serial#,
    vs.status,
    client_identifier,
    round(vs.last_call_et/60,1) wait,
    vs.saddr,
    vs.audsid,
    vs.process,
    blocking_session,
    blocking_session_status,
    blocking_instance,
    blocking_session,
    final_blocking_session_status,
    final_blocking_instance,
    final_blocking_session
FROM
    apps.fnd_logins login,
    apps.fnd_user   user1,
    v$locked_object vlocked,
    v$process       vp,
    v$session       vs,
    dba_objects     objects
WHERE
        1 = 1
--AND upper(VS.MODULE) like '%WIPTXSFM%'
    AND objects.object_name LIKE '%WIP%'
    AND vlocked.session_id = vs.sid
    AND objects.object_id = vlocked.object_id
    AND vp.addr = vs.paddr
    AND login.process_spid (+) = vp.spid
    AND login.pid (+) = vp.pid
    AND user1.user_id (+) = login.user_id
--and VS.STATUS <> 'ACTIVE'
;

Wednesday, July 19, 2023

Query to get concurrent program assigned to responsibility

  SELECT DISTINCT frt.responsibility_name, frg.request_group_name,
    frgu.request_unit_type,frgu.request_unit_id,
    fcpt.user_concurrent_program_name
    FROM apps.fnd_Responsibility fr, apps.fnd_responsibility_tl frt,
    apps.fnd_request_groups frg, apps.fnd_request_group_units frgu,
    apps.fnd_concurrent_programs_tl fcpt
    WHERE frt.responsibility_id = fr.responsibility_id
    AND frg.request_group_id = fr.request_group_id
    AND frgu.request_group_id = frg.request_group_id
    AND fcpt.concurrent_program_id = frgu.request_unit_id
    AND frt.LANGUAGE = USERENV('LANG')
    AND fcpt.LANGUAGE = USERENV('LANG')
    AND fcpt.user_concurrent_program_name = 'Purge Open Interface Data'
    AND frt.responsibility_name like '%OM%'
    ORDER BY 1,2,3,4;

Query to get concurrent program details

 SELECT distinct fcpt.user_concurrent_program_name ,
  fcp.concurrent_program_name short_name ,
  fat.application_name program_application_name ,
  fet.executable_name ,
  fat1.application_name executable_application_name ,
  flv.meaning execution_method ,
  fet.execution_file_name ,
  fcp.enable_trace
FROM apps.fnd_concurrent_programs_tl fcpt ,
  apps.fnd_concurrent_programs fcp ,
  apps.fnd_application_tl fat ,
  apps.fnd_executables fet ,
  apps.fnd_application_tl fat1 ,
  apps.FND_LOOKUP_VALUES FLV
WHERE 1=1
AND fcpt.user_concurrent_program_name='Program name'
AND fcpt.concurrent_program_id       = fcp.concurrent_program_id
AND fcpt.application_id              = fcp.application_id
AND fcp.application_id               = fat.application_id
AND fcpt.application_id              = fat.application_id
AND fcp.executable_id                = fet.executable_id
AND fcp.executable_application_id    = fet.application_id
AND fet.application_id               = fat1.application_id
AND flv.lookup_code                  = fet.execution_method_code
AND FLV.LOOKUP_TYPE                  ='CP_EXECUTION_METHOD_CODE'
and fat.language = 'US'
and fat1.language = 'US'
and fcpt.language = 'US'
and FLV.language = 'US';

Query to get responsibilities assigned to user

Below is the query to get the responsibilities assigned to user : 


SELECT distinct  fu.user_name                "User Name",
       frt.responsibility_name     "Responsibility Name",
       furg.start_date             "Start Date",
       furg.end_date               "End Date",      
       fr.responsibility_key       "Responsibility Key",
       fa.application_short_name   "Application Short Name"
  FROM apps.fnd_user_resp_groups_direct        furg,
       applsys.fnd_user                   fu,
       applsys.fnd_responsibility_tl      frt,
       applsys.fnd_responsibility         fr,
       applsys.fnd_application_tl         fat,
       applsys.fnd_application            fa
 WHERE furg.user_id             =  fu.user_id
   AND furg.responsibility_id   =  frt.responsibility_id
   AND fr.responsibility_id     =  frt.responsibility_id
   AND fa.application_id        =  fat.application_id
   AND fr.application_id        =  fat.application_id
   AND frt.language             =  USERENV('LANG')
   AND fat.language             =  USERENV('LANG')
  -- AND frt.responsibility_name = 'Application Developer'
   AND UPPER(fu.user_name)      =  UPPER('OPERATIONS')  -- <change it>
   -- AND (furg.end_date IS NULL OR furg.end_date >= TRUNC(SYSDATE))
 ORDER BY frt.responsibility_name;

Saturday, November 24, 2012

Oracle Forms Triggers


Introduction

Oracle Forms is an easy to use environment for developing GUI Oracle database applications using PL/SQL1. My experience is that the most common cause of problems in Forms code is the incorrect use of Form Triggers.

Processing Overview

Oracle Forms uses an event driven programing model2 where Triggers take the place of Event Handlers. After the form has been shown on the screen, triggers will fire as the user enters data. Forms has a single event queue and a single execution thread. This means that a trigger must complete before the next trigger will be processed. When the user saves the data, Forms will verify that the data is valid and commit it on the database. Any exceptions will cause Forms to rollback the changes.

What to avoid

Having a Push Button with the following code in the When-Button-Pressed Trigger may initially appear to work correctly but this will certainly lead to problems later.

When-Button-Pressed:
BEGIN
-- First, perform some validation
IF check_item() AND check_record() THEN
null;
ELSE
MESSAGE('Invalid value');
RAISE Form_Trigger_Failure;
END IF;

-- OK, now Commit
commit_form;

-- after a successful Commit, run the report
IF Form_Success THEN
run_report;
END IF;

END;


When the button is pressed the form will be validated, the data committed and the report will run; which is as expected. What is wrong with this code? The problem is that there are other ways of committing the data without pressing this button and the code will only execute if the button is pressed. For example, if the Accept key is pressed the data will be committed to the database but neither the validation or the report will be executed.
How should this code have been written? By using Triggers as Oracle intended, the code is not only easier to read and maintain, it will perform as expected.

When-Button-Pressed:
-- start Commit processing, validating first
commit_form;


When-Validate-Item:
BEGIN
-- Validate item
IF check_item() THEN
null;
ELSE
MESSAGE('Invalid item value');
RAISE Form_Trigger_Failure;
END IF;
END;


When-Validate-Record:
BEGIN
-- Validate the record
IF check_record() THEN
null;
ELSE
MESSAGE('Invalid record value');
RAISE Form_Trigger_Failure;
END IF;
END;


Post-Database-Commit:
-- after a successful Commit, run the report
run_report;
The advantage of this code structure is that no matter how the Commit is initiated the validation and report functions will always behave as expected.
For this reason triggers such as When-Button-Pressed and Key-xxx (eg: Key-Commit) should contain very little code, as explained in the following from the Forms Reference Manual.
Key Triggers have a one-to-one relationship with specific keys. That is, the trigger fires when the operator presses a specific key or key-sequence.
Remember that most GUI applications offer operators more than one way to execute commands. For instance, an operator might be able to execute a query by clicking a button, selecting a menu command, or pressing the [Execute Query] key.
In such situations, it would be a mistake to place all of your application logic in a key trigger that might never fire. Similarly, in any mouse-driven application, you cannot rely entirely on key triggers for navigational keys like [Next Item] and [Next Block]. Because operators can navigate with a mouse, they may choose not to use these keys for navigation, and the associated triggers would not be fired.

Commit processing

The processing flow when a Commit occurs always seems to cause confusion. The basics of the Commit processing are as follows.
  • Each item that has been changed is validated (When-Validate-Item).
  • Each record with a changed item is validated (When-Validate-Record).
  • Pre-Commit trigger occurs after validation and before any data is written to the database.
  • Any records that are marked as INSERT are inserted onto the database (Pre-Insert / Post Insert).
  • Any records that are marked as CHANGED are updated onto the database (Pre-Update / Post-Update).
  • Any records that are marked as DELETED are deleted from the database (Pre-Delete / Post-Delete).
  • Post-Forms-Commit trigger occurs after Forms has written the data to the database but before the database Commit.
  • Post-Database-Commit trigger occurs after the database Commit.

This description has been simplified but covers the main points. Refer to the Oracle Forms Processing Flowcharts for the exact details.

Common uses for Triggers

This is a list of some common programming tasks and the Trigger to be used. This is not an extensive list and other triggers are useful; refer to the Oracle Forms manuals for details.
Typical Usage
Trigger
Screen setup
When-New-Form-Instance
When-New-Block-Instance
When-New-Record-Instance
Selecting records
Pre-Query
Post-Query
Validation
When-Validate-Item
When-Validate-Record
Pre-Commit
Post-Forms-Commit
Programatically populating values to appear on the screen
Post-Query
When-Create-Record
Programatically populating values in the record
Pre-Insert
Pre-Update
Programatically populating values in related records
Post-Insert
Post-Update


Common Issues

It is best practice to follow the documented usage for each type of Trigger. The usual symptoms of incorrect Trigger usage is code executing at the wrong time (or not executing at all). Needing to specify IF statements to determine the current state (eg: Get_Record_Property) can be a sign of incorrect Trigger usage; review the code any time this occurs. For example checking for INSERT status is not necessary in a Pre-Insert Trigger.
Best practice is to have very little code in the Trigger, instead most of the code should be in Program Units. This allows the code to be easily reused.
Form_Success sometimes did not work correctly in Oracle 6i; I am unsure if this has been fixed in later versions. The problem was that records with invalid values would fail validation but Form_Success would be true and the incorrect value committed to the database.

Validation

While it is possible to put validation logic just about anywhere in the Forms code, having most (if not all) of the validation logic in either When-Validate-Item or When-Validate-Record triggers would be best practice. The normal sequence of events is that Forms will continue processing towards committing the data unless an exception is raised (eg: Form_Trigger_Failure), when a Rollback will occur and processing will cease.
As a general principle it is best to have validation occur as soon as possible. Avoid having the user enter a whole screen of data, then finding that the first field is invalid.
A common problem is that items loaded from the database are considered valid and the When-Validate-Item and When-Validate-Record triggers only fire when an item has been changed. This means that invalid values that are on the database will be considered valid. The record or form level validation described below can be used to check for this.

Item Validation

Basic item validation can be specified with the properties for the item. Lowest value, highest value, lists of values and value required can be specified. The When-Validate-Item trigger can also be coded to programatically validate the item. Avoid combining both of these methods as this can cause significant programmer confusion.
Item validation only occurs on changed items; record or form validation should be used to check for invalid values on the database.
Be careful with the use of When-Validate-Item and cross referencing as this can cause a situation where to correct a data entry error the user needs to get out of the field but the validation will not let them. Use When-Validate-Record for validating cross references. This problem can also occur with the use of the Required property. While this is not a logic error, it can cause a poor user experience.

Record Validation

Often most real world validation will occur at the record level as frequently all of the information required for validation is not available until the record is complete. It is usually best to validate mandatory fields at this point rather than the item level.
Record validation only occurs for records that have had at least one item changed; form validation may be required to check for invalid values on the database.

Form Validation

There are two other triggers which are sometimes necessary for validation, these are: Pre-Commit and Post-Forms-Commit.
Pre-Commit trigger:- is useful as it can be used for form level validation. This trigger can be treated like a When-Validate-Form trigger (which is not provided by Oracle). It always fires before the Forms Commit process. No modifications have been posted to the database at this point. Any validations requiring complex PL/SQL coding (such as Cursor loops) placed here will see the database before the data is changed.
Post-Forms-Commit:- trigger is the last chance for validation before the data is committed to the database. The main advantage of this trigger is that Forms has posted all of the Insert, Update, Deletes to the database but has not yet performed the database Commit. Any validations requiring complex PL/SQL coding (such as Cursor loops) on the changed data should be placed here.

Restricted Built-in Functions

Many of the Triggers (mainly Pre and Post Triggers) prohibit restricted built-in functions. Most of these restricted functions involve navigation within the form (eg: Go_Item). Usually trying to use a restricted function in a Trigger that prohibits them is a sign of a possible logic error.
Sometimes it is necessary to use a restricted function at an unusual point in the processing flow; this may require placing the function in what would appear to be an incorrect Trigger. Great care should be taken if this is required.
One way of overcoming this limitation is to use a Timer that fires almost immediately. Timers are not restricted so can execute all functions. Note that the When-Timer-Expired Trigger will not start execution until after the current trigger has completed no matter how short the Timer delay.

A restricted trigger:
DECLARE
nav_timer timer;

BEGIN
...
nav_timer := Find_Timer('NAV');

IF NOT Id_Null(nav_timer) THEN
Delete_Timer(nav_timer);
END IF;

nav_timer:= CREATE_TIMER('NAV', 80 ,NO_REPEAT);
...
END

When-Timer-Expired:
DECLARE
expired_timer VARCHAR2(20);

BEGIN
expired_timer:=GET_APPLICATION_PROPERTY(TIMER_NAME);

IF (expired_timer = 'NAV') THEN
go_item('user_block.item_name');
END IF;
END;


This sort of work around is usually required to either perform navigation from a restricted trigger or use a restricted function following a Commit (and the Post-Database-Commit trigger is restricted). The following code fragments provide a general solution.
Go_Item_Later:- procedure navigates to the item after the restricted trigger completes.
Post_Commit:- procedure runs after the Post-Database-Commit trigger and is unrestricted.

A restricted trigger:
...
-- navigate to item after trigger completes
Go_Item_Later('user_block.item_name');
...


PU:Go_Item_Later(item_name IN VARCHAR2)
BEGIN
-- set control variable with name of item to navigate to
:control.timer_item := item_name;

-- start Navigation timer
Start_Timer('ITEM');
END;


Post-Database-Commit
-- start Post-Commit timer
Start_Timer('POST');


PU:Start_Timer(timer_name IN VARCHAR2)
nav_timer timer;

BEGIN
-- check if timer exists and delete it
nav_timer := Find_Timer(timer_name);

IF NOT Id_Null(nav_timer) THEN
Delete_Timer(nav_timer);
END IF;

-- create new timer
nav_timer:= CREATE_TIMER(timer_name, 80 ,NO_REPEAT);
END;


When-Timer-Expired:
DECLARE
expired_timer VARCHAR2(20);

BEGIN
expired_timer:=GET_APPLICATION_PROPERTY(TIMER_NAME);

IF (expired_timer = 'ITEM') THEN
go_item(:control.timer_item);
END IF;

IF (expired_timer = 'POST') THEN
Post_Commit;
END IF;
END;


PU:Post_Commit
-- This program unit runs after the Post-Database-Commit trigger completes
null;

Thursday, April 19, 2012

SRW Package in Oracle Report


SRW (Sql Report Writer) Package is a built in package in Oracle Reports Builder. It is a collection of PL/SQL constructs that include many functions, procedures, and exceptions you can reference in any of your libraries or reports.
The PL/SQL provided by the SRW package enables you to perform such actions as change the formatting of fields, run reports from within other reports, create customized messages to display in the event of report error, and execute SQL statements. There are nearly 70 functions, procedures, and exceptions are there in this package. Here I am giving brief information and uses of few important functions, procedures, and exceptions.

SRW.MESSAGE:
It is a Procedure that displays a message with the message number and text that you specify. It is mainly used to debug a report in Reports Builder.

SRW.MESSAGE(msg_number NUMBER, msg_text CHAR);

Example:

01
function foo return boolean is
02
begin

03
  if :sal < 0 then
04
    SRW.MESSAGE(100, 'Found a negative salary. Check the EMP table.');

05
    raise SRW.PROGRAM_ABORT;
06
  else

07
    :bonus := :sal * .01;
08
  end if;

09
  return(true);
10
end;

SRW.PROGRAM_ABORT:
This exception stops the report execution and raises the following error message: REP-1419: PL/SQL program aborted. SRW.PROGRAM_ABORT stops report execution when you raise it.

SRW.DO_SQL:
This procedure executes the specified SQL statement from within Reports Builder. The SQL statement can be DDL (statements that define data), or DML (statements that manipulate data). DML statements are usually faster when they are in PL/SQL, instead of in SRW.DO_SQL.
Since you cannot perform DDL statements in PL/SQL, the SRW.DO_SQL packaged procedure is especially useful for performing them within Reports Builder.

Example:

01
FUNCTION CREATETABLE RETURN BOOLEAN IS
02
BEGIN

03
  SRW.DO_SQL('CREATE TABLE TEST_EMP (EMPNO NUMBER NOT NULL
04
    PRIMARY KEY, SAL NUMBER (10,2)) PCTFREE 5 PCTUSED 75');

05
    RETURN (TRUE);
06
   EXCEPTION

07
    WHEN SRW.DO_SQL_FAILURE  THEN
08
    SRW.MESSAGE(100, 'ERROR WHILE CREATING TEST_EMP TABLE.');

09
    RAISE
10
    SRW.PROGRAM_ABORT;

11
END;

SRW.DO_SQL_FAILURE:
Reports Builder raises this exception when the SRW.DO_SQL packaged procedure fails. This exception stops the report execution and raises the following error message:
REP-1425: Error running DO_SQL package – REP-msg ORA-msg.

SRW.GET_REPORT_NAME:
This function returns the file name of the report being executed.
SRW.GET_REPORT_NAME (report_name);

Example:

01
function AfterPForm return boolean is
02
    my_var varchar2(80);

03
  BEGIN
04
    SRW.GET_REPORT_NAME (my_var);

05
    SRW.MESSAGE(0,'Report Filename = '||my_var);
06
   RETURN (TRUE);

07
  END;

SRW.RUN_REPORT:
This procedure synchronously executes the specified report within the context of the currently running report.
SRW.RUN_REPORT (“report=test.rdf … “)

SRW.SET_FIELD:
This procedure sets the value of a character, number, or date field. This is useful when you want to conditionally change a field’s value.
SRW.SET_FIELD (object_id, text CHAR | number NUM | date DATE);

Example:

Suppose you want to conditionally change the number of a field, based on each employee’s salary. In the format trigger for the field, you could type the following:

01
FUNCTION CHGFIELD RETURN BOOLEAN IS
02
TMP NUMBER;

03
 BEGIN
04
  if :sal >= 5000 then

05
  tmp := :sal * 1.10;
06
  srw.set_field (0, tmp);

07
 else
08
  srw.set_field (0, 4000);

09
 end if;
10
 RETURN (TRUE);

11
END;

SRW.SET_FIELD should be used only to change the contents of a field’s datatype, not change the field to a different datatype.

Others in Brief:
  • SRW.SET_FONT_FACE: This procedure specifies font face for a CHAR, DATE, or NUMBER field. SRW.SET_FONT_FACE(‘arial’);
  • SRW.SET_FONT_SIZE: This procedure specifies font size for a CHAR, DATE, or NUMBER field. SRW.SET_FONT_SIZE(10);
  • SRW.SET_FONT_STYLE: This procedure specifies font style for a CHAR, DATE, or NUMBER field. SRW.SET_FONT_STYLE(SRW.ITALIC_STYLE);
  • SRW.SET_FORMAT_MASK: This procedure specifies the format mask for the DATE or NUMBER field. SRW.SET_FORMAT_MASK(‘mask’);
  • SRW.SET_TEXT_COLOR: This procedure specifies the global text color of the CHAR, DATE, or NUMBER field. SRW.SET_TEXT_COLOR(‘color’);