UC BERKELEY EXTENSION
|
|
|
- Terence Booth
- 10 years ago
- Views:
Transcription
1 UC BERKELEY EXTENSION Database/Application/Programming Courses Instructor: Michael Kremer, Ph.D. Course Title: SQL Database Programming Course Subtitle: Oracle PL/SQL and SQL Server T-SQL
2
3 Instructor: Michael Kremer, Ph.D. Web Site: Copyright 2015 All rights reserved. This publication, or any part thereof, may not be reproduced or transmitted in any form or by any means, electronic or mechanical, including photocopying, recording, storing, or otherwise without expressed permission. 4 th Edition I C O N K E Y Note Example Warning
4 TABLE OF CONTENT CLASS INTRODUCTION TO ORACLE/SQL SERVER DATABASE PROGRAMMING SQL and Database Programming Structure of Database Programs Differences between Oracle and SQL Server... 5 Versions and Editions... 5 Instances and Databases/Tablespaces... 6 Instance Names vs. SIDs System Databases and System Tablespaces Graphical Database Management Tools SQL Server Management Studio (SSMS) Oracle SQL Developer CLASS LANGUAGE FUNDAMENTALS OF PL/SQL AND T-SQL Structure of Programming Code Basic Language Components Literal Values Delimiters Comments Identifier Reserved Words Datatypes Numeric Data Types Character Data Types Temporal Data Types Miscellaneous Data Types Datatype Conversion Number Conversions Date/Time Conversion Built-In Functions, System Functions CLASS DECLARING VARIABLES/CONSTANTS Variable Declaration Statement Variable Assignment Statement Constants, Default Values, NOT NULL constraint... 55
5 4. FLOW CONTROL STRUCTURES Decision Structures The IF Statement Short-Circuit IF Processing CASE Statement Simple CASE Searched CASE Order-Dependent Logic Loop Structures Simple Loop For Loop While Loop EXCEPTION HANDLING Introduction to Exception Handling Basic Exception Handling Programmer-Defined Exceptions Built-In Error Functions CLASS STORED FUNCTIONS Introduction to Functions Writing Basic Functions Create Function Statement Return/Returns Datatype Function Parameters Integration of Functions and SQL Advanced Functions CLASS STORED PROCEDURES Introduction to Stored Procedures Basic Stored Procedures Parameters IN Mode OUT Mode IN OUT Mode Parameter Association Overloading Procedures CLASS USING DECLARATIVE SQL IN PROCEDURAL SQL
6 8.1 DML In Procedural SQL Insert Statement Update Statement Delete Statement Other DML Statements Attributes for DML Statements Returning Information from DML Statements Transaction Management Transactions Commit Statement Rollback Statement SAVEPOINT/SAVE statement Autonomous Transactions CLASS DATABASE TRIGGERS Overview of Triggers DML Trigger Concepts Basic DML Triggers Advanced DML Triggers Mutating Table Error Status Transition Rules Simple Audit Example INSTEAD OF Triggers CLASS CURSORS Cursor Basics Declaring Cursors Opening Cursors Fetching Cursors Closing Cursors Cursor Optimization Tips Cursor Parameters Cursor Variables Data Updates using Cursors FOR UPDATE Clause CURRENT OF Clause DYNAMIC SQL Overview of Dynamic SQL Basic Dynamic SQL CLASS
7 12. ADVANCED DYNAMIC SQL Parameterized Dynamic SQL Dynamic Data Pivoting SQL Injection ADVANCED EXCEPTION HANDLING Unhandled Exceptions Continue Past Exceptions Exceptions and Transactions CLASS ADVANCED TOPICS Optimistic/Pessimistic Concurrency Models Concurrency Issues Single/Multi- Version Databases Read Uncommited Isolation Read Committed Isolation Repeatable Read Isolation Serializable Isolation Multi-Version Database, Snapshot Isolation Conflict Detection Multi-Version Database, Read Committed Snapshot Sending Other Advanced Topics
8
9 CLASS 1 1. Introduction to Oracle/SQL Server Database Programming In this first chapter we will cover the basics of structured database programming languages. The standard non-procedural language SQL is supplemented with a procedural framework on most database platforms. Unfortunately, the procedural database language is not standardized at this point. Therefore, every database platform is different in terms of how the procedural framework is implemented and its syntax. 1.1 SQL and Database Programming The non-procedural SQL language has its limitations to meet the various and complex business needs of today s organizations. Since SQL was standardized fairly early on (1980 s and 90 s) and the need for procedural database processing became more evident later on, database vendors added their own procedural framework to interact with non-procedural SQL. Several major RDBMS vendors support a procedural dialect of SQL that adds looping, branching, and flow of control statements. The non-procedural SQL language is set based. A set based approach is actually an approach which lets you specify "what to do", but does not let you specify "how to do". That is, you just specify your requirement for a processed result that has to be obtained from a "set of data" (be it a simple table/view, or joins of tables/views), filtered by optional condition(s). Sometimes, the specification of the "sets" you like to retrieve data from may be obtained by using complex joins/subqueries/conditional case statements, but in the end, there is a set of data from which the resultant set has to be obtained. You never have to specify "how" the data retrieval operation has to be implemented internally. You never have to specify how to implement the "joining operation" internally either. Also, you do not have to specify how to apply a filter condition against the rows. The database engine determines the best possible algorithms or processing logic to do these. On the other hand, procedural SQL programming works differently. Simply speaking, a procedural approach is actually the "programmatic approach" that we are used to working with in our daily programming life. In this approach, we tell the system "what to do" along with "how to do" it. We query the database to obtain a result set and we write the data operational and manipulation logic using loops, conditions, and processing statements to produce the final result. The runtime does whatever we want it to do, however we want it to do. 1. Introduction to Oracle/SQL Server Database Programming SQL and Database Programming
10 Using a cursor that executes on a result set row by row is a procedural approach. For example, if you are querying your database to obtain a result set and using a cursor to navigate the result set to do further processing row by row, you are using a procedural approach. Also, if you are using a function in your SQL for processing each row in the result set to calculate a scalar output, you are using a procedural approach. The internal execution engines of databases are designed and optimized for taking "set based instructions" as input (SQL) and executing these instructions in the best possible way (that varies based on a lot of criteria) to produce an output. That is why "Set based approaches" are almost always the better option. When SQL written in a "Set based approach" is issued against the database, the query optimizer generates an execution plan first, and then the execution engine executes the plan to retrieve data from the physical storage and processes the output in an efficient manner. That is, there is a single execution plan tree for each single SQL statement, be it simple or complex. Executing that single execution plan tree is generally a faster operation. But, when we specify our own way of processing a result set (that is obtained by executing a SQL statement) using another SQL statement that works on a row-by-row manner in the result set, the database engine has to execute an execution plan for each and every row, even after obtaining the result set by executing an execution plan. Imagine a row-by-row operation that is executed for a result set containing 1 million rows. In this case, the initial data retrieval operation would require an execution plan to be executed, and later, another execution plan has to be repeated 1 million times for each row processed. That is what happens when a function is executed for each row in a result set. An additional overhead of using functions is the amount of stack I/O that takes place for invoking the function. On the other hand, if you use a Cursor to process a result set row-by-row, while executing, the cursor locks the rows in the corresponding table, and unlocks the rows when processing is done. This involves lots of resource usage on the server, and in the case of large result sets, severely slows down performance. The underlying message here is that you want to minimize the amount of procedural SQL for performance reasons. Many procedural SQL code can be rewritten into non-procedural SQL statements using subqueries and other sophisticated, new SQL commands such as the With clause. 1. Introduction to Oracle/SQL Server Database Programming SQL and Database Programming
11 1.2 Structure of Database Programs The structure of procedural database programs is very similar to many other programming languages. Each program has a distinct name, you may pass arguments into the program, and the program can also return values back to the calling environment. This part is called the header section. The structure itself consists of a declaration section where mostly variables are declared and the actual executable section. And last, but not least, there can be an exception section where errors are handled in a customized manner. Leaving the exception section out will trigger the default error handling of the environment. In Oracle as well as in SQL Server the structure of the database programs are equal, they just differ by the implementation or the syntax as shown in Figure 1 below. Oracle PL/SQL SQL Server T-SQL Header Header IS AS Declaration Begin Try Begin Execution Execution Exception End Try Begin Catch Exception Exception End Catch End; Figure 1: Program Structure Syntax Oracle vs. SQL Server 1. Introduction to Oracle/SQL Server Database Programming Structure of Database Programs
12 In Oracle only, you can also divide your program into smaller, manageable components by using nested procedures. A nested procedure is a sub program embedded in the main program that can only be called or referenced by the main program. Note: You can always create additional procedures that can be called from each other. The only difference is that they are stand-alone, individual programs. A nested program resides within the main program and belongs to the main program. Oracle PL/SQL Header IS Declaration Main Program IS Begin End; Begin Header Declaration Execution Sub Program Execution End; Figure 2: Nested Program Structure in Oracle 1. Introduction to Oracle/SQL Server Database Programming Structure of Database Programs
13 1.3 Differences between Oracle and SQL Server At this point in time, MS SQL Server runs only on the Windows platform whereas Oracle runs on Windows, Linux, and the various varieties of UNIX flavored platforms (Solaris, HP-UX, AIX). Versions and Editions The current version of SQL Server (as of time of this writing) is Past SQL Server versions include version 2000, 2005, 2008, Many companies are still running 2005, this was a major release compared to version Oracle s current version is 12c R1. Oracle has come a long way. The version number 12 actually represents the number of versions the Oracle database has evolved. Many companies are still running Oracle versions 9i at this time. SQL Server 2012 comes with the following versions: Enterprise Editon: The Enterprise Edition is for mission critical applications and data warehousing. Business Intelligence Edition (new): The Business Intelligence Edition is for premium corporate and self-service Business Intelligence capabilities. Standard Edition: The Standard Editions is for basic database capabilities, reporting and analytics. Express Edition: A small footprint, embedded SQL Server engine that can be used for local data storage and small scale system development. The Express Edition is free to download and can be freely redistributed with a software. Developer Edition: Every feature of the Enterprise is available in the Developer Edition. However, it is licensed for use by one user at a time and is meant to be used for development and testing purposes. Note: SQL Version 2008 contained additional editions, such as Premium, Web, Compact, and Workgroup editions. In version 2012, the number of editions has been reduced to basically three (besides Express and Developer editions) to simplify the selection for customers. 1. Introduction to Oracle/SQL Server Database Programming Differences between Oracle and SQL Server
14 For the current version of Oracle, the following editions are available: Enterprise Edition: This edition offers top performance for top money. Like the SQL counterpart, every feature and capability of the product is enabled in this edition. Standard Edition: Much like the SQL Server Business Intelligence Edition, the Oracle Standard Edition has major features of the product enabled and is suitable for most business applications. Standard Edition One: This edition is designed for small workgroups and licensed for minimum of 5 users. Express Edition: This is a low footprint, small-scale, starter database for development purposes and is licensed for free redistributions. The Express Edition is still in version 11. Oracle Database Personal Edition: Oracle Database Personal Edition supports single-user development and deployment environments that require full compatibility with Oracle Database Standard Edition One, Oracle Database Standard Edition, and Oracle Database Enterprise Edition. The table below shows the different editions of both products and how they compare: SQL Server 2012 Enterprise Edition Business Intelligence Edition Standard Edition Express Edition Developer Edition Oracle 12c R1 Enterprise Edition Standard Edition Standard Edition One Express Edition Personal Edition Table 1: Edition Comparisons SQL Server vs. Oracle Instances and Databases/Tablespaces The first architecture level difference between SQL Server and Oracle is in the concept of instances and databases. An instance in SQL Server terms means a self-contained application service that involves operating system files, memory structures, background processes and registry information. An instance is represented by a service in Windows and can be either in a running or stopped state. When running, an instance occupies a portion of the server s memory and also spawns a number of background processes. 1. Introduction to Oracle/SQL Server Database Programming Differences between Oracle and SQL Server
15 Central to a SQL Server instance are its databases. A SQL Server database is the repository of data and the program code for manipulating that data. If an instance is not running, databases within it cannot be accessed. There are two types of SQL Server databases: system databases and user databases. When a SQL Server instance is first installed, five system databases are created: master, model, msdb, tempdb and resource. If there is more than one SQL Server instance running in a machine, each instance will have its own dedicated set of system databases. An instance cannot start if any of its system databases except msdb is inaccessible or corrupted. User databases on the other hand are created by DBAs and developers after the instance has been installed and the system databases have started. These are the databases that store an organization s business information. In short, a SQL Server instance will always include databases (even if it is only the system ones) and a database will always be associated with one (and only one) instance. At the physical level, a SQL Server database is represented by a set of operating system files residing in the server s disk system. There are two types of database files: the data file and the transaction log file. At the very minimum, a database will have one data file and one transaction log file. A data file is the main repository of information in a SQL database. A transaction log file on the other hand records the changes that have been applied to the data. This file is required by SQL Server for system recovery. A data or log file will always belong to a particular database: no two databases can share the same data or log file. If the database is large, it can have multiple data files. Multiple data files in a database can be logically grouped into structures known as filegroups. With Oracle, it works in somewhat reverse direction. When Oracle starts, it works just like SQL Server in that a portion of the server s memory is allocated for its operation. This memory area, known as the System Global Area (SGA), is divided into a number of distinct structures. Along with the memory space, a number of background processes are also started that interact with the SGA. Together, the memory space and the processes constitute an Oracle instance. Note that the Oracle database is still not in the picture. In fact an Oracle instance could be running perfectly okay without its database even being online or accessible. When installing Oracle, there is an option to install only the software and to create the database later. A database in Oracle is a collection of operating system files. Unlike SQL Server, an Oracle database does not represent the logical grouping of objects; rather it is a single, collective term for a number of files on the disk that primarily hold data. The files that make up an Oracle database can be classified into three types: data file, redo log file and the control file. Data files are where all the data resides. There can be any number of data files in an Oracle database. Redo log files are like SQL Server transaction logs in that they record every change made to the data and is used for system recovery. Control files are a special kind of file that contains small but vital pieces of information about the database. Without 1. Introduction to Oracle/SQL Server Database Programming Differences between Oracle and SQL Server
16 this file, the instance will not be able to open the database. Apart from data, redo log and control files, the database will also contain a parameter file, password file and optionally, archive log files. Logical Physical Oracle: Tablespaces SQL Server: Databases Oracle: Data Files SQL Server: DB Files Oracle: Segments SQL Server: N/A Oracle: Extents SQL Server: Extents Oracle: Data Blocks SQL Server: Pages OS Block Figure 3: Logical and Physical Structure of SQL Server/Oracle When an Oracle system starts, at first the instance is created in the memory. The instance then connects to the database residing on disk and finally opens the database for user interaction. When the system is shut down, the instance is erased from memory: all the memory structures and the processes are gone, but the database will still exist in the disk, albeit in a closed state. As said previously, it is possible to have the Oracle instance running without opening the database this is a major difference from SQL Server where an instance cannot start without its systems databases being online first. However, just like SQL Server, it is impossible to connect to an Oracle database if the instance has not started. 1. Introduction to Oracle/SQL Server Database Programming Differences between Oracle and SQL Server
17 Generally the relationship between an Oracle instance and its database is one-to-one. An instance will have one database associated with it. A database on the other hand can have one or more instances accessing it. A standalone Oracle installation will comprise of a single instance accessing a single database. Oracle installations configured as RAC (Real Application Cluster) will have multiple instances running in different machines accessing the same database in a shared disk. So where does the logical grouping of database objects lie within Oracle? In SQL Server, this logical grouping is done by the database itself. For Oracle, it is done through something called tablespaces. An Oracle tablespace is a logical structure that groups together tables, views, indexes and other database objects. For example, your production Oracle database may have one tablespace dedicated for the HR application and another tablespace for payroll. Each tablespace is physically represented by one or more data files on disk and form a part of the database. The database is logically made up of a number of tablespaces and the tablespaces in turn are physically made up of one or more data files. So Oracle s equivalent to a SQL Server database is a tablespace. And since they are so similar in their functions, the process of creating a database in SQL Server is quite similar to creating a tablespace in Oracle. Whether creating a database or a tablespace, the DBA needs to specify a name first. The DBA then assigns one or more data files to the database or tablespace and specifies the initial size and growth increments for each file. Just like a SQL Server user database can be made offline or read-only, so can be an Oracle user tablespace. And just like one or more data files in a SQL Server user database can be made read-only, one or more data files in an Oracle user tablespace can be marked offline. However, databases and tablespaces do differ in the following areas: In SQL Server, database files can be logically grouped into filegroups. Oracle tablespaces do not have this concept. In SQL Server databases, each database will have its own transaction log and the log file properties will need to be specified during database creation. For Oracle, transactions for the whole database (that means for every tablespace) are recorded in one redo log. Consequently, there is no provision to create individual log files for tablespaces. For SQL Server, the database can be created with simple recovery mode. Simple recovery mode means the inactive portion of the database log will be truncated after each checkpoint. Oracle has a similar concept, but it is not possible to configure that property for individual tablespaces. 1. Introduction to Oracle/SQL Server Database Programming Differences between Oracle and SQL Server
18 Instance Names vs. SIDs Both SQL Server and Oracle allow multiple instances of the server software to run concurrently on the same machine. These multiple execution contexts are completely independent of each other: as far as one database engine is concerned, it does not know or care if another is running on the same box. In SQL Server, this mechanism is enabled through the concept of instances. SQL Server can run either as a named or a default instance. The default instance has the same name as the Windows server hosting it. Obviously, there can be only one default instance per host, but it is possible to run multiple named instances on that same machine. A named instance is identified in the form of HOSTNAMEINSTANCE_NAME, where each INSTANCE_NAME running on the host has to be unique. Each instance will have its own set of binaries with some common components shared between all. SQL Server Host Oracle Host Instance: Self-contained application service involving os files, memory, processes. Instance: Only memory allocation and processes. Schema: Logical grouping of database objects, owner and user of objects Database: Collection of OS files. Database: System databaes(needed for instance to run) and user databases. Tablespace: Logical structure for grouping db objects. Figure 4: SQL Server/Oracle Server Architecture For Oracle, it works the same way. When installing Oracle, the DBA needs to specify a Global Database Name and a System Identifier (SID). Instance and databases are completely separate entities in Oracle. A global database name uniquely identifies a database in the network where it is hosted and can have a fully qualified name in the form of database_name.network_domain_name. A SID on the other hand identifies the instance associated with the database. 1. Introduction to Oracle/SQL Server Database Programming Differences between Oracle and SQL Server
19 In most cases where a single instance is associated with a single database, the SID and the database name will be the same. Oracle Real Application Cluster (RAC) environments are an exception: RAC allows multiple instances to access the same database hosted in a shared storage; the instance names are different from the database name in such cases. However, just like a SQL Server machine, an Oracle database server cannot have two instances running with the same SID. Another area of similarity is that once specified during setup, a SQL Server instance name or an Oracle SID cannot be changed later. A SQL Server DBA can run the following query to know the name of the instance he is currently logged on to: An Oracle DBA will run queries like the following to get the instance and database name: SELECT INSTANCE_NAME, HOST_NAME, VERSION, DATABASE_STATUS FROM V$INSTANCE; SELECT NAME, DATABASE_ROLE, CREATED FROM V$DATABASE; System Databases and System Tablespaces A SQL Server instances will have five system databases (four for versions before 2005) present: master, model, msdb, tempdb and resource. An Oracle database will need a minimum of three system tablespaces for its operation: SYSTEM, SYSAUX and TEMP. The master and the resource databases are the central repositories of all the information SQL Server needs to manage itself. Among many other things, it contains the system configuration settings, list of databases and the location of their files, end-points, linked servers and user accounts (or logins ). System level objects are stored in a read-only database known as the resource database where this information comes from. For Oracle, SYSTEM tablespace is the equivalent of the master database. SYSTEM tablespace contains the data dictionary, which is Oracle s metadata about itself. The data dictionary can be compared to SQL s resource database. And probably you have already guessed: Oracle will not start if the SYSTEM tablespace is unavailable or corrupted. For a SQL Server instance, the model database is the template that is used for every new database created in that instance. You can make a change to the model database and the change will be reflected to every new database created afterwards. For Oracle, there is no such template, but when you create a tablespace, you can specify whether it will be a permanent tablespace or of any other type like a TEMP or an UNDO tablespace. Permanent tablespaces are the ones that hold user data. 1. Introduction to Oracle/SQL Server Database Programming Differences between Oracle and SQL Server
20 SQL Server s tempdb is used as a scratch pad for the whole instance. Tempdb is created every time the instance is restarted and destroyed every time the instance is shut down. Oracle s TEMP tablespace does pretty much the same task: it is used to hold large scale sort operation results. However, SQL s tempdb can also be used for row versioning. When enabled for a database, row versioning ensures the database engine keeps track of each version of a data row as it is modified. The pre-modification copy of the row is copied to a version store in the tempdb database. Queries requesting the data row will get the latest committed version. When a read operation uses an isolation level based on row versioning, it does not block other transactions trying to modify the same data. This is because the read query is not placing a shared lock on the data rows. However, this behavior needs to be explicitly enabled for each database. Oracle uses the same concept with a different type of tablespace known as the UNDO tablespace. An undo tablespace holds read-consistent copy of data that is currently being updated by a DML statement. As a user starts making changes to data, a pre-update version of that data is stored in the UNDO tablespace. If another user wants to query those same rows of data, s/he will get the pre-update version from the UNDO tablespace. Unlike SQL s version store, this feature does not have to be explicitly enabled it is part of Oracle s concurrent data access mechanism. Finally, SQL Server s msdb database is required for its Agent service s operation. SQL Server Agent is responsible for scheduled jobs, alerts, replication and log shipping among many other things. Without the msdb database, the Agent service will not be running. There is no clear equivalent of msdb in an Oracle. The SYSAUX tablespace is a system tablespace, created during the installation process. It holds information such as Oracle s Automatic Workload Repository (AWR), spatial and multimedia data, XML database etc. 1. Introduction to Oracle/SQL Server Database Programming Differences between Oracle and SQL Server
21 1.4 Graphical Database Management Tools We will be using the following tools to access and manipulate the database: Oracle SQL Developer SQL Server Management Studio (SSMS) The installation instructions can be found on my web site. In this chapter we will be simply covering the basics of how to use these tools. SQL Server Management Studio (SSMS) After you launch SSMS you will see the Connect to Server dialog box as shown in.once you are connected to the database server (SQL Express/LocalDB) you are presented with the following UI: Figure 5: SQL Server Management Studio 1. Introduction to Oracle/SQL Server Database Programming Graphical Database Management Tools
22 The hierarchical structure of the SQL Server database contains the following main nodes: Databases: The Databases node is the first node in SQL Server Management Studio. Within the Databases node are one or more subnodes. The first subnode is System Databases. There are additional subnodes for each database contained on the server. Security: To manage users, roles and credentials for the database. Using the Security Node, you can work with logins, add to and remove people from server roles, and create credentials. Server Objects: Server Objects refer to a set of objects used at the server level (not at the database level). These objects include Backup Devices, Linked Servers, and Server Triggers. Replication: To manage database replication. (Replication is a set of technologies for copying and distributing data and database objects from one database to another and then synchronizing between databases to maintain consistency.) Management: This section includes policy management, SQL Server logs, and legacy services such Data Transformation Services (DTS), in version 2008 they are called SQL Server Integration Services (SSIS). The most important and the most frequently used node is the database node. This node lists all the databases contained in the current server. Figure 6 shows the hierarchy structure under the database node. Database Node Programmability Node Figure 6: Database & Programmability Node For the scope of this course, we will use the Tables, Views, and the Programmability folder. In particular, the Programmability folder is an important folder for this course since it contains the database objects where procedural SQL code is stored. 1. Introduction to Oracle/SQL Server Database Programming Graphical Database Management Tools
23 Example 1-1: Create SQL Server HR Database 1. First using Windows Explorer, navigate to c:\temp and create a folder named ProceduralDB. 2. Open SQL Server Management Studio (SSMS). Log in using Windows Authentication mode. 3. Right-click on the Databases Folder and select New Database. 4. Type ProcDB as Right-click on Database Node a name for the database. 5. In the Database files section, scroll to the right and select c:\temp\proceduraldb in the Path section. 6. Click on OK 1. Introduction to Oracle/SQL Server Database Programming Graphical Database Management Tools
24 Example 1-1(continued): Create SQL Server HR Database 7. Under the Databases node, the database folder ProcDB is now displayed. In the toolbar, click on the New Query button or right-click on the ProcDB database folder and select New Query. If you clicked the New Query button in the toolbar, make sure to select the ProcDB database from the drop-down list below. 8. A new pane is displayed on the right side. 9. Copy and paste the instructor provided sql script to create the database into this pane. 10.Now click on the Execute button in the toolbar or right-click inside the script and select Execute to run this script. 1. Introduction to Oracle/SQL Server Database Programming Graphical Database Management Tools
25 Example 1-1(continued): Create SQL Server HR Database 11.Verify in the output window at the bottom that no errors have occurred. 12.Click on the plus sign next to the Tables folder under the ProcDB Database to view all the database tables. 1. Introduction to Oracle/SQL Server Database Programming Graphical Database Management Tools
26 Oracle SQL Developer We will first install SQL Developer into the c:\temp\proceduraldb folder. Since this software is completely JAVA based, the installation does not require any registry entries or other windows installation requirements. Example 1-2: Install Oracle SQL Developer 1. Copy the instructor provided zip file into c:\temp\proceduraldb. 2. Double-click on this zip file and then drag the folder into C:\Temp\ProceduralDB. 3. After the extraction is complete, a folder named sqldeveloper is created under the ProceduralDB folder. 4. In this folder, you find an executable file named sqldeveloper.exe. 5. Double-click on this file to run SQL developer. 6. Create a new connection (green plus sign) and type the following information: Password will be provided by the instructor 7. Click on connect. 1. Introduction to Oracle/SQL Server Database Programming Graphical Database Management Tools
27 Example 1-2 (continued): Install Oracle SQL Developer 8. Copy and paste an instructor provided script into the right pane, the so-called SQL worksheet. Click on the Run Script button to create the ProcDB user/schema account. Check the Script Output at the bottom for potential errors, unfortunately there is no overall message whether the script has been successfully executed. 9. Create a new connection using ProcDB as Connection Name and Username, use password hr. 10.Click on the plus sign next to ProcDB to open the object tree. 1. Introduction to Oracle/SQL Server Database Programming Graphical Database Management Tools
28 As you can see, the organization of the database is completely different than in SQL Server. There are no subnodes like in SQL Server to provide further grouping. The important objects we will use in this course are of course tables. Besides tables, we will place database code in Packages, Procedures, Functions, and Triggers. Figure 7 shows the object tree in SQL Developer. Figure 7: Oracle SQL Developer 1. Introduction to Oracle/SQL Server Database Programming Graphical Database Management Tools
SQL DATABASE PROGRAMMING (PL/SQL AND T-SQL)
Technology & Information Management Instructor: Michael Kremer, Ph.D. Database Programming SQL DATABASE PROGRAMMING (PL/SQL AND T-SQL) WHO AM I? Michael Kremer Currently: Federal Reserve Bank San Francisco
Oracle Database: SQL and PL/SQL Fundamentals NEW
Oracle University Contact Us: 001-855-844-3881 & 001-800-514-06-97 Oracle Database: SQL and PL/SQL Fundamentals NEW Duration: 5 Days What you will learn This Oracle Database: SQL and PL/SQL Fundamentals
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
MyOra 3.0. User Guide. SQL Tool for Oracle. Jayam Systems, LLC
MyOra 3.0 SQL Tool for Oracle User Guide Jayam Systems, LLC Contents Features... 4 Connecting to the Database... 5 Login... 5 Login History... 6 Connection Indicator... 6 Closing the Connection... 7 SQL
Getting to Know the SQL Server Management Studio
HOUR 3 Getting to Know the SQL Server Management Studio The Microsoft SQL Server Management Studio Express is the new interface that Microsoft has provided for management of your SQL Server database. It
Jet Data Manager 2012 User Guide
Jet Data Manager 2012 User Guide Welcome This documentation provides descriptions of the concepts and features of the Jet Data Manager and how to use with them. With the Jet Data Manager you can transform
MyOra 3.5. User Guide. SQL Tool for Oracle. Kris Murthy
MyOra 3.5 SQL Tool for Oracle User Guide Kris Murthy Contents Features... 4 Connecting to the Database... 5 Login... 5 Login History... 6 Connection Indicator... 6 Closing the Connection... 7 SQL Editor...
Setting up SQL Translation Framework OBE for Database 12cR1
Setting up SQL Translation Framework OBE for Database 12cR1 Overview Purpose This tutorial shows you how to use have an environment ready to demo the new Oracle Database 12c feature, SQL Translation Framework,
ORACLE DATABASE 11G: COMPLETE
ORACLE DATABASE 11G: COMPLETE 1. ORACLE DATABASE 11G: SQL FUNDAMENTALS I - SELF-STUDY COURSE a) Using SQL to Query Your Database Using SQL in Oracle Database 11g Retrieving, Restricting and Sorting Data
D61830GC30. MySQL for Developers. Summary. Introduction. Prerequisites. At Course completion After completing this course, students will be able to:
D61830GC30 for Developers Summary Duration Vendor Audience 5 Days Oracle Database Administrators, Developers, Web Administrators Level Technology Professional Oracle 5.6 Delivery Method Instructor-led
Microsoft SQL Server for Oracle DBAs Course 40045; 4 Days, Instructor-led
Microsoft SQL Server for Oracle DBAs Course 40045; 4 Days, Instructor-led Course Description This four-day instructor-led course provides students with the knowledge and skills to capitalize on their skills
AV-005: Administering and Implementing a Data Warehouse with SQL Server 2014
AV-005: Administering and Implementing a Data Warehouse with SQL Server 2014 Career Details Duration 105 hours Prerequisites This career requires that you meet the following prerequisites: Working knowledge
Visual Studio.NET Database Projects
Visual Studio.NET Database Projects CHAPTER 8 IN THIS CHAPTER Creating a Database Project 294 Database References 296 Scripts 297 Queries 312 293 294 Visual Studio.NET Database Projects The database project
Beginning SQL Server. 2012 Administration. Apress. Rob Walters Grant Fritchey
Beginning SQL Server 2012 Administration Rob Walters Grant Fritchey Apress Contents at a Glance About the Authors About the Technical Reviewer Acknowledgments Introduction xv xvi xvii xviii Chapter 1:
SQL Databases Course. by Applied Technology Research Center. This course provides training for MySQL, Oracle, SQL Server and PostgreSQL databases.
SQL Databases Course by Applied Technology Research Center. 23 September 2015 This course provides training for MySQL, Oracle, SQL Server and PostgreSQL databases. Oracle Topics This Oracle Database: SQL
Setting up the Oracle Warehouse Builder Project. Topics. Overview. Purpose
Setting up the Oracle Warehouse Builder Project Purpose In this tutorial, you setup and configure the project environment for Oracle Warehouse Builder 10g Release 2. You create a Warehouse Builder repository
Plug-In for Informatica Guide
HP Vertica Analytic Database Software Version: 7.0.x Document Release Date: 2/20/2015 Legal Notices Warranty The only warranties for HP products and services are set forth in the express warranty statements
AV-004: Administering and Programming with ORACLE
AV-004: Administering and Programming with ORACLE Oracle 11g Duration: 140 hours Introduction: An Oracle database is a collection of data treated as a unit. The purpose of a database is to store and retrieve
UNIVERSITY AUTHORISED EDUCATION PARTNER (WDP)
Audience Data Warehouse Administrator Database Administrators Database Designers Support Engineer Technical Administrator Related Training Required Prerequisites Working knowledge of SQL and use of PL/SQL
Microsoft SQL Server Installation Guide
Microsoft SQL Server Installation Guide Version 3.0 For SQL Server 2014 Developer & 2012 Express October 2014 Copyright 2010 2014 Robert Schudy, Warren Mansur and Jack Polnar Permission granted for any
Database Studio is the new tool to administrate SAP MaxDB database instances as of version 7.5.
1 2 3 4 Database Studio is the new tool to administrate SAP MaxDB database instances as of version 7.5. It replaces the previous tools Database Manager GUI and SQL Studio from SAP MaxDB version 7.7 onwards
Oracle Architecture, Concepts & Facilities
COURSE CODE: COURSE TITLE: CURRENCY: AUDIENCE: ORAACF Oracle Architecture, Concepts & Facilities 10g & 11g Database administrators, system administrators and developers PREREQUISITES: At least 1 year of
Microsoft SQL Server Installation Guide
Microsoft SQL Server Installation Guide Version 2.1 For SQL Server 2012 January 2013 Copyright 2010 2013 Robert Schudy, Warren Mansur and Jack Polnar Permission granted for any use of Boston University
Oracle 11g Database Administration
Oracle 11g Database Administration Part 1: Oracle 11g Administration Workshop I A. Exploring the Oracle Database Architecture 1. Oracle Database Architecture Overview 2. Interacting with an Oracle Database
A Tutorial on SQL Server 2005. CMPT 354 Fall 2007
A Tutorial on SQL Server 2005 CMPT 354 Fall 2007 Road Map Create Database Objects Create a database Create a table Set a constraint Create a view Create a user Query Manage the Data Import data Export
SourceAnywhere Service Configurator can be launched from Start -> All Programs -> Dynamsoft SourceAnywhere Server.
Contents For Administrators... 3 Set up SourceAnywhere... 3 SourceAnywhere Service Configurator... 3 Start Service... 3 IP & Port... 3 SQL Connection... 4 SourceAnywhere Server Manager... 4 Add User...
Oracle Data Miner (Extension of SQL Developer 4.0)
An Oracle White Paper October 2013 Oracle Data Miner (Extension of SQL Developer 4.0) Generate a PL/SQL script for workflow deployment Denny Wong Oracle Data Mining Technologies 10 Van de Graff Drive Burlington,
This article Includes:
Log shipping has been a mechanism for maintaining a warm standby server for years. Though SQL Server supported log shipping with SQL Server 2000 as a part of DB Maintenance Plan, it has become a built-in
Microsoft SQL Server 2008 Step by Step
Microsoft SQL Server 2008 Step by Step Mike Hotek To learn more about this book, visit Microsoft Learning at http://www.microsoft.com/mspress/books/12859.aspx 9780735626041 2009 Mike Hotek. All rights
Working with SQL Server Agent Jobs
Chapter 14 Working with SQL Server Agent Jobs Microsoft SQL Server features a powerful and flexible job-scheduling engine called SQL Server Agent. This chapter explains how you can use SQL Server Agent
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
D12C-AIU Oracle Database 12c: Admin, Install and Upgrade Accelerated NEW
D12C-AIU Oracle Database 12c: Admin, Install and Upgrade Accelerated NEW Duration: 5 Days What you will learn This Oracle Database 12c: Admin, Install and Upgrade Accelerated course will provide you with
Configuring and Integrating Oracle
Configuring and Integrating Oracle The Basics of Oracle 3 Configuring SAM to Monitor an Oracle Database Server 4 This document includes basic information about Oracle and its role with SolarWinds SAM Adding
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
Developing SQL and PL/SQL with JDeveloper
Seite 1 von 23 Developing SQL and PL/SQL with JDeveloper Oracle JDeveloper 10g Preview Technologies used: SQL, PL/SQL An Oracle JDeveloper Tutorial September 2003 Content This tutorial walks through the
SAP Business Objects Business Intelligence platform Document Version: 4.1 Support Package 7 2015-11-24. Data Federation Administration Tool Guide
SAP Business Objects Business Intelligence platform Document Version: 4.1 Support Package 7 2015-11-24 Data Federation Administration Tool Guide Content 1 What's new in the.... 5 2 Introduction to administration
Data Access Guide. BusinessObjects 11. Windows and UNIX
Data Access Guide BusinessObjects 11 Windows and UNIX 1 Copyright Trademarks Use restrictions Patents Copyright 2004 Business Objects. All rights reserved. If you find any problems with this documentation,
2 SQL in iseries Navigator
2 SQL in iseries Navigator In V4R4, IBM added an SQL scripting tool to the standard features included within iseries Navigator and has continued enhancing it in subsequent releases. Because standard features
Preparing to Install SQL Server 2005
Preparing to Install SQL Server 2005 Depending on your requirements, Microsoft SQL Server 2005 Setup installs a new instance of SQL Server. The following topics address important considerations for the
Colligo Email Manager 6.0. Offline Mode - User Guide
6.0 Offline Mode - User Guide Contents Colligo Email Manager 1 Key Features 1 Benefits 1 Installing and Activating Colligo Email Manager 2 Checking for Updates 3 Updating Your License Key 3 Managing SharePoint
GFI LANguard 9.0 ReportPack. Manual. By GFI Software Ltd.
GFI LANguard 9.0 ReportPack Manual By GFI Software Ltd. http://www.gfi.com E-mail: [email protected] Information in this document is subject to change without notice. Companies, names, and data used in examples
Getting Started using the SQuirreL SQL Client
Getting Started using the SQuirreL SQL Client The SQuirreL SQL Client is a graphical program written in the Java programming language that will allow you to view the structure of a JDBC-compliant database,
LearnFromGuru Polish your knowledge
SQL SERVER 2008 R2 /2012 (TSQL/SSIS/ SSRS/ SSAS BI Developer TRAINING) Module: I T-SQL Programming and Database Design An Overview of SQL Server 2008 R2 / 2012 Available Features and Tools New Capabilities
Intellicus Cluster and Load Balancing (Windows) Version: 7.3
Intellicus Cluster and Load Balancing (Windows) Version: 7.3 Copyright 2015 Intellicus Technologies This document and its content is copyrighted material of Intellicus Technologies. The content may not
Toad for Oracle 8.6 SQL Tuning
Quick User Guide for Toad for Oracle 8.6 SQL Tuning SQL Tuning Version 6.1.1 SQL Tuning definitively solves SQL bottlenecks through a unique methodology that scans code, without executing programs, to
Microsoft SQL Database Administrator Certification
Microsoft SQL Database Administrator Certification Training for Exam 70-432 Course Modules and Objectives www.sqlsteps.com 2009 ViSteps Pty Ltd, SQLSteps Division 2 Table of Contents Module #1 Prerequisites
How To Set Up An Intellicus Cluster And Load Balancing On Ubuntu 8.1.2.2 (Windows) With A Cluster And Report Server (Windows And Ubuntu) On A Server (Amd64) On An Ubuntu Server
Intellicus Cluster and Load Balancing (Windows) Intellicus Enterprise Reporting and BI Platform Intellicus Technologies [email protected] www.intellicus.com Copyright 2014 Intellicus Technologies This
Monitoring SQL Server with Microsoft Operations Manager 2005
Monitoring SQL Server with Microsoft Operations Manager 2005 Objectives After completing this lab, you will have had an opportunity to become familiar with several key SQL Management Pack features including:
PATROL From a Database Administrator s Perspective
PATROL From a Database Administrator s Perspective September 28, 2001 Author: Cindy Bean Senior Software Consultant BMC Software, Inc. 3/4/02 2 Table of Contents Introduction 5 Database Administrator Tasks
Getting Started with Attunity CloudBeam for Azure SQL Data Warehouse BYOL
Getting Started with Attunity CloudBeam for Azure SQL Data Warehouse BYOL Overview This short guide explains how to use Attunity CloudBeam to replicate data from your on premises database to Microsoft
Technical Notes. EMC NetWorker Performing Backup and Recovery of SharePoint Server by using NetWorker Module for Microsoft SQL VDI Solution
EMC NetWorker Performing Backup and Recovery of SharePoint Server by using NetWorker Module for Microsoft SQL VDI Solution Release number 9.0 TECHNICAL NOTES 302-001-760 REV 01 September, 2015 These technical
Oracle Database 11 g Performance Tuning. Recipes. Sam R. Alapati Darl Kuhn Bill Padfield. Apress*
Oracle Database 11 g Performance Tuning Recipes Sam R. Alapati Darl Kuhn Bill Padfield Apress* Contents About the Authors About the Technical Reviewer Acknowledgments xvi xvii xviii Chapter 1: Optimizing
Basic Unix/Linux 1. Software Testing Interview Prep
Basic Unix/Linux 1 Programming Fundamentals and Concepts 2 1. What is the difference between web application and client server application? Client server application is designed typically to work in a
GFI LANguard 9.0 ReportPack. Manual. By GFI Software Ltd.
GFI LANguard 9.0 ReportPack Manual By GFI Software Ltd. http://www.gfi.com E-mail: [email protected] Information in this document is subject to change without notice. Companies, names, and data used in examples
Microsoft SQL Server 2008 Administrator's Pocket Consultant
Microsoft SQL Server 2008 Administrator's Pocket Consultant William R. Stanek To learn more about this book, visit Microsoft Learning at http://www.microsoft.com/mspress/books/12755.aspx 9780735625891
Using SQL Developer. Copyright 2008, Oracle. All rights reserved.
Using SQL Developer Objectives After completing this appendix, you should be able to do the following: List the key features of Oracle SQL Developer Install Oracle SQL Developer Identify menu items of
CA DataMinder. Database Guide. Release 14.1. 4th Edition
CA DataMinder Database Guide Release 14.1 4th Edition This Documentation, which includes embedded help systems and electronically distributed materials, (hereinafter referred to as the Documentation )
Microsoft Corporation. Project Server 2010 Installation Guide
Microsoft Corporation Project Server 2010 Installation Guide Office Asia Team 11/4/2010 Table of Contents 1. Prepare the Server... 2 1.1 Install KB979917 on Windows Server... 2 1.2 Creating users and groups
Colligo Email Manager 6.0. Connected Mode - User Guide
6.0 Connected Mode - User Guide Contents Colligo Email Manager 1 Benefits 1 Key Features 1 Platforms Supported 1 Installing and Activating Colligo Email Manager 2 Checking for Updates 3 Updating Your License
SQL SERVER DEVELOPER Available Features and Tools New Capabilities SQL Services Product Licensing Product Editions Will teach in class room
An Overview of SQL Server 2005/2008 Configuring and Installing SQL Server 2005/2008 SQL SERVER DEVELOPER Available Features and Tools New Capabilities SQL Services Product Licensing Product Editions Preparing
HYPERION SYSTEM 9 N-TIER INSTALLATION GUIDE MASTER DATA MANAGEMENT RELEASE 9.2
HYPERION SYSTEM 9 MASTER DATA MANAGEMENT RELEASE 9.2 N-TIER INSTALLATION GUIDE P/N: DM90192000 Copyright 2005-2006 Hyperion Solutions Corporation. All rights reserved. Hyperion, the Hyperion logo, and
SQL Server Replication Guide
SQL Server Replication Guide Rev: 2013-08-08 Sitecore CMS 6.3 and Later SQL Server Replication Guide Table of Contents Chapter 1 SQL Server Replication Guide... 3 1.1 SQL Server Replication Overview...
Sage Intelligence Financial Reporting for Sage ERP X3 Version 6.5 Installation Guide
Sage Intelligence Financial Reporting for Sage ERP X3 Version 6.5 Installation Guide Table of Contents TABLE OF CONTENTS... 3 1.0 INTRODUCTION... 1 1.1 HOW TO USE THIS GUIDE... 1 1.2 TOPIC SUMMARY...
QAD Enterprise Applications. Training Guide Demand Management 6.1 Technical Training
QAD Enterprise Applications Training Guide Demand Management 6.1 Technical Training 70-3248-6.1 QAD Enterprise Applications February 2012 This document contains proprietary information that is protected
SQL Server Administrator Introduction - 3 Days Objectives
SQL Server Administrator Introduction - 3 Days INTRODUCTION TO MICROSOFT SQL SERVER Exploring the components of SQL Server Identifying SQL Server administration tasks INSTALLING SQL SERVER Identifying
Database Administration Guide
Database Administration Guide 013008 2008 Blackbaud, Inc. This publication, or any part thereof, may not be reproduced or transmitted in any form or by any means, electronic, or mechanical, including photocopying,
Informatica Data Replication 9.1.1 FAQs
Informatica Data Replication 9.1.1 FAQs 2012 Informatica Corporation. No part of this document may be reproduced or transmitted in any form, by any means (electronic, photocopying, recording or otherwise)
Oracle Database 12c: Admin, Install and Upgrade Accelerated
Oracle University Contact Us: + 38516306373 Oracle Database 12c: Admin, Install and Upgrade Accelerated Duration: 5 Days What you will learn This Oracle Database 12c: Admin, Install and Upgrade Accelerated
DOCUMENTATION MICROSOFT SQL BACKUP & RESTORE OPERATIONS
DOCUMENTATION MICROSOFT SQL BACKUP & RESTORE OPERATIONS Copyright Notice The use and copying of this product is subject to a license agreement. Any other use is prohibited. No part of this publication
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.
Synchronizer Installation
Synchronizer Installation Synchronizer Installation Synchronizer Installation This document provides instructions for installing Synchronizer. Synchronizer performs all the administrative tasks for XenClient
Restore and Recovery Tasks. Copyright 2009, Oracle. All rights reserved.
Restore and Recovery Tasks Objectives After completing this lesson, you should be able to: Describe the causes of file loss and determine the appropriate action Describe major recovery operations Back
Zen Internet. Online Data Backup. Zen Vault Professional Plug-ins. Issue: 2.0.08
Zen Internet Online Data Backup Zen Vault Professional Plug-ins Issue: 2.0.08 Contents 1 Plug-in Installer... 3 1.1 Installation and Configuration... 3 2 Plug-ins... 5 2.1 Email Notification... 5 2.1.1
W I S E. SQL Server 2008/2008 R2 Advanced DBA Performance & WISE LTD.
SQL Server 2008/2008 R2 Advanced DBA Performance & Tuning COURSE CODE: COURSE TITLE: AUDIENCE: SQSDPT SQL Server 2008/2008 R2 Advanced DBA Performance & Tuning SQL Server DBAs, capacity planners and system
NetWrix SQL Server Change Reporter
NetWrix SQL Server Change Reporter Version 2.2 Administrator Guide Contents NetWrix SQL Server Change Reporter Administrator Guide 1. INTRODUCTION... 3 1.1 KEY FEATURES... 3 1.2 LICENSING... 4 1.3 HOW
Project management integrated into Outlook
Project management integrated into Outlook InLoox PM 7.x off-line operation An InLoox Whitepaper Published: October 2011 Copyright: 2011 InLoox GmbH. You can find up-to-date information at http://www.inloox.com
Attix5 Pro Server Edition
Attix5 Pro Server Edition V7.0.2 User Manual for Mac OS X Your guide to protecting data with Attix5 Pro Server Edition. Copyright notice and proprietary information All rights reserved. Attix5, 2013 Trademarks
Performing Database and File System Backups and Restores Using Oracle Secure Backup
Performing Database and File System Backups and Restores Using Oracle Secure Backup Purpose This lesson introduces you to Oracle Secure Backup which enables you to perform database and file system backups
Cisco Process Orchestrator 3.2.1 Installation Guide
Cisco Process Orchestrator 3.2.1 Installation Guide Release 3.2.1 Published: February 11, 2016 Cisco Systems, Inc. www.cisco.com CiscoSans Cisco Process Orchestrator 3.2.1 Installation Guide THE SPECIFICATIONS
HR Onboarding Solution
HR Onboarding Solution Installation and Setup Guide Version: 3.0.x Compatible with ImageNow Version: 6.7.x Written by: Product Documentation, R&D Date: November 2014 2014 Perceptive Software. All rights
SafeGuard Enterprise upgrade guide. Product version: 7
SafeGuard Enterprise upgrade guide Product version: 7 Document date: December 2014 Contents 1 About this guide...3 2 Check the system requirements...4 3 Download installers...5 4 About upgrading...6 4.1
SQL Server 2008 Designing, Optimizing, and Maintaining a Database Session 1
SQL Server 2008 Designing, Optimizing, and Maintaining a Database Course The SQL Server 2008 Designing, Optimizing, and Maintaining a Database course will help you prepare for 70-450 exam from Microsoft.
Backups and Maintenance
Backups and Maintenance Backups and Maintenance Objectives Learn how to create a backup strategy to suit your needs. Learn how to back up a database. Learn how to restore from a backup. Use the Database
Oracle Database 11g: New Features for Administrators DBA Release 2
Oracle Database 11g: New Features for Administrators DBA Release 2 Duration: 5 Days What you will learn This Oracle Database 11g: New Features for Administrators DBA Release 2 training explores new change
6231B: Maintaining a Microsoft SQL Server 2008 R2 Database
6231B: Maintaining a Microsoft SQL Server 2008 R2 Database Course Overview This instructor-led course provides students with the knowledge and skills to maintain a Microsoft SQL Server 2008 R2 database.
Attix5 Pro Server Edition
Attix5 Pro Server Edition V7.0.3 User Manual for Linux and Unix operating systems Your guide to protecting data with Attix5 Pro Server Edition. Copyright notice and proprietary information All rights reserved.
HansaWorld SQL Training Material
HansaWorld University HansaWorld SQL Training Material HansaWorld Ltd. January 2008 Version 5.4 TABLE OF CONTENTS: TABLE OF CONTENTS:...2 OBJECTIVES...4 INTRODUCTION...5 Relational Databases...5 Definition...5
Auditing manual. Archive Manager. Publication Date: November, 2015
Archive Manager Publication Date: November, 2015 All Rights Reserved. This software is protected by copyright law and international treaties. Unauthorized reproduction or distribution of this software,
Who is my SAP HANA DBA? What can I expect from her/him? HANA DBA Role & Responsibility. Rajesh Gupta, Deloitte. Consulting September 24, 2015
Who is my SAP HANA DBA? What can I expect from her/him? HANA DBA Role & Responsibility Rajesh Gupta, Deloitte. Consulting September 24, 2015 Introduction Rajesh Gupta - [email protected] Lead SAP HANA
Oracle Data Integrator for Big Data. Alex Kotopoulis Senior Principal Product Manager
Oracle Data Integrator for Big Data Alex Kotopoulis Senior Principal Product Manager Hands on Lab - Oracle Data Integrator for Big Data Abstract: This lab will highlight to Developers, DBAs and Architects
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
DB Audit Expert 3.1. Performance Auditing Add-on Version 1.1 for Microsoft SQL Server 2000 & 2005
DB Audit Expert 3.1 Performance Auditing Add-on Version 1.1 for Microsoft SQL Server 2000 & 2005 Supported database systems: Microsoft SQL Server 2000 Microsoft SQL Server 2005 Copyright SoftTree Technologies,
Perforce 2014.1 Defect Tracking Gateway Guide
Perforce 2014.1 Defect Tracking Gateway Guide November 2014 This manual copyright 2006-2014 Perforce Software. All rights reserved. Perforce software and documentation is available from http://www.perforce.com.
User's Guide - Beta 1 Draft
IBM Tivoli Composite Application Manager for Microsoft Applications: Microsoft Hyper-V Server Agent vnext User's Guide - Beta 1 Draft SC27-2319-05 IBM Tivoli Composite Application Manager for Microsoft
Workflow Templates Library
Workflow s Library Table of Contents Intro... 2 Active Directory... 3 Application... 5 Cisco... 7 Database... 8 Excel Automation... 9 Files and Folders... 10 FTP Tasks... 13 Incident Management... 14 Security
Module 2: Database Architecture
Module 2: Database Architecture Overview Schema and Data Structure (Objects) Storage Architecture Data Blocks, Extents, and Segments Storage Allocation Managing Extents and Pages Tablespaces and Datafiles
Oracle Database 12c: Administration Workshop NEW
Oracle University Contact Us: 1.800.529.0165 Oracle Database 12c: Administration Workshop NEW Duration: 5 Days What you will learn The Oracle Database 12c: Administration Workshop will teach you about
Citrix EdgeSight for Load Testing User s Guide. Citrix EdgeSight for Load Testing 3.8
Citrix EdgeSight for Load Testing User s Guide Citrix EdgeSight for Load Testing 3.8 Copyright Use of the product documented in this guide is subject to your prior acceptance of the End User License Agreement.
