Example Schema DDL. create table dept( deptno number(2,0), dname varchar2(14), loc varchar2(13), constraint pk_dept primary key (deptno) );
|
|
|
- Gwenda Barton
- 9 years ago
- Views:
Transcription
1 Example Schema I often use the EMP and DEPT tables for test and demonstration purposes. Both these tables are owned by the SCOTT user, together with two less frequently used tables: BONUS and SALGRADE. Execute the below code snippets to create and seed the EMP and DEPT tables in your own schema. The BONUS and SALGRADE tables are included as well, but are commented out. The DDL (data definition language) part creates the tables, the DML (data manipulation language) part inserts the data. DDL create table dept( deptno number(2,0), dname varchar2(14), loc varchar2(13), constraint pk_dept primary key (deptno) create table emp( empno number(4,0), ename varchar2(10), job varchar2(9), mgr number(4,0), hiredate date, sal number(7,2), comm number(7,2), deptno number(2,0), constraint pk_emp primary key (empno), constraint fk_deptno foreign key (deptno) references dept (deptno) /* create table bonus( ename varchar2(10), job varchar2(9), sal number, comm number create table salgrade( grade number, losal number, hisal number */ DML insert into dept values(10, 'ACCOUNTING', 'NEW YORK' insert into dept values(20, 'RESEARCH', 'DALLAS' insert into dept values(30, 'SALES', 'CHICAGO' insert into dept values(40, 'OPERATIONS', 'BOSTON'
2 7839,'KING','PRESIDENT',null, to_date(' ','dd-mm-yyyy'), 5000, null, , 'BLAKE', 'MANAGER', 7839, to_date(' ','dd-mm-yyyy'), 2850, null, , 'CLARK', 'MANAGER', 7839, to_date(' ','dd-mm-yyyy'), 2450, null, , 'JONES', 'MANAGER', 7839, to_date(' ','dd-mm-yyyy'), 2975, null, , 'SCOTT', 'ANALYST', 7566, to_date('13-jul-87','dd-mm-rr') - 85, 3000, null, , 'FORD', 'ANALYST', 7566, to_date(' ','dd-mm-yyyy'), 3000, null, , 'SMITH', 'CLERK', 7902, to_date(' ','dd-mm-yyyy'), 800, null, , 'ALLEN', 'SALESMAN', 7698, to_date(' ','dd-mm-yyyy'), 1600, 300, , 'WARD', 'SALESMAN', 7698, to_date(' ','dd-mm-yyyy'), 1250, 500, , 'MARTIN', 'SALESMAN', 7698, to_date(' ','dd-mm-yyyy'), 1250, 1400, , 'TURNER', 'SALESMAN', 7698, to_date(' ','dd-mm-yyyy'), 1500, 0, 30
3 7876, 'ADAMS', 'CLERK', 7788, to_date('13-jul-87', 'dd-mm-rr') - 51, 1100, null, , 'JAMES', 'CLERK', 7698, to_date(' ','dd-mm-yyyy'), 950, null, , 'MILLER', 'CLERK', 7782, to_date(' ','dd-mm-yyyy'), 1300, null, 10 /* insert into salgrade values (1, 700, 1200 insert into salgrade values (2, 1201, 1400 insert into salgrade values (3, 1401, 2000 insert into salgrade values (4, 2001, 3000 insert into salgrade values (5, 3001, 9999 */ commit; Example 1: Definer and Invoker Rights Definer right is the default because it is very hard to manage privileges with invoker rights. You would have to analyze what the procedure is using and granularly assign privileges to users who need to execute the procedure. Pendant in the unix world: setuid bit. One of the worst enemies of security best practices. SQL>connect scott SCOTT>create or replace procedure scott.definer_give_raise_to_all(raise_amount_number) IS BEGIN update scott.emp set sal=sal+raise_amount; commit; END; /
4 SCOTT>grant execute on scott.definer_give_raise_to_all to ron; Grant succeeded. ron does not have update privilege on scott.emp; SQL>connect ron RON>update scott.emp set sal=sal+10; * ERROR at line 1: ORA-01031: insufficient privileges RON>exec scott.definer_give_raise_to_all(10 PL/SQL procedure successfully completed. SQL>connect scott SCOTT>create or replace procedure scott.invoker_give_raise_to_all(raise_amount_number) AUTHID CURRENT_USER IS BEGIN update scott.emp set sal=sal+raise_amount; commit; END; / SCOTT>grant execute on scott.invoker_give_raise_to_all to ron; Grant succeeded. SQL>connect ron RON>exec scott. invoker_give_raise_to_all(10 BEGIN scott. invoker_give_raise_to_all(10 END; * ERROR at line 1: ORA-01031: insufficient privileges ORA-06512: at "SCOTT.INVOKER_GIVE_RAISE_TO_ALL", line7 ORA-06512: at line 1 SQL>connect scott SCOTT>grant update on scott.emp to ron; Grant succeeded. SQL>connect ron RON>exec scott. invoker_give_raise_to_all(10 PL/SQL procedure successfully completed.
5
6 Example 2: Secure Application Roles Goal: Provide access to scott.emp for users whose name is in ename and who are managers. Step 1: Define View and grant privileges SQL>connect scott SCOTT>create view emp_job as (select ename, job from emp View created. SCOTT>grant select on emp_job to blake, james; Grant succeeded. SCOTT>-- revoke access to the base table SCOTT>revoke select on emp from blake,james; Step 2: Create secure application role and grant object privileges SQL>create role manager_role identified using access_control_policy; Role created. SQL>grant select on scott.emp to manager_role; Grant succeeded. only a procedure can activate the role SQL>set role manager_role; * ERROR at line 1: ORA-28201: Not enough privileges to enable application role "MANAGER_ROLE" Step 3: Build the procedure that assigns the role. It looks up the currently logged on user in the emp_job view. If it is a manager it sets the role granting access to the table. SCOTT> create or replace procedure access_control_policy authid current_user AS v_user varchar2(50 v_job varchar2(50 BEGIN -- get the user from the context v_user := lower((sys_context('userenv','session_user'))
7 -- get the job description select job into v_job from scott.emp_job where lower(ename) = v_user; -- if we are a manager then set the role if v_job = 'MANAGER' then dbms_session.set_role('manager_role' else null end if; END access_control_policy; / Step 4: grant execute privileges to the appropriate users SCOTT>grant execute on access_control_policy to blake, james; Step 5: test manually SCOTT>select * from emp_job; ENAME JOB BLAKE MANAGER JAMES CLERK SQL>connect blake BLAKE>exec scott.access_control_policy; PL/SQL procedure successfully completed. BLAKE>select * from session_roles; ROLE MANAGER_ROLE BLAKE>select max(sal) from scott.emp; MAX(SAL) SQL>connect james JAMES>exec scott.access_control_policy; PL/SQL procedure successfully completed. JAMES>select * from session_roles; ROLE CONNECT JAMES>select max(sal) from scott.emp; * ERROR at line 1: ORA-00942: table or view does not exist
8 Example 3a: Virtual Private database with Application Context Depending on the deptno of the database user the query to emp should return results or not. create an Application Context SQL>create context ctx_ex using sec_mgr.ctx_ex_mgr; SQL> ctx_ex : Namespace, ctx_ex_mgr: Namespace Manager SQL> create a lookup table SQL>create table lookup_dept as select ename username, deptno from emp; SQL> create the namespace manager SQL>create or replace package ctx_ex_mgr 1 as 2 procedure set_deptno; 3 procedure clear_deptno; 4 end; 5 / SQL> SQL>create or replace package body ctx_ex_mgr 1 as 2 procedure set_deptno 3 as 4 l_deptno number; 5 begin 6 select deptno into l_deptno from lookup_dept 7 where username = sys_context('userenv','session_user' 8 dbms_session.set_context(namespace=>'ctx_ex', 9 attribute=>'deptno', 10 value=>'l_deptno' 11 end set_deptno; 12 procedure clear_deptno 13 as 14 begin 15 dbms_session.clear_context(namespace=>'ctx_ex', 16 attribute=>'deptno' 17 end clear_deptno; 18 end ctx_ex_mgr; 19 / set the application context during logon automatically SQL>create or replace trigger set_user_deptno 1 after logon on database 2 begin
9 3 sec_mgr.ctx_ex_mgr.set_deptno; 4 exception 5 when no data found 6 then 7 null; 8 end; 9 / SQL> implement security policy manually create a view which restricts the user query to records within his dept. SQL>create or replace view my_dept_ctx 1 as 2 select * from emp where deptno=sys_context('ctx_ex','deptno'
10 Example 3b: Virtual Private database with Row Level security Depending on the deptno of the database user the query to emp should return results or not. define a predicate for the query rewriting SQL>create or replace function rls_dept(obj_owner in varchar2, 1 obj_name in varchar2) 2 return varchar2 3 as 4 deptno number; 5 predicate varchar2(200 6 begin 7 deptno:=sys_context('ctx_ex','dept' 8 if deptno is null then 9 predicate := '1=2'; 10 else 11 predicate := 'deptno=' deptno; 12 end if 13 return(predicate 14 end rls_dept; 15 / the delivered predicate value will be attached as where clause now create the VPD policy and attach it to the EMP table SQL>begin 1 dbms_rls.add_policy( 2 object_schema='scott', 3 object_name='emp', 4 policy_name='restrict_dept_policy', 5 function_schema='scott', 6 policy_function='rls_dept' 7 end; 8 / create another context for maintaining deptno SQL>create context ctx_ex2 using sec_mgr.set_ctx_ex2; SQL>create or replace procedure set_ctx_ex2 1 ( 2 deptno in number 3 ) 4 is 5 begin 6 dbms_session.set_context('ctx_ex2','dept',deptno 7 end; 8 / test the policy without setting the context SQL>select * from emp; No rows selected.
11 this is because of the '1=2' predicate which will used for the query rewrite; with context setting SQL>exec set_ctx_ex2(20 SQL>select * from emp; all rows with dept=20 becaue of the predicate deptn=20
Chapter 1. Writing Basic. SQL Statements
Chapter 1 Writing Basic SQL Statements 1 Objectives After completing this lesson, you should be able to do the following: List the capabilities of SQL SELECT statements Execute a basic SELECT statement
Subqueries Chapter 6
Subqueries Chapter 6 Objectives After completing this lesson, you should be able to do the follovving: Describe the types of problems that subqueries can solve Define subqueries List the types of subqueries
Database Design. Marta Jakubowska-Sobczak IT/ADC based on slides prepared by Paula Figueiredo, IT/DB
Marta Jakubowska-Sobczak IT/ADC based on slides prepared by Paula Figueiredo, IT/DB Outline Database concepts Conceptual Design Logical Design Communicating with the RDBMS 2 Some concepts Database: an
Displaying Data from Multiple Tables. Chapter 4
Displaying Data from Multiple Tables Chapter 4 1 Objectives After completing this lesson, you should be able to do the following: Write SELECT statements to access data from more than one table using equality
Displaying Data from Multiple Tables
Displaying Data from Multiple Tables 1 Objectives After completing this lesson, you should be able to do the following: Write SELECT statements to access data from more than one table using eguality and
SQL Introduction Chapter 7, sections 1 & 4. Introduction to SQL. Introduction to SQL. Introduction to SQL
SQL Introduction Chapter 7, sections 1 & 4 Objectives To understand Oracle s SQL client interface Understand the difference between commands to the interface and SQL language. To understand the Oracle
Producing Readable Output with SQL*Plus
Producing Readable Output with SQL*Plus Chapter 8 Objectives After completing this lesson, you should be able to do the following: Produce queries that require an input variable Customize the SQL*Plus
Oracle/SQL Tutorial 1
Oracle/SQL Tutorial 1 Michael Gertz Database and Information Systems Group Department of Computer Science University of California, Davis [email protected] http://www.db.cs.ucdavis.edu This Oracle/SQL
SQL> SELECT ename, job, sal Salary. 1.4.Will the SELECT statement execute successfully? True/False
BASES DE DATOS Ingeniería Técnica Informática Asignatura Obligatoria: 4.5 + 4.5 créditos (Segundo cuatrimestre) Curso académico 2000/2002 Relación de Ejercicios Prácticos TEMA 1. MANDATO SELECT BÁSICO
Relational Algebra. Query Languages Review. Operators. Select (σ), Project (π), Union ( ), Difference (-), Join: Natural (*) and Theta ( )
Query Languages Review Relational Algebra SQL Set operators Union Intersection Difference Cartesian product Relational Algebra Operators Relational operators Selection Projection Join Division Douglas
Data Models and Database Management Systems (DBMSs) Dr. Philip Cannata
Data Models and Database Management Systems (DBMSs) Dr. Philip Cannata 1 Data Models in the 1960s, 1970s, and 1980s Hierarchical Network (Graph) Relational Schema (Model) - first 1956 Vern Watts was IMS's
Procedural Extension to SQL using Triggers. SS Chung
Procedural Extension to SQL using Triggers SS Chung 1 Content 1 Limitations of Relational Data Model for performing Information Processing 2 Database Triggers in SQL 3 Using Database Triggers for Information
DECLARATION SECTION. BODY STATEMENTS... Required
1 EXCEPTION DECLARATION SECTION Optional BODY STATEMENTS... Required STATEMENTS Optional The above Construction is called PL/SQL BLOCK DATATYPES 2 Binary Integer (-2 **31-1,2**31+1) signed integer fastest
Examine the structure of the EMPLOYEES table: EMPLOYEE_ID NUMBER Primary Key FIRST_NAME VARCHAR2(25) LAST_NAME VARCHAR2(25)
Examine the structure of the EMPLOYEES table: EMPLOYEE_ID NUMBER Primary Key FIRST_NAME VARCHAR2(25) LAST_NAME VARCHAR2(25) Which three statements inserts a row into the table? A. INSERT INTO employees
14 Triggers / Embedded SQL
14 Triggers / Embedded SQL COMS20700 Databases Dr. Essam Ghadafi TRIGGERS A trigger is a procedure that is executed automatically whenever a specific event occurs. You can use triggers to enforce constraints
SQL*Plus User s Guide and Reference
SQL*Plus User s Guide and Reference Release 8.0 Part No. A53717 01 Enabling the Information Age SQL*Plus User s Guide and Reference, Release 8.0 Part No. A53717 01 Copyright 1997 Oracle Corporation All
Aggregating Data Using Group Functions
Aggregating Data Using Group Functions Objectives Capter 5 After completing this lesson, you should be able to do the following: Identify the available group functions Describe the use of group functions
RDBMS Using Oracle. Lecture Week 7 Introduction to Oracle 9i SQL Last Lecture. [email protected]. Joining Tables
RDBMS Using Oracle Lecture Week 7 Introduction to Oracle 9i SQL Last Lecture Joining Tables Multiple Table Queries Simple Joins Complex Joins Cartesian Joins Outer Joins Multi table Joins Other Multiple
Hacking and Protecting Oracle DB. Slavik Markovich CTO, Sentrigo
Hacking and Protecting Oracle DB Slavik Markovich CTO, Sentrigo What s This Presentation About? Explore SQL injection in depth Protect your code Finding vulnerable code Real world example What We'll Not
Database Access from a Programming Language: Database Access from a Programming Language
Database Access from a Programming Language: Java s JDBC Werner Nutt Introduction to Databases Free University of Bozen-Bolzano 2 Database Access from a Programming Language Two Approaches 1. Embedding
Database Access from a Programming Language:
Database Access from a Programming Language: Java s JDBC Werner Nutt Introduction to Databases Free University of Bozen-Bolzano 2 Database Access from a Programming Language Two Approaches 1. Embedding
Training Guide. PL/SQL for Beginners. Workbook
An Training Guide PL/SQL for Beginners Workbook Workbook This workbook should be worked through with the associated Training Guide, PL/SQL for Beginners. Each section of the workbook corresponds to a section
Oracle PL/SQL Injection
Oracle PL/SQL Injection David Litchfield What is PL/SQL? Procedural Language / Structured Query Language Oracle s extension to standard SQL Programmable like T-SQL in the Microsoft world. Used to create
Virtual Private Database Features in Oracle 10g.
Virtual Private Database Features in Oracle 10g. SAGE Computing Services Customised Oracle Training Workshops and Consulting. Christopher Muir Senior Systems Consultant Agenda Modern security requirements
Conversion Functions
Conversion Functions Conversion functions convert a value from one datatype to another. Generally, the form of the function names follows the convention datatype TO datatype. The first datatype is the
Retrieval: Multiple Tables and Aggregation
4487CH08.qxd 11/24/04 10:15 AM Page 191 CHAPTER 8 Retrieval: Multiple Tables and Aggregation This chapter resumes the discussion of the retrieval possibilities of the SQL language. It is a logical continuation
COMS20700 DATABASES 13 PL/SQL. COMS20700 Databases Dr. Essam Ghadafi
13 PL/SQL COMS20700 Databases Dr. Essam Ghadafi PL/SQL - OVERVIEW PL/SQL: Procedure Language/Structured Query Language. Provides programming languages features: IF, Loops, subroutines,... Code can be compiled
Oracle Database Security Features in the Banking Environment. Dr. Matthias Mann, DOAG
Oracle Database Security Features in the Banking Environment Dr. Matthias Mann, DOAG University of Applied Sciences, Cologne Campus Gummersbach 20.06.2013 AGENDA Database User Authentication and Authorization
9 Using Triggers. Using Triggers 9-1
9 Using Triggers Triggers are procedures that are stored in the database and implicitly run, or fired, when something happens. Traditionally, triggers supported the execution of a PL/SQL block when an
Review your answers, feedback, and question scores below. An asterisk (*) indicates a correct answer.
est: Final Exam Semester 1 Review your answers, feedback, and question scores below. An asterisk (*) indicates a correct answer. Section 6 1. How can you retrieve the error code and error message of any
Triggers & Packages. {INSERT [OR] UPDATE [OR] DELETE}: This specifies the DML operation.
Triggers & Packages An SQL trigger is a mechanism that automatically executes a specified PL/SQL block (referred to as the triggered action) when a triggering event occurs on the table. The triggering
Using TimesTen between your Application and Oracle. between your Application and Oracle. DOAG Conference 2011
DOAG Conference 2011 Using TimesTen between your Application and Oracle Jan Ott, Roland Stirnimann Senior Consultants Trivadis AG BASEL 1 BERN LAUSANNE ZÜRICH DÜSSELDORF FRANKFURT A.M. FREIBURG I.BR. HAMBURG
Chapter 2: Security in DB2
2. Security in DB2 2-1 DBA Certification Course (Summer 2008) Chapter 2: Security in DB2 Authentication DB2 Authorities Privileges Label-Based Access Control 2. Security in DB2 2-2 Objectives After completing
Oracle 12c New Features For Developers
Oracle 12c New Features For Developers Presented by: John Jay King Download this paper from: 1 Session Objectives Learn new Oracle 12c features that are geared to developers Know how existing database
NEW AND IMPROVED: HACKING ORACLE FROM WEB. Sumit sid Siddharth 7Safe Limited UK
NEW AND IMPROVED: HACKING ORACLE FROM WEB Sumit sid Siddharth 7Safe Limited UK About 7Safe Part of PA Consulting Group Security Services Penetration testing PCI-DSS Forensics Training E-discovery About
Oracle Database 12c: Introduction to SQL Ed 1.1
Oracle University Contact Us: 1.800.529.0165 Oracle Database 12c: Introduction to SQL Ed 1.1 Duration: 5 Days What you will learn This Oracle Database: Introduction to SQL training helps you write subqueries,
MONASH UNIVERSITY. Faculty of Information Technology
CSE2132/CSE9002 - Tutorial 1 Database Concept Exercises TOPICS - Database Concepts; Introduction to Oracle Part 1 (To be done in the students own time then discussed in class if necessary.) Hoffer,Prescott
Objectives. Oracle SQL and SQL*PLus. Database Objects. What is a Sequence?
Oracle SQL and SQL*PLus Lesson 12: Other Database Objects Objectives After completing this lesson, you should be able to do the following: Describe some database objects and their uses Create, maintain,
Oracle Database: Introduction to SQL
Oracle University Contact Us: +381 11 2016811 Oracle Database: Introduction to SQL Duration: 5 Days What you will learn Understanding the basic concepts of relational databases ensure refined code by developers.
Oracle For Beginners Page : 1
Oracle For Beginners Page : 1 Chapter 22 OBJECT TYPES Introduction to object types Creating object type and object Using object type Creating methods Accessing objects using SQL Object Type Dependencies
CSC 443 Data Base Management Systems. Basic SQL
CSC 443 Data Base Management Systems Lecture 6 SQL As A Data Definition Language Basic SQL SQL language Considered one of the major reasons for the commercial success of relational databases SQL Structured
Oracle Database: Introduction to SQL
Oracle University Contact Us: 1.800.529.0165 Oracle Database: Introduction to SQL Duration: 5 Days What you will learn View a newer version of this course This Oracle Database: Introduction to SQL training
There are five fields or columns, with names and types as shown above.
3 THE RELATIONAL MODEL Exercise 3.1 Define the following terms: relation schema, relational database schema, domain, attribute, attribute domain, relation instance, relation cardinality, andrelation degree.
Objectives of SQL. Terminology for Relational Model. Introduction to SQL
Karlstad University Department of Information Systems Adapted for a textbook by Date C. J. An Introduction to Database Systems Pearson Addison Wesley, 2004 Introduction to SQL Remigijus GUSTAS Phone: +46-54
Fine Grained Auditing In Oracle 10G
Fine Grained Auditing In Oracle 10G Authored by: Meenakshi Srivastava ([email protected]) 2 Abstract The purpose of this document is to develop an understanding of Fine Grained Auditing(FGA)
Database programming 20/08/2015. DBprog news. Outline. Motivation for DB programming. Using SQL queries in a program. Using SQL queries in a program
DBprog news Database programming http://eric.univ-lyon2.fr/~jdarmont/?page_id=451 M1 Informatique Year 2015-2016 Jérôme Darmont http://eric.univ-lyon2.fr/~jdarmont/ http://eric.univ-lyon2.fr/~jdarmont/?feed=rss2
Databases What the Specification Says
Databases What the Specification Says Describe flat files and relational databases, explaining the differences between them; Design a simple relational database to the third normal form (3NF), using entityrelationship
Oracle Database 10g: Introduction to SQL
Oracle University Contact Us: 1.800.529.0165 Oracle Database 10g: Introduction to SQL Duration: 5 Days What you will learn This course offers students an introduction to Oracle Database 10g database technology.
DEPARTMENT OF COMPUTER SCIENCE AND ENGINEERING DR.NAVALAR NEDUNCHEZHIAYN COLLEGE OF ENGINEERING, THOLUDUR-606303, CUDDALORE DIST.
CS2258-DATABASE MANAGEMENT SYSTEM LABORATORY LABORATORY MANUAL FOR IV SEMESTER B. E / CSE & IT (FOR PRIVATE CIRCULATION ONLY) ACADEMIC YEAR: 2013 2014 (EVEN) ANNA UNIVERSITY, CHENNAI DEPARTMENT OF COMPUTER
SQL, PL/SQL FALL Semester 2013
SQL, PL/SQL FALL Semester 2013 Rana Umer Aziz MSc.IT (London, UK) Contact No. 0335-919 7775 [email protected] EDUCATION CONSULTANT Contact No. 0335-919 7775, 0321-515 3403 www.oeconsultant.co.uk
UnionSys Technologies Securing Stored Data Using Transparent Data Encryption And Disaster Recovery Solution
UnionSys Technologies Securing Stored Data Using Transparent Data Encryption And Disaster Recovery Solution UnionSys Technologies Transparent Data Encryption 1 CONTENTS Introduction... 3 Purpose... 3 Scope...
An Oracle White Paper June 2014. RESTful Web Services for the Oracle Database Cloud - Multitenant Edition
An Oracle White Paper June 2014 RESTful Web Services for the Oracle Database Cloud - Multitenant Edition 1 Table of Contents Introduction to RESTful Web Services... 3 Architecture of Oracle Database Cloud
Oracle Database: Introduction to SQL
Oracle University Contact Us: 1.800.529.0165 Oracle Database: Introduction to SQL Duration: 5 Days What you will learn This Oracle Database: Introduction to SQL training teaches you how to write subqueries,
Best Practices for Dynamic SQL
The PL/SQL Channel Writing Dynamic SQL in Oracle PL/SQL Best Practices for Dynamic SQL Steven Feuerstein [email protected] www.stevenfeuerstein.com www.plsqlchallenge.com Quick Reminders Download
Database Programming with PL/SQL: Learning Objectives
Database Programming with PL/SQL: Learning Objectives This course covers PL/SQL, a procedural language extension to SQL. Through an innovative project-based approach, students learn procedural logic constructs
ORACLE 9I / 10G / 11G / PL/SQL COURSE CONTENT
ORACLE 9I / 10G / 11G / PL/SQL COURSE CONTENT INTRODUCTION: Course Objectives I-2 About PL/SQL I-3 PL/SQL Environment I-4 Benefits of PL/SQL I-5 Benefits of Subprograms I-10 Invoking Stored Procedures
Mini User's Guide for SQL*Plus T. J. Teorey
Mini User's Guide for SQL*Plus T. J. Teorey Table of Contents Oracle/logging-in 1 Nested subqueries 5 SQL create table/naming rules 2 Complex functions 6 Update commands 3 Save a query/perm table 6 Select
Instant SQL Programming
Instant SQL Programming Joe Celko Wrox Press Ltd. INSTANT Table of Contents Introduction 1 What Can SQL Do for Me? 2 Who Should Use This Book? 2 How To Use This Book 3 What You Should Know 3 Conventions
Review your answers, feedback, and question scores below. An asterisk (*) indicates a correct answer.
Test: Final Exam Semester 1 Review your answers, feedback, and question scores below. An asterisk (*) indicates a correct answer. Section 6 1. The following code does not violate any constraints and will
5. CHANGING STRUCTURE AND DATA
Oracle For Beginners Page : 1 5. CHANGING STRUCTURE AND DATA Altering the structure of a table Dropping a table Manipulating data Transaction Locking Read Consistency Summary Exercises Altering the structure
Part A: Data Definition Language (DDL) Schema and Catalog CREAT TABLE. Referential Triggered Actions. CSC 742 Database Management Systems
CSC 74 Database Management Systems Topic #0: SQL Part A: Data Definition Language (DDL) Spring 00 CSC 74: DBMS by Dr. Peng Ning Spring 00 CSC 74: DBMS by Dr. Peng Ning Schema and Catalog Schema A collection
Advanced SQL Injection in Oracle databases. Esteban Martínez Fayó
Advanced SQL Injection in Oracle databases Esteban Martínez Fayó February 2005 Outline Introduction SQL Injection attacks How to exploit Exploit examples SQL Injection in functions defined with AUTHID
Demystified CONTENTS Acknowledgments xvii Introduction xix CHAPTER 1 Database Fundamentals CHAPTER 2 Exploring Relational Database Components
Acknowledgments xvii Introduction xix CHAPTER 1 Database Fundamentals 1 Properties of a Database 1 The Database Management System (DBMS) 2 Layers of Data Abstraction 3 Physical Data Independence 5 Logical
Ch.5 Database Security. Ch.5 Database Security Review
User Authentication Access Control Database Security Ch.5 Database Security Hw_Ch3, due today Hw_Ch4, due on 2/23 Review Questions: 4.1, 4.3, 4.6, 4.10 Problems: 4.5, 4.7, 4.8 How about the pace of the
How To Create A Table In Sql 2.5.2.2 (Ahem)
Database Systems Unit 5 Database Implementation: SQL Data Definition Language Learning Goals In this unit you will learn how to transfer a logical data model into a physical database, how to extend or
DBMS Questions. 3.) For which two constraints are indexes created when the constraint is added?
DBMS Questions 1.) Which type of file is part of the Oracle database? A.) B.) C.) D.) Control file Password file Parameter files Archived log files 2.) Which statements are use to UNLOCK the user? A.)
Elena Baralis, Silvia Chiusano Politecnico di Torino. Pag. 1. Active database systems. Triggers. Triggers. Active database systems.
Active database systems Database Management Systems Traditional DBMS operation is passive Queries and updates are explicitly requested by users The knowledge of processes operating on data is typically
Presentation of database relational schema (schema 1) Create Universe step by step
Presentation of database relational schema (schema 1) Create Universe step by step The steps are as follows : 1 Create Oracle schema 2 Connect with administration module 3 Create repository 4 Create universe
Scheme G. Sample Test Paper-I
Scheme G Sample Test Paper-I Course Name : Computer Engineering Group Course Code : CO/CM/IF/CD/CW Marks : 25 Hours: 1 Hrs. Q.1 Attempt Any THREE. 09 Marks a) List any six applications of DBMS. b) Define
SQL Simple Queries. Chapter 3.1 V3.0. Copyright @ Napier University Dr Gordon Russell
SQL Simple Queries Chapter 3.1 V3.0 Copyright @ Napier University Dr Gordon Russell Introduction SQL is the Structured Query Language It is used to interact with the DBMS SQL can Create Schemas in the
VARRAY AND NESTED TABLE
Oracle For Beginners Page : 1 Chapter 23 VARRAY AND NESTED TABLE What is a collection? What is a VARRAY? Using VARRAY Nested Table Using DML commands with Nested Table Collection methods What is a collection?
Data Big and Small: How Publisher gain Value out of Data in the Future
Data Big and Small: How Publisher gain Value out of Data in the Future WS 4: Frank Föge MarkLogic, Oliver Zmorek De Gruyter, Stefan Schwedt Newbooks Solutions Agenda Introduction De Gruyter, Newbooks &
Oracle Database: SQL and PL/SQL Fundamentals
Oracle University Contact Us: 1.800.529.0165 Oracle Database: SQL and PL/SQL Fundamentals Duration: 5 Days What you will learn This course is designed to deliver the fundamentals of SQL and PL/SQL along
Oracle Database 11g SQL
AO3 - Version: 2 19 June 2016 Oracle Database 11g SQL Oracle Database 11g SQL AO3 - Version: 2 3 days Course Description: This course provides the essential SQL skills that allow developers to write queries
Handling Exceptions. Schedule: Timing Topic. 45 minutes Lecture 20 minutes Practice 65 minutes Total
23 Handling Exceptions Copyright Oracle Corporation, 1999. All rights reserved. Schedule: Timing Topic 45 minutes Lecture 20 minutes Practice 65 minutes Total Objectives After completing this lesson, you
AUTHENTICATION... 2 Step 1:Set up your LDAP server... 2 Step 2: Set up your username... 4 WRITEBACK REPORT... 8 Step 1: Table structures...
AUTHENTICATION... 2 Step 1:Set up your LDAP server... 2 Step 2: Set up your username... 4 WRITEBACK REPORT... 8 Step 1: Table structures... 8 Step 2: Import Tables into BI Admin.... 9 Step 3: Creating
Database Query 1: SQL Basics
Database Query 1: SQL Basics CIS 3730 Designing and Managing Data J.G. Zheng Fall 2010 1 Overview Using Structured Query Language (SQL) to get the data you want from relational databases Learning basic
Introduction to SQL and database objects
Introduction to SQL and database objects IBM Information Management Cloud Computing Center of Competence IBM Canada Labs 1 2011 IBM Corporation Agenda Overview Database objects SQL introduction The SELECT
How To Name A Program In Apl/Sql
PL/SQL This section will provide a basic understanding of PL/SQL. This document will briefly cover the main concepts behind PL/SQL and provide brief examples illustrating the important facets of the language.
Oracle to MySQL Migration
to Migration Stored Procedures, Packages, Triggers, Scripts and Applications White Paper March 2009, Ispirer Systems Ltd. Copyright 1999-2012. Ispirer Systems Ltd. All Rights Reserved. 1 Introduction The
GUJARAT TECHNOLOGICAL UNIVERSITY
GUJARAT TECHNOLOGICAL UNIVERSITY COMPUTER ENGINEERING (07) / INFORMATION TECHNOLOGY (16) / INFORMATION & COMMUNICATION TECHNOLOGY (32) DATABASE MANAGEMENT SYSTEMS SUBJECT CODE: 2130703 B.E. 3 rd Semester
Programming Database lectures for mathema
Programming Database lectures for mathematics students April 25, 2015 Functions Functions are defined in Postgres with CREATE FUNCTION name(parameter type,...) RETURNS result-type AS $$ function-body $$
Oracle(PL/SQL) Training
Oracle(PL/SQL) Training 30 Days Course Description: This course is designed for people who have worked with other relational databases and have knowledge of SQL, another course, called Introduction to
The Structured Query Language. De facto standard used to interact with relational DB management systems Two major branches
CSI 2132 Tutorial 6 The Structured Query Language (SQL) The Structured Query Language De facto standard used to interact with relational DB management systems Two major branches DDL (Data Definition Language)
Oracle Database 10g Express
Oracle Database 10g Express This tutorial prepares the Oracle Database 10g Express Edition Developer to perform common development and administrative tasks of Oracle Database 10g Express Edition. Objectives
SQL NULL s, Constraints, Triggers
CS145 Lecture Notes #9 SQL NULL s, Constraints, Triggers Example schema: CREATE TABLE Student (SID INTEGER PRIMARY KEY, name CHAR(30), age INTEGER, GPA FLOAT); CREATE TABLE Take (SID INTEGER, CID CHAR(10),
Oracle 10g PL/SQL Training
Oracle 10g PL/SQL Training Course Number: ORCL PS01 Length: 3 Day(s) Certification Exam This course will help you prepare for the following exams: 1Z0 042 1Z0 043 Course Overview PL/SQL is Oracle's Procedural
EclipseLink. Developing Persistence Architectures Using EclipseLink Database Web Services Release 2.5. April 2013. Beta Draft
EclipseLink Developing Persistence Architectures Using EclipseLink Database Web Services Release 2.5 April 2013 Beta Draft Developing Persistence Architectures Using EclipseLink Database Web Services,
Oracle Database: SQL and PL/SQL Fundamentals NEW
Oracle University Contact Us: + 38516306373 Oracle Database: SQL and PL/SQL Fundamentals NEW Duration: 5 Days What you will learn This Oracle Database: SQL and PL/SQL Fundamentals training delivers the
Access to Relational Databases Using SAS. Frederick Pratter, Destiny Corp.
Paper TF-21 Access to Relational Databases Using SAS ABSTRACT Frederick Pratter, Destiny Corp. SAS software currently provides many of the features of a database management system, including database views
SQL DATA DEFINITION: KEY CONSTRAINTS. CS121: Introduction to Relational Database Systems Fall 2015 Lecture 7
SQL DATA DEFINITION: KEY CONSTRAINTS CS121: Introduction to Relational Database Systems Fall 2015 Lecture 7 Data Definition 2 Covered most of SQL data manipulation operations Continue exploration of SQL
Benefits of Normalisation in a Data Base - Part 1
Denormalisation (But not hacking it) Denormalisation: Why, What, and How? Rodgers Oracle Performance Tuning Corrigan/Gurry Ch. 5, p69 Stephen Mc Kearney, 2001. 1 Overview Purpose of normalisation Methods
Databases and BigData
Eduardo Cunha de Almeida [email protected] Outline of the course Introduction Database Systems (E. Almeida) Distributed Hash Tables and P2P (C. Cassagnes) NewSQL (D. Kim and J. Meira) NoSQL (D. Kim)
Oracle For Beginners Page : 1
Oracle For Beginners Page : 1 Chapter 24 NATIVE DYNAMIC SQL What is dynamic SQL? Why do we need dynamic SQL? An Example of Dynamic SQL Execute Immediate Statement Using Placeholders Execute a Query Dynamically
All About Oracle Auditing A White Paper February 2013
A White Paper February 2013 Sr Staff Consultant Database Specialists, Inc http:www.dbspecialists.com [email protected] Many organizations keep their most sensitive and valuable information in an
Oracle. Brief Course Content This course can be done in modular form as per the detail below. ORA-1 Oracle Database 10g: SQL 4 Weeks 4000/-
Oracle Objective: Oracle has many advantages and features that makes it popular and thereby makes it as the world's largest enterprise software company. Oracle is used for almost all large application
Oracle Database: SQL and PL/SQL Fundamentals
Oracle University Contact Us: +966 12 739 894 Oracle Database: SQL and PL/SQL Fundamentals Duration: 5 Days What you will learn This Oracle Database: SQL and PL/SQL Fundamentals training is designed to
