PL/SQL Source Code Viewer (dsource.sql)
What This Script Does
Section titled “What This Script Does”This script provides Oracle database administration functionality via the dsource.sql script.
The Script
Section titled “The Script”rem  dsource.sqlremset linesize 132remttitle 'Program Source'remcol owner format a8 heading 'OWNER'col name format a22 heading 'NAME'col type format a12 heading 'TYPE'col line format 99999 heading 'LINE'col text format a80 heading 'TEXT'rembreak on owner skip 1 on name on typeremselect owner, name, type, line, text  from sys.dba_source where owner like upper('&owner')   and name like upper('&name')   and type like upper('&type') order by owner, name, type, line;remset linesize 80What This Script Does
Section titled “What This Script Does”This script displays the complete source code for PL/SQL objects including procedures, functions, packages, triggers, and types. It provides line-by-line source code display with proper formatting and line numbers, making it essential for code review, debugging, development, and documentation purposes. The script allows flexible filtering by owner, object name, and object type.
Key Features
Section titled “Key Features”- Complete Source Display: Shows full source code with line numbers
- Multiple Object Types: Supports procedures, functions, packages, triggers, types
- Flexible Filtering: Filter by owner, name pattern, and object type
- Organized Output: Groups by owner, name, and type for clarity
- Wide Format: Uses 132-character width for better code readability
- Line-by-Line Display: Maintains original formatting and structure
@dsource.sqlInput Parameters:
- Owner: Schema owner name or pattern (use % for all owners)
- Name: Object name or pattern (use % for all objects)
- Type: Object type or pattern (use % for all types)
Required Privileges
Section titled “Required Privileges”SELECT on SYS.DBA_SOURCESample Output
Section titled “Sample Output”                                            Program Source
OWNER    NAME                 TYPE         LINE TEXT-------- -------------------- ------------ ---- --------------------------------------------------------------------------------HR       CALCULATE_SALARY     FUNCTION        1 FUNCTION calculate_salary(emp_id NUMBER)                                              2 RETURN NUMBER                                              3 IS                                              4   v_salary NUMBER;                                              5   v_commission NUMBER;                                              6 BEGIN                                              7   SELECT salary, NVL(commission_pct,0)                                              8     INTO v_salary, v_commission                                              9     FROM employees                                             10    WHERE employee_id = emp_id;                                             11                                             12   RETURN v_salary + (v_salary * v_commission);                                             13 EXCEPTION                                             14   WHEN NO_DATA_FOUND THEN                                             15     RETURN 0;                                             16 END calculate_salary;
         UPDATE_EMPLOYEE      PROCEDURE       1 PROCEDURE update_employee(                                              2   p_emp_id IN NUMBER,                                              3   p_salary IN NUMBER,                                              4   p_dept_id IN NUMBER DEFAULT NULL)                                              5 IS                                              6 BEGIN                                              7   UPDATE employees                                              8      SET salary = p_salary,                                              9          last_updated = SYSDATE                                             10    WHERE employee_id = p_emp_id;                                             11                                             12   IF p_dept_id IS NOT NULL THEN                                             13     UPDATE employees                                             14        SET department_id = p_dept_id                                             15      WHERE employee_id = p_emp_id;                                             16   END IF;                                             17                                             18   COMMIT;                                             19 END update_employee;Key Output Columns
Section titled “Key Output Columns”- OWNER: Schema that owns the PL/SQL object
- NAME: Name of the PL/SQL object
- TYPE: Type of object (PROCEDURE, FUNCTION, PACKAGE, PACKAGE BODY, TRIGGER, TYPE, TYPE BODY)
- LINE: Line number within the source code
- TEXT: Source code text for that line
Supported Object Types
Section titled “Supported Object Types”PL/SQL Program Units
Section titled “PL/SQL Program Units”Standalone Objects
Section titled “Standalone Objects”-- PROCEDURE: Standalone stored procedures-- FUNCTION: Standalone stored functions-- TRIGGER: Database triggers-- TYPE: Object type definitions-- TYPE BODY: Object type implementationsPackage Components
Section titled “Package Components”-- PACKAGE: Package specifications-- PACKAGE BODY: Package implementations-- Contains procedures, functions, variables, cursors-- Provides encapsulation and namespace managementSource Code Organization
Section titled “Source Code Organization”Package Structure
Section titled “Package Structure”-- Package specification shows:-- Public procedure/function declarations-- Public variable/constant declarations-- Public type definitions-- Public exception declarations
-- Package body shows:-- Implementation of public procedures/functions-- Private procedures/functions-- Initialization sections-- Exception handlersCommon Use Cases
Section titled “Common Use Cases”- 
Code Review and Analysis - Review PL/SQL code for quality
- Analyze coding standards compliance
- Identify performance opportunities
- Document code functionality
 
- 
Development and Debugging - View source code during development
- Debug compilation errors
- Analyze program logic
- Trace execution flow
 
- 
Migration and Deployment - Extract source code for migration
- Compare code between environments
- Document deployment artifacts
- Backup source code
 
- 
Security and Compliance - Review code for security vulnerabilities
- Audit privileged operations
- Document business logic
- Compliance verification
 
Advanced Usage Examples
Section titled “Advanced Usage Examples”View Specific Object Type
Section titled “View Specific Object Type”-- View all procedures in HR schema:Enter value for owner: HREnter value for name: %Enter value for type: PROCEDUREFind Objects with Specific Code Patterns
Section titled “Find Objects with Specific Code Patterns”-- After running dsource, search output for patterns:-- Look for hardcoded values-- Find SQL injection vulnerabilities-- Identify performance anti-patterns-- Locate deprecated function usageCompare Object Versions
Section titled “Compare Object Versions”-- Use for environment comparison:-- Extract source from DEV environment-- Extract same objects from PROD-- Compare for differences-- Document deployment requirementsCode Analysis Techniques
Section titled “Code Analysis Techniques”Security Review
Section titled “Security Review”Common Security Issues
Section titled “Common Security Issues”-- Look for in source code:-- Dynamic SQL without bind variables-- Hardcoded passwords or credentials-- Insufficient input validation-- Excessive privilege usage-- SQL injection vulnerabilitiesCode Patterns to Review
Section titled “Code Patterns to Review”-- Security concerns:-- EXECUTE IMMEDIATE with concatenation-- DBMS_SQL with user input-- Hardcoded connection strings-- Unvalidated input parameters-- Overprivileged operationsPerformance Analysis
Section titled “Performance Analysis”Performance Anti-Patterns
Section titled “Performance Anti-Patterns”-- Identify performance issues:-- Cursor loops instead of set operations-- Individual row processing-- Excessive function calls in SQL-- Inefficient exception handling-- Poor SQL statement structureOptimization Opportunities
Section titled “Optimization Opportunities”-- Look for optimization chances:-- Bulk collect operations-- Set-based processing-- Efficient cursor usage-- Proper exception handling-- Optimal SQL patternsDevelopment Workflow Integration
Section titled “Development Workflow Integration”Code Extraction
Section titled “Code Extraction”Source Code Backup
Section titled “Source Code Backup”-- Extract source for backup:-- Run dsource with specific criteria-- Spool output to files-- Include in version control-- Document code versionsMigration Support
Section titled “Migration Support”-- For environment migration:-- Extract all custom code-- Generate CREATE statements-- Include in deployment scripts-- Verify compilation successDocumentation Generation
Section titled “Documentation Generation”Automatic Documentation
Section titled “Automatic Documentation”-- Generate code documentation:-- Extract procedure/function headers-- Document parameters and return types-- Create cross-reference reports-- Build API documentationCode Standards Verification
Section titled “Code Standards Verification”-- Check coding standards:-- Naming conventions-- Comment requirements-- Error handling patterns-- Performance guidelinesTroubleshooting Applications
Section titled “Troubleshooting Applications”Compilation Errors
Section titled “Compilation Errors”Error Analysis
Section titled “Error Analysis”-- When objects are invalid:-- View source code for syntax errors-- Check for missing dependencies-- Verify privilege requirements-- Analyze compilation messagesDependency Issues
Section titled “Dependency Issues”-- For dependency problems:-- Identify referenced objects-- Check object existence-- Verify privilege grants-- Analyze compilation orderRuntime Issues
Section titled “Runtime Issues”Logic Analysis
Section titled “Logic Analysis”-- For runtime problems:-- Review business logic-- Trace execution paths-- Identify potential issues-- Analyze exception handlingPerformance Problems
Section titled “Performance Problems”-- For performance issues:-- Review SQL statements-- Analyze loop structures-- Check cursor usage-- Identify bottlenecksIntegration with Development Tools
Section titled “Integration with Development Tools”Version Control
Section titled “Version Control”Source Code Management
Section titled “Source Code Management”-- Version control integration:-- Extract source periodically-- Compare with version control-- Identify unauthorized changes-- Maintain code historyChange Tracking
Section titled “Change Tracking”-- Track code changes:-- Compare source between dates-- Identify modified procedures-- Document change history-- Support audit requirementsCode Quality Tools
Section titled “Code Quality Tools”Static Analysis
Section titled “Static Analysis”-- Code quality checks:-- Extract source for analysis tools-- Run quality metrics-- Identify code smells-- Generate quality reportsCompliance Scanning
Section titled “Compliance Scanning”-- Compliance verification:-- Scan for security patterns-- Check coding standards-- Validate naming conventions-- Verify documentationAdvanced Analysis
Section titled “Advanced Analysis”Cross-Reference Analysis
Section titled “Cross-Reference Analysis”-- Find object dependencies:SELECT DISTINCT ds1.owner, ds1.name, ds1.typeFROM dba_source ds1WHERE UPPER(ds1.text) LIKE '%' || UPPER('&search_term') || '%'ORDER BY ds1.owner, ds1.name, ds1.type;Code Metrics
Section titled “Code Metrics”-- Calculate code complexity:SELECT owner, name, type,       COUNT(*) total_lines,       SUM(CASE WHEN UPPER(text) LIKE '%IF%' OR                     UPPER(text) LIKE '%LOOP%' OR                     UPPER(text) LIKE '%CASE%'                THEN 1 ELSE 0 END) complexity_indicatorsFROM dba_sourceWHERE owner NOT IN ('SYS','SYSTEM')GROUP BY owner, name, typeORDER BY complexity_indicators DESC;Documentation Extraction
Section titled “Documentation Extraction”-- Extract comments and documentation:SELECT owner, name, type, line, textFROM dba_sourceWHERE TRIM(text) LIKE '--%'   OR TRIM(text) LIKE '/*%'ORDER BY owner, name, type, line;Best Practices
Section titled “Best Practices”Code Review Process
Section titled “Code Review Process”Systematic Review
Section titled “Systematic Review”-- Establish review process:-- Regular code extraction-- Automated quality checks-- Peer review procedures-- Documentation updatesQuality Assurance
Section titled “Quality Assurance”-- Maintain code quality:-- Enforce coding standards-- Regular security reviews-- Performance assessments-- Compliance verificationDocumentation Maintenance
Section titled “Documentation Maintenance”Code Documentation
Section titled “Code Documentation”-- Maintain documentation:-- Update API documentation-- Document business rules-- Maintain change logs-- Keep examples currentKnowledge Management
Section titled “Knowledge Management”-- Knowledge preservation:-- Document complex algorithms-- Explain business logic-- Maintain contact information-- Preserve institutional knowledgeRelated Scripts
Section titled “Related Scripts”- dinvalid.sql - Invalid objects analysis
- dobject.sql - Object listing and details
- derror.sql - Compilation errors
- compile_invalid.gen - Recompilation generator
Security Considerations
Section titled “Security Considerations”- 
Sensitive Information - Review for hardcoded credentials
- Check for embedded passwords
- Identify security vulnerabilities
- Protect source code access
 
- 
Access Control - Limit source code access
- Use appropriate privileges
- Monitor code extraction
- Audit source code access
 
- 
Code Protection - Consider code obfuscation
- Implement access logging
- Protect intellectual property
- Secure development practices