CREATE TABLE products (
    Pid NUMBER(5) PRIMARY KEY,
    Pname VARCHAR2(32),
    Price NUMBER(7,2)
);

CREATE TABLE orderr (
    OrderID NUMBER(5) PRIMARY KEY,
    Pid NUMBER(5),
    Quantity NUMBER(5),
    FOREIGN KEY (Pid) REFERENCES products(Pid)
);

INSERT INTO products (Pid, Pname, Price) VALUES (1, 'ProductA', 100.00);
INSERT INTO products (Pid, Pname, Price) VALUES (2, 'ProductB', 150.00);
INSERT INTO products (Pid, Pname, Price) VALUES (3, 'ProductC', 200.00);

INSERT INTO orderr (OrderID, Pid, Quantity) VALUES (101, 1, 10);
INSERT INTO orderr (OrderID, Pid, Quantity) VALUES (102, 2, 20);
INSERT INTO orderr (OrderID, Pid, Quantity) VALUES (103, 3, 30);


SELECT OrderID, Pid, Quantity FROM orderr WHERE Pid IN (SELECT Pid FROM products WHERE Price > 
(SELECT AVG(Price) FROM products));


CREATE VIEW order_details AS SELECT o.OrderID, o.Pid, o.Quantity, p.Pname, p.Price FROM orderr o 
JOIN products p ON o.Pid = p.Pid;

SELECT * FROM order_details;

 
by

PL/SQL Online Compiler

Write, Run & Share PL/SQL code online using OneCompiler's Oracle PL/SQL online editor and compiler for free. It's one of the robust, feature-rich online editor and compiler for Oracle PL/SQL running on latest version 23c (23.3.0.0). Getting started with the OneCompiler's Oracle PL/SQL editor is really simple and pretty fast. The editor shows sample boilerplate code when you choose language as 'PL/SQL' and start writing code to learn and test online without worrying about tedious process of installation.

About PL/SQL

PL/SQL is procedural extension for SQL created by Oracle. It is by default embedded into the Oracle Database. PL/SQL program units are compiled and stored inside the Oracle Database which results in optimal execution times as the PL/SQL and SQL run within the same server process.

Syntax help

Following is the syntax structure for the PL/SQL code blocks

DECLARE 
   <declarations section> 
BEGIN 
   <executable command(s)>
EXCEPTION 
   <exception handling> 
END;

Example

DECLARE 
   message  varchar2(100):= 'Hello, World!'; 
BEGIN 
   dbms_output.put_line(message); 
END; 
/

Named procedures

CREATE OR REPLACE FUNCTION 
hello_user
   (user_name IN VARCHAR2) 
    RETURN VARCHAR2
IS
BEGIN
   RETURN 'Hello ' || user_name;
END hello_user;
/

BEGIN
   dbms_output.put_line(hello_user('Peter'));
END;
/

Exception handling

BEGIN
  DBMS_OUTPUT.put_line (1/0);
EXCEPTION
  WHEN OTHERS
  THEN
    DBMS_OUTPUT.put_line ('error is: ' || SQLERRM);
END;