SlideShare a Scribd company logo
1 of 54
Download to read offline
REST WEB SERVICE? NO,
GRAPHQL PLEASE!
DIMITRI GIELIS
DIMITRI GIELIS
ABOUT ME
▸ Founder & CEO of APEX R&D
▸ 20+ years of Oracle Experience 

(OCP & APEX Certified)
▸ Oracle ACE Director
▸ “APEX Developer of the year 2009” by Oracle Magazine
▸ “Oracle Developer Choice award (ORDS)” in 2015
▸ Author Expert Oracle APEX
▸ Presenter at Conferences
www.apexofficeprint.comwww.apexRnD.be
http://dgielis.blogspot.com @dgielis
WAYS TO QUERY THE DATABASE?
SQL
REST
GraphQL
SQL
STRUCTUREDQL
GRAPHQL
REST
CREATE API?
REST API
/hr/employees/:id
GET RESPONSE
REST API
CHARACTERISTICS
▸ Server controls the data you get
▸ May need multiple requests to obtain data
▸ Static versions of API
GRAPHQL
CREATE API?
GRAPHQL API
/hr
GET RESPONSE
Query
GRAPHQL
CHARACTERISTICS
▸ Server defines what is available, 

but Client controls the data it get
▸ Single request to get all
▸ Evolve API over time 

(even make fields deprecated)
▸ Auto documented
https://graphql.org
GRAPHQL
HISTORY
▸ Facebook's mobile apps have been powered by GraphQL
since 2012.
▸ A GraphQL spec was open sourced in 2015
▸ Many implementations in different languages
▸ Used by many big companies e.g.
DEMO (CONSUMING)
https://graphql.org/swapi-graphql/
https://www.graphqlhub.com
http://join-monster.herokuapp.com
MORE EXAMPLES
GRAPHQL APIS
▸ https://github.com/APIs-guru/graphql-apis
▸ https://help.shopify.com/en/api/graphql-admin-api/
graphiql-explorer
▸ https://developer.github.com/v4/
▸ https://www.yelp.com/developers/graphql/guides/intro
GETTING
STARTED
GRAPHQL AND THE
ORACLE DATABASE
GRAPHQL AND THE ORACLE DATABASE
BUILDING BLOCKS
▸ Oracle Database
▸ node.js
▸ oracledb
▸ graphql
▸ apollo-server
MY DEVELOPMENT ENVIRONMENT
▸ Visual Studio Code
▸ Sqlcl
▸ Git
▸ node.js & nvm & npm
▸ Instant Oracle client / Oracle Database
INSTALLATION NODE.JS
https://nodejs.org/
GETTING STARTED
CREATE A FIRST NODE PROJECT
▸ npm init
▸ npm install apollo-server graphql oracledb
GETTING STARTED
CREATE A FIRST NODE PROJECT
▸ npm init
▸ npm install apollo-server graphql oracledb
GETTING STARTED
CREATE A FIRST NODE PROJECT
▸ npm init
▸ npm install apollo-server graphql oracledb
GETTING STARTED
CREATE A FIRST NODE PROJECT
▸ npm init
▸ npm install apollo-server graphql oracledb
ABOUT APOLLO
Apollo Server is the best way to quickly build a production-ready, self-documenting API for
GraphQL clients, using data from any source - https://www.apollographql.com/docs/apollo-server/
CREATE AN APOLLO SERVER
const { ApolloServer, gql } = require('apollo-server');
// This is a (sample) collection of books
const books = [{title: 'Book1'},{title: 'Book2'}];
// Type definitions define the "shape" of your data
const typeDefs = gql`
type Book {title: String}
type Query {books: [Book]}
`;
// Resolvers define the technique for fetching the types
const resolvers = { Query: {books: () => books } };
// The Apollo Server can be started by passing
// type definitions and the resolvers
const server = new ApolloServer({ typeDefs, resolvers });
// This `listen` method launches a web-server
server.listen().then(({ url }) => {
console.log(`🚀 Server ready at ${url}`);
});
https://www.apollographql.com/docs/apollo-server/getting-started/
CREATE AN APOLLO SERVER
const { ApolloServer, gql } = require('apollo-server');
// This is a (sample) collection of books
const books = [{title: 'Book1'},{title: 'Book2'}];
// Type definitions define the "shape" of your data
const typeDefs = gql`
type Book {title: String}
type Query {books: [Book]}
`;
// Resolvers define the technique for fetching the types
const resolvers = { Query: {books: () => books } };
// The Apollo Server can be started by passing
// type definitions and the resolvers
const server = new ApolloServer({ typeDefs, resolvers });
// This `listen` method launches a web-server
server.listen().then(({ url }) => {
console.log(`🚀 Server ready at ${url}`);
});
https://www.apollographql.com/docs/apollo-server/getting-started/
CREATE AN APOLLO SERVER
const { ApolloServer, gql } = require('apollo-server');
// This is a (sample) collection of books
const books = [{title: 'Book1'},{title: 'Book2'}];
// Type definitions define the "shape" of your data
const typeDefs = gql`
type Book {title: String}
type Query {books: [Book]}
`;
// Resolvers define the technique for fetching the types
const resolvers = { Query: {books: () => books } };
// The Apollo Server can be started by passing
// type definitions and the resolvers
const server = new ApolloServer({ typeDefs, resolvers });
// This `listen` method launches a web-server
server.listen().then(({ url }) => {
console.log(`🚀 Server ready at ${url}`);
});
https://www.apollographql.com/docs/apollo-server/getting-started/
CREATE AN APOLLO SERVER
const { ApolloServer, gql } = require('apollo-server');
// This is a (sample) collection of books
const books = [{title: 'Book1'},{title: 'Book2'}];
// Type definitions define the "shape" of your data
const typeDefs = gql`
type Book {title: String}
type Query {books: [Book]}
`;
// Resolvers define the technique for fetching the types
const resolvers = { Query: {books: () => books } };
// The Apollo Server can be started by passing
// type definitions and the resolvers
const server = new ApolloServer({ typeDefs, resolvers });
// This `listen` method launches a web-server
server.listen().then(({ url }) => {
console.log(`🚀 Server ready at ${url}`);
});
https://www.apollographql.com/docs/apollo-server/getting-started/
CREATE AN APOLLO SERVER
const { ApolloServer, gql } = require('apollo-server');
// This is a (sample) collection of books
const books = [{title: 'Book1'},{title: 'Book2'}];
// Type definitions define the "shape" of your data
const typeDefs = gql`
type Book {title: String}
type Query {books: [Book]}
`;
// Resolvers define the technique for fetching the types
const resolvers = { Query: {books: () => books } };
// The Apollo Server can be started by passing
// type definitions and the resolvers
const server = new ApolloServer({ typeDefs, resolvers });
// This `listen` method launches a web-server
server.listen().then(({ url }) => {
console.log(`🚀 Server ready at ${url}`);
});
https://www.apollographql.com/docs/apollo-server/getting-started/
CREATE AN APOLLO SERVER
const { ApolloServer, gql } = require('apollo-server');
// This is a (sample) collection of books
const books = [{title: 'Book1'},{title: 'Book2'}];
// Type definitions define the "shape" of your data
const typeDefs = gql`
type Book {title: String}
type Query {books: [Book]}
`;
// Resolvers define the technique for fetching the types
const resolvers = { Query: {books: () => books } };
// The Apollo Server can be started by passing
// type definitions and the resolvers
const server = new ApolloServer({ typeDefs, resolvers });
// This `listen` method launches a web-server
server.listen().then(({ url }) => {
console.log(`🚀 Server ready at ${url}`);
});
https://www.apollographql.com/docs/apollo-server/getting-started/
CREATE AN APOLLO SERVER
const { ApolloServer, gql } = require('apollo-server');
// This is a (sample) collection of books
const books = [{title: 'Book1'},{title: 'Book2'}];
// Type definitions define the "shape" of your data
const typeDefs = gql`
type Book {title: String}
type Query {books: [Book]}
`;
// Resolvers define the technique for fetching the types
const resolvers = { Query: {books: () => books } };
// The Apollo Server can be started by passing
// type definitions and the resolvers
const server = new ApolloServer({ typeDefs, resolvers });
// This `listen` method launches a web-server
server.listen().then(({ url }) => {
console.log(`🚀 Server ready at ${url}`);
});
https://www.apollographql.com/docs/apollo-server/getting-started/
TEST IN BROWSER: HTTP://LOCALHOST:4000
HOOKING UP ORACLE DB WITH NODE-ORACLEDB
QUERY ORACLE DB
var oracledb = require('oracledb');
async function run() {
let connection;
try {
connection = await oracledb.getConnection( {
user : "hr",
password : "hr",
connectString : "localhost/XEPDB1"
});
let result = await connection.execute(
`SELECT manager_id, department_id, department_name
FROM departments
WHERE manager_id = :id`,
[103], // bind value for :id
);
console.log(result.rows);
} catch (err) {
console.error(err);
} finally {
if (connection) {
try {
await connection.close();
} catch (err) {
console.error(err);
}
}
}
}
run();
https://oracle.github.io/node-oracledb/doc/api.html#getstarted
QUERY ORACLE DB
var oracledb = require('oracledb');
async function run() {
let connection;
try {
connection = await oracledb.getConnection( {
user : "hr",
password : "hr",
connectString : "localhost/XEPDB1"
});
let result = await connection.execute(
`SELECT manager_id, department_id, department_name
FROM departments
WHERE manager_id = :id`,
[103], // bind value for :id
);
console.log(result.rows);
} catch (err) {
console.error(err);
} finally {
if (connection) {
try {
await connection.close();
} catch (err) {
console.error(err);
}
}
}
}
run();
https://oracle.github.io/node-oracledb/doc/api.html#getstarted
QUERY ORACLE DB
var oracledb = require('oracledb');
async function run() {
let connection;
try {
connection = await oracledb.getConnection( {
user : "hr",
password : "hr",
connectString : "localhost/XEPDB1"
});
let result = await connection.execute(
`SELECT manager_id, department_id, department_name
FROM departments
WHERE manager_id = :id`,
[103], // bind value for :id
);
console.log(result.rows);
} catch (err) {
console.error(err);
} finally {
if (connection) {
try {
await connection.close();
} catch (err) {
console.error(err);
}
}
}
}
run();
https://oracle.github.io/node-oracledb/doc/api.html#getstarted
QUERY ORACLE DB
var oracledb = require('oracledb');
async function run() {
let connection;
try {
connection = await oracledb.getConnection( {
user : "hr",
password : "hr",
connectString : "localhost/XEPDB1"
});
let result = await connection.execute(
`SELECT manager_id, department_id, department_name
FROM departments
WHERE manager_id = :id`,
[103], // bind value for :id
);
console.log(result.rows);
} catch (err) {
console.error(err);
} finally {
if (connection) {
try {
await connection.close();
} catch (err) {
console.error(err);
}
}
}
}
run();
https://oracle.github.io/node-oracledb/doc/api.html#getstarted
GETTING STARTED
COMBINING APOLLO AND ORACLE
▸ Map SQL to Types
▸ TIP: 

sqlcl to output SQL statement to JSON
▸ convert JSON to GraphQL Types automatically

https://walmartlabs.github.io/json-to-simple-graphql-schema/
DEMO (PROVIDING)
source: https://www.apexofficeprint.com/graphql
MORE ADVANCED SQL & JOINS
JOIN MONSTER
▸ A GraphQL to SQL query execution layer for query
planning and batch data fetching.
https://github.com/acarl005/join-monster
DEMO (PROVIDING)
source: Dan McGhan presentation: emp/dept example
DETAILS OF GRAPHQL
GRAPHQL CONCEPTS
▸ Schema
▸ Object type (character)
▸ Field
▸ Arguments
▸ Scalar type
▸ Interface
DETAILS OF GRAPHQL
HOW TO QUERY A GRAPHQL SERVER
▸ Queries
▸ Fields, Aliases, Fragments
▸ Arguments
▸ Variables
▸ Directives
▸ Operation name
▸ Mutations
▸ Subscriptions
NEXT
INTERESTING RESOURCES & PROJECTS
▸ https://graphql.org/learn/best-practices/
▸ https://blogs.oracle.com/opal/demo:-graphql-with-node-oracledb
▸ https://github.com/sblack4/oracledb-graphql-demo
▸ https://www.prisma.io (no Oracle support yet)
▸ https://github.com/rexxars/sql-to-graphql (unmaintained)

More Related Content

What's hot

XML-RPC (XML Remote Procedure Call)
XML-RPC (XML Remote Procedure Call)XML-RPC (XML Remote Procedure Call)
XML-RPC (XML Remote Procedure Call)Peter R. Egli
 
JSON: The Basics
JSON: The BasicsJSON: The Basics
JSON: The BasicsJeff Fox
 
Beginners PHP Tutorial
Beginners PHP TutorialBeginners PHP Tutorial
Beginners PHP Tutorialalexjones89
 
CSS3, Media Queries, and Responsive Design
CSS3, Media Queries, and Responsive DesignCSS3, Media Queries, and Responsive Design
CSS3, Media Queries, and Responsive DesignZoe Gillenwater
 
Java script final presentation
Java script final presentationJava script final presentation
Java script final presentationAdhoura Academy
 
Basic Sql Handouts
Basic Sql HandoutsBasic Sql Handouts
Basic Sql Handoutsjhe04
 
ASP.NET 08 - Data Binding And Representation
ASP.NET 08 - Data Binding And RepresentationASP.NET 08 - Data Binding And Representation
ASP.NET 08 - Data Binding And RepresentationRandy Connolly
 
Authentication
AuthenticationAuthentication
Authenticationsoon
 
MongoDB Schema Design: Practical Applications and Implications
MongoDB Schema Design: Practical Applications and ImplicationsMongoDB Schema Design: Practical Applications and Implications
MongoDB Schema Design: Practical Applications and ImplicationsMongoDB
 

What's hot (20)

Xml parsers
Xml parsersXml parsers
Xml parsers
 
XML-RPC (XML Remote Procedure Call)
XML-RPC (XML Remote Procedure Call)XML-RPC (XML Remote Procedure Call)
XML-RPC (XML Remote Procedure Call)
 
Json
JsonJson
Json
 
Html forms
Html formsHtml forms
Html forms
 
JSON: The Basics
JSON: The BasicsJSON: The Basics
JSON: The Basics
 
Beginners PHP Tutorial
Beginners PHP TutorialBeginners PHP Tutorial
Beginners PHP Tutorial
 
CSS3, Media Queries, and Responsive Design
CSS3, Media Queries, and Responsive DesignCSS3, Media Queries, and Responsive Design
CSS3, Media Queries, and Responsive Design
 
JSON
JSONJSON
JSON
 
Java script final presentation
Java script final presentationJava script final presentation
Java script final presentation
 
jQuery Effects
jQuery EffectsjQuery Effects
jQuery Effects
 
Basic Sql Handouts
Basic Sql HandoutsBasic Sql Handouts
Basic Sql Handouts
 
Expressjs
ExpressjsExpressjs
Expressjs
 
Json
JsonJson
Json
 
Sorting arrays in PHP
Sorting arrays in PHPSorting arrays in PHP
Sorting arrays in PHP
 
ASP.NET 08 - Data Binding And Representation
ASP.NET 08 - Data Binding And RepresentationASP.NET 08 - Data Binding And Representation
ASP.NET 08 - Data Binding And Representation
 
Authentication
AuthenticationAuthentication
Authentication
 
Php and MySQL
Php and MySQLPhp and MySQL
Php and MySQL
 
Cookies and sessions
Cookies and sessionsCookies and sessions
Cookies and sessions
 
Karaf ee-apachecon eu-2012
Karaf ee-apachecon eu-2012Karaf ee-apachecon eu-2012
Karaf ee-apachecon eu-2012
 
MongoDB Schema Design: Practical Applications and Implications
MongoDB Schema Design: Practical Applications and ImplicationsMongoDB Schema Design: Practical Applications and Implications
MongoDB Schema Design: Practical Applications and Implications
 

Similar to REST Web Service? No, GraphQL please!

How and why i roll my own node.js framework
How and why i roll my own node.js frameworkHow and why i roll my own node.js framework
How and why i roll my own node.js frameworkBen Lin
 
Intro to fog and openstack jp
Intro to fog and openstack jpIntro to fog and openstack jp
Intro to fog and openstack jpSatoshi Konno
 
How to execute an oracle stored procedure with nested table as a parameter fr...
How to execute an oracle stored procedure with nested table as a parameter fr...How to execute an oracle stored procedure with nested table as a parameter fr...
How to execute an oracle stored procedure with nested table as a parameter fr...Priyobroto Ghosh (Mule ESB Certified)
 
Developing RESTful WebServices using Jersey
Developing RESTful WebServices using JerseyDeveloping RESTful WebServices using Jersey
Developing RESTful WebServices using Jerseyb_kathir
 
Managing GraphQL servers with AWS Fargate & Prisma Cloud
Managing GraphQL servers  with AWS Fargate & Prisma CloudManaging GraphQL servers  with AWS Fargate & Prisma Cloud
Managing GraphQL servers with AWS Fargate & Prisma CloudNikolas Burk
 
GraphQL & Prisma from Scratch
GraphQL & Prisma from ScratchGraphQL & Prisma from Scratch
GraphQL & Prisma from ScratchNikolas Burk
 
Serverless Ballerina
Serverless BallerinaServerless Ballerina
Serverless BallerinaBallerina
 
Scala45 spray test
Scala45 spray testScala45 spray test
Scala45 spray testkopiczko
 
Google Cloud Endpoints: Building Third-Party APIs on Google AppEngine
Google Cloud Endpoints: Building Third-Party APIs on Google AppEngineGoogle Cloud Endpoints: Building Third-Party APIs on Google AppEngine
Google Cloud Endpoints: Building Third-Party APIs on Google AppEngineRoman Kirillov
 
Flask & Flask-restx
Flask & Flask-restxFlask & Flask-restx
Flask & Flask-restxammaraslam18
 
Microservices blue-green-deployment-with-docker
Microservices blue-green-deployment-with-dockerMicroservices blue-green-deployment-with-docker
Microservices blue-green-deployment-with-dockerKidong Lee
 
Building and Distributing PostgreSQL Extensions Without Learning C
Building and Distributing PostgreSQL Extensions Without Learning CBuilding and Distributing PostgreSQL Extensions Without Learning C
Building and Distributing PostgreSQL Extensions Without Learning CDavid Wheeler
 
Elasticsearch And Ruby [RuPy2012]
Elasticsearch And Ruby [RuPy2012]Elasticsearch And Ruby [RuPy2012]
Elasticsearch And Ruby [RuPy2012]Karel Minarik
 
Javascript: the important bits
Javascript: the important bitsJavascript: the important bits
Javascript: the important bitsChris Saylor
 
Using Sinatra to Build REST APIs in Ruby
Using Sinatra to Build REST APIs in RubyUsing Sinatra to Build REST APIs in Ruby
Using Sinatra to Build REST APIs in RubyLaunchAny
 

Similar to REST Web Service? No, GraphQL please! (20)

How and why i roll my own node.js framework
How and why i roll my own node.js frameworkHow and why i roll my own node.js framework
How and why i roll my own node.js framework
 
Intro to fog and openstack jp
Intro to fog and openstack jpIntro to fog and openstack jp
Intro to fog and openstack jp
 
Backbone
BackboneBackbone
Backbone
 
How to execute an oracle stored procedure with nested table as a parameter fr...
How to execute an oracle stored procedure with nested table as a parameter fr...How to execute an oracle stored procedure with nested table as a parameter fr...
How to execute an oracle stored procedure with nested table as a parameter fr...
 
Developing RESTful WebServices using Jersey
Developing RESTful WebServices using JerseyDeveloping RESTful WebServices using Jersey
Developing RESTful WebServices using Jersey
 
Managing GraphQL servers with AWS Fargate & Prisma Cloud
Managing GraphQL servers  with AWS Fargate & Prisma CloudManaging GraphQL servers  with AWS Fargate & Prisma Cloud
Managing GraphQL servers with AWS Fargate & Prisma Cloud
 
Pyrax talk
Pyrax talkPyrax talk
Pyrax talk
 
GraphQL & Prisma from Scratch
GraphQL & Prisma from ScratchGraphQL & Prisma from Scratch
GraphQL & Prisma from Scratch
 
Serverless Ballerina
Serverless BallerinaServerless Ballerina
Serverless Ballerina
 
Scala45 spray test
Scala45 spray testScala45 spray test
Scala45 spray test
 
Google Cloud Endpoints: Building Third-Party APIs on Google AppEngine
Google Cloud Endpoints: Building Third-Party APIs on Google AppEngineGoogle Cloud Endpoints: Building Third-Party APIs on Google AppEngine
Google Cloud Endpoints: Building Third-Party APIs on Google AppEngine
 
Flask & Flask-restx
Flask & Flask-restxFlask & Flask-restx
Flask & Flask-restx
 
Corba
CorbaCorba
Corba
 
Microservices blue-green-deployment-with-docker
Microservices blue-green-deployment-with-dockerMicroservices blue-green-deployment-with-docker
Microservices blue-green-deployment-with-docker
 
Building and Distributing PostgreSQL Extensions Without Learning C
Building and Distributing PostgreSQL Extensions Without Learning CBuilding and Distributing PostgreSQL Extensions Without Learning C
Building and Distributing PostgreSQL Extensions Without Learning C
 
Rack
RackRack
Rack
 
Openshift31-tech.ppt
Openshift31-tech.pptOpenshift31-tech.ppt
Openshift31-tech.ppt
 
Elasticsearch And Ruby [RuPy2012]
Elasticsearch And Ruby [RuPy2012]Elasticsearch And Ruby [RuPy2012]
Elasticsearch And Ruby [RuPy2012]
 
Javascript: the important bits
Javascript: the important bitsJavascript: the important bits
Javascript: the important bits
 
Using Sinatra to Build REST APIs in Ruby
Using Sinatra to Build REST APIs in RubyUsing Sinatra to Build REST APIs in Ruby
Using Sinatra to Build REST APIs in Ruby
 

More from Dimitri Gielis

Bring the light in your Always FREE Oracle Cloud
Bring the light in your Always FREE Oracle CloudBring the light in your Always FREE Oracle Cloud
Bring the light in your Always FREE Oracle CloudDimitri Gielis
 
APEX Office Print (AOP)
APEX Office Print (AOP)APEX Office Print (AOP)
APEX Office Print (AOP)Dimitri Gielis
 
Can You Do That with APEX? Building Not So Straightforward Pages
Can You Do That with APEX? Building Not So Straightforward PagesCan You Do That with APEX? Building Not So Straightforward Pages
Can You Do That with APEX? Building Not So Straightforward PagesDimitri Gielis
 
Bringing Virtual Reality (VR) and Augmented Reality (AR) to APEX
Bringing Virtual Reality (VR) and Augmented Reality (AR) to APEXBringing Virtual Reality (VR) and Augmented Reality (AR) to APEX
Bringing Virtual Reality (VR) and Augmented Reality (AR) to APEXDimitri Gielis
 
Reporting with Oracle Application Express (APEX)
Reporting with Oracle Application Express (APEX)Reporting with Oracle Application Express (APEX)
Reporting with Oracle Application Express (APEX)Dimitri Gielis
 
Moving your APEX app to the Oracle Exadata Express Cloud
Moving your APEX app to the Oracle Exadata Express CloudMoving your APEX app to the Oracle Exadata Express Cloud
Moving your APEX app to the Oracle Exadata Express CloudDimitri Gielis
 
Oracle APEX for Beginners
Oracle APEX for BeginnersOracle APEX for Beginners
Oracle APEX for BeginnersDimitri Gielis
 
JavaScript straight from the Oracle Database
JavaScript straight from the Oracle DatabaseJavaScript straight from the Oracle Database
JavaScript straight from the Oracle DatabaseDimitri Gielis
 
Service Workers and APEX
Service Workers and APEXService Workers and APEX
Service Workers and APEXDimitri Gielis
 
Real Application Security (RAS) and Oracle Application Express (APEX)
Real Application Security (RAS) and Oracle Application Express (APEX)Real Application Security (RAS) and Oracle Application Express (APEX)
Real Application Security (RAS) and Oracle Application Express (APEX)Dimitri Gielis
 
Moving to the APEX Listener
Moving to the APEX ListenerMoving to the APEX Listener
Moving to the APEX ListenerDimitri Gielis
 
APEX 5 Demo and Best Practices
APEX 5 Demo and Best PracticesAPEX 5 Demo and Best Practices
APEX 5 Demo and Best PracticesDimitri Gielis
 
A Primer on Web Components in APEX
A Primer on Web Components in APEXA Primer on Web Components in APEX
A Primer on Web Components in APEXDimitri Gielis
 
How to make APEX print through Node.js
How to make APEX print through Node.jsHow to make APEX print through Node.js
How to make APEX print through Node.jsDimitri Gielis
 
Oracle Application Express (APEX) and Microsoft Sharepoint integration
Oracle Application Express (APEX) and Microsoft Sharepoint integrationOracle Application Express (APEX) and Microsoft Sharepoint integration
Oracle Application Express (APEX) and Microsoft Sharepoint integrationDimitri Gielis
 

More from Dimitri Gielis (18)

Bring the light in your Always FREE Oracle Cloud
Bring the light in your Always FREE Oracle CloudBring the light in your Always FREE Oracle Cloud
Bring the light in your Always FREE Oracle Cloud
 
APEX Office Print (AOP)
APEX Office Print (AOP)APEX Office Print (AOP)
APEX Office Print (AOP)
 
Can You Do That with APEX? Building Not So Straightforward Pages
Can You Do That with APEX? Building Not So Straightforward PagesCan You Do That with APEX? Building Not So Straightforward Pages
Can You Do That with APEX? Building Not So Straightforward Pages
 
Bringing Virtual Reality (VR) and Augmented Reality (AR) to APEX
Bringing Virtual Reality (VR) and Augmented Reality (AR) to APEXBringing Virtual Reality (VR) and Augmented Reality (AR) to APEX
Bringing Virtual Reality (VR) and Augmented Reality (AR) to APEX
 
Reporting with Oracle Application Express (APEX)
Reporting with Oracle Application Express (APEX)Reporting with Oracle Application Express (APEX)
Reporting with Oracle Application Express (APEX)
 
Moving your APEX app to the Oracle Exadata Express Cloud
Moving your APEX app to the Oracle Exadata Express CloudMoving your APEX app to the Oracle Exadata Express Cloud
Moving your APEX app to the Oracle Exadata Express Cloud
 
Oracle APEX for Beginners
Oracle APEX for BeginnersOracle APEX for Beginners
Oracle APEX for Beginners
 
JavaScript straight from the Oracle Database
JavaScript straight from the Oracle DatabaseJavaScript straight from the Oracle Database
JavaScript straight from the Oracle Database
 
Service Workers and APEX
Service Workers and APEXService Workers and APEX
Service Workers and APEX
 
APEX Office Print
APEX Office PrintAPEX Office Print
APEX Office Print
 
Real Application Security (RAS) and Oracle Application Express (APEX)
Real Application Security (RAS) and Oracle Application Express (APEX)Real Application Security (RAS) and Oracle Application Express (APEX)
Real Application Security (RAS) and Oracle Application Express (APEX)
 
Moving to the APEX Listener
Moving to the APEX ListenerMoving to the APEX Listener
Moving to the APEX Listener
 
APEX Wearables
APEX WearablesAPEX Wearables
APEX Wearables
 
APEX Security 101
APEX Security 101APEX Security 101
APEX Security 101
 
APEX 5 Demo and Best Practices
APEX 5 Demo and Best PracticesAPEX 5 Demo and Best Practices
APEX 5 Demo and Best Practices
 
A Primer on Web Components in APEX
A Primer on Web Components in APEXA Primer on Web Components in APEX
A Primer on Web Components in APEX
 
How to make APEX print through Node.js
How to make APEX print through Node.jsHow to make APEX print through Node.js
How to make APEX print through Node.js
 
Oracle Application Express (APEX) and Microsoft Sharepoint integration
Oracle Application Express (APEX) and Microsoft Sharepoint integrationOracle Application Express (APEX) and Microsoft Sharepoint integration
Oracle Application Express (APEX) and Microsoft Sharepoint integration
 

Recently uploaded

TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law DevelopmentsTrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law DevelopmentsTrustArc
 
The Codex of Business Writing Software for Real-World Solutions 2.pptx
The Codex of Business Writing Software for Real-World Solutions 2.pptxThe Codex of Business Writing Software for Real-World Solutions 2.pptx
The Codex of Business Writing Software for Real-World Solutions 2.pptxMalak Abu Hammad
 
[2024]Digital Global Overview Report 2024 Meltwater.pdf
[2024]Digital Global Overview Report 2024 Meltwater.pdf[2024]Digital Global Overview Report 2024 Meltwater.pdf
[2024]Digital Global Overview Report 2024 Meltwater.pdfhans926745
 
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Miguel Araújo
 
Boost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityBoost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityPrincipled Technologies
 
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptx
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptxEIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptx
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptxEarley Information Science
 
Slack Application Development 101 Slides
Slack Application Development 101 SlidesSlack Application Development 101 Slides
Slack Application Development 101 Slidespraypatel2
 
Top 5 Benefits OF Using Muvi Live Paywall For Live Streams
Top 5 Benefits OF Using Muvi Live Paywall For Live StreamsTop 5 Benefits OF Using Muvi Live Paywall For Live Streams
Top 5 Benefits OF Using Muvi Live Paywall For Live StreamsRoshan Dwivedi
 
Salesforce Community Group Quito, Salesforce 101
Salesforce Community Group Quito, Salesforce 101Salesforce Community Group Quito, Salesforce 101
Salesforce Community Group Quito, Salesforce 101Paola De la Torre
 
Scaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organizationScaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organizationRadu Cotescu
 
Injustice - Developers Among Us (SciFiDevCon 2024)
Injustice - Developers Among Us (SciFiDevCon 2024)Injustice - Developers Among Us (SciFiDevCon 2024)
Injustice - Developers Among Us (SciFiDevCon 2024)Allon Mureinik
 
How to convert PDF to text with Nanonets
How to convert PDF to text with NanonetsHow to convert PDF to text with Nanonets
How to convert PDF to text with Nanonetsnaman860154
 
Histor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slideHistor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slidevu2urc
 
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...
Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...Neo4j
 
08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking Men08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking MenDelhi Call girls
 
A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)Gabriella Davis
 
GenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationGenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationMichael W. Hawkins
 
Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024The Digital Insurer
 
08448380779 Call Girls In Friends Colony Women Seeking Men
08448380779 Call Girls In Friends Colony Women Seeking Men08448380779 Call Girls In Friends Colony Women Seeking Men
08448380779 Call Girls In Friends Colony Women Seeking MenDelhi Call girls
 
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Igalia
 

Recently uploaded (20)

TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law DevelopmentsTrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
 
The Codex of Business Writing Software for Real-World Solutions 2.pptx
The Codex of Business Writing Software for Real-World Solutions 2.pptxThe Codex of Business Writing Software for Real-World Solutions 2.pptx
The Codex of Business Writing Software for Real-World Solutions 2.pptx
 
[2024]Digital Global Overview Report 2024 Meltwater.pdf
[2024]Digital Global Overview Report 2024 Meltwater.pdf[2024]Digital Global Overview Report 2024 Meltwater.pdf
[2024]Digital Global Overview Report 2024 Meltwater.pdf
 
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
 
Boost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityBoost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivity
 
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptx
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptxEIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptx
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptx
 
Slack Application Development 101 Slides
Slack Application Development 101 SlidesSlack Application Development 101 Slides
Slack Application Development 101 Slides
 
Top 5 Benefits OF Using Muvi Live Paywall For Live Streams
Top 5 Benefits OF Using Muvi Live Paywall For Live StreamsTop 5 Benefits OF Using Muvi Live Paywall For Live Streams
Top 5 Benefits OF Using Muvi Live Paywall For Live Streams
 
Salesforce Community Group Quito, Salesforce 101
Salesforce Community Group Quito, Salesforce 101Salesforce Community Group Quito, Salesforce 101
Salesforce Community Group Quito, Salesforce 101
 
Scaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organizationScaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organization
 
Injustice - Developers Among Us (SciFiDevCon 2024)
Injustice - Developers Among Us (SciFiDevCon 2024)Injustice - Developers Among Us (SciFiDevCon 2024)
Injustice - Developers Among Us (SciFiDevCon 2024)
 
How to convert PDF to text with Nanonets
How to convert PDF to text with NanonetsHow to convert PDF to text with Nanonets
How to convert PDF to text with Nanonets
 
Histor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slideHistor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slide
 
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...
Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...
 
08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking Men08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking Men
 
A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)
 
GenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationGenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day Presentation
 
Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024
 
08448380779 Call Girls In Friends Colony Women Seeking Men
08448380779 Call Girls In Friends Colony Women Seeking Men08448380779 Call Girls In Friends Colony Women Seeking Men
08448380779 Call Girls In Friends Colony Women Seeking Men
 
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
 

REST Web Service? No, GraphQL please!

  • 1. REST WEB SERVICE? NO, GRAPHQL PLEASE! DIMITRI GIELIS
  • 2. DIMITRI GIELIS ABOUT ME ▸ Founder & CEO of APEX R&D ▸ 20+ years of Oracle Experience 
 (OCP & APEX Certified) ▸ Oracle ACE Director ▸ “APEX Developer of the year 2009” by Oracle Magazine ▸ “Oracle Developer Choice award (ORDS)” in 2015 ▸ Author Expert Oracle APEX ▸ Presenter at Conferences
  • 5.
  • 6. WAYS TO QUERY THE DATABASE? SQL REST GraphQL
  • 7. SQL
  • 10.
  • 13. REST API CHARACTERISTICS ▸ Server controls the data you get ▸ May need multiple requests to obtain data ▸ Static versions of API
  • 16. GRAPHQL CHARACTERISTICS ▸ Server defines what is available, 
 but Client controls the data it get ▸ Single request to get all ▸ Evolve API over time 
 (even make fields deprecated) ▸ Auto documented
  • 18. GRAPHQL HISTORY ▸ Facebook's mobile apps have been powered by GraphQL since 2012. ▸ A GraphQL spec was open sourced in 2015 ▸ Many implementations in different languages ▸ Used by many big companies e.g.
  • 23. MORE EXAMPLES GRAPHQL APIS ▸ https://github.com/APIs-guru/graphql-apis ▸ https://help.shopify.com/en/api/graphql-admin-api/ graphiql-explorer ▸ https://developer.github.com/v4/ ▸ https://www.yelp.com/developers/graphql/guides/intro
  • 25. GRAPHQL AND THE ORACLE DATABASE BUILDING BLOCKS ▸ Oracle Database ▸ node.js ▸ oracledb ▸ graphql ▸ apollo-server
  • 26. MY DEVELOPMENT ENVIRONMENT ▸ Visual Studio Code ▸ Sqlcl ▸ Git ▸ node.js & nvm & npm ▸ Instant Oracle client / Oracle Database
  • 28. GETTING STARTED CREATE A FIRST NODE PROJECT ▸ npm init ▸ npm install apollo-server graphql oracledb
  • 29. GETTING STARTED CREATE A FIRST NODE PROJECT ▸ npm init ▸ npm install apollo-server graphql oracledb
  • 30. GETTING STARTED CREATE A FIRST NODE PROJECT ▸ npm init ▸ npm install apollo-server graphql oracledb
  • 31. GETTING STARTED CREATE A FIRST NODE PROJECT ▸ npm init ▸ npm install apollo-server graphql oracledb
  • 32. ABOUT APOLLO Apollo Server is the best way to quickly build a production-ready, self-documenting API for GraphQL clients, using data from any source - https://www.apollographql.com/docs/apollo-server/
  • 33. CREATE AN APOLLO SERVER const { ApolloServer, gql } = require('apollo-server'); // This is a (sample) collection of books const books = [{title: 'Book1'},{title: 'Book2'}]; // Type definitions define the "shape" of your data const typeDefs = gql` type Book {title: String} type Query {books: [Book]} `; // Resolvers define the technique for fetching the types const resolvers = { Query: {books: () => books } }; // The Apollo Server can be started by passing // type definitions and the resolvers const server = new ApolloServer({ typeDefs, resolvers }); // This `listen` method launches a web-server server.listen().then(({ url }) => { console.log(`🚀 Server ready at ${url}`); }); https://www.apollographql.com/docs/apollo-server/getting-started/
  • 34. CREATE AN APOLLO SERVER const { ApolloServer, gql } = require('apollo-server'); // This is a (sample) collection of books const books = [{title: 'Book1'},{title: 'Book2'}]; // Type definitions define the "shape" of your data const typeDefs = gql` type Book {title: String} type Query {books: [Book]} `; // Resolvers define the technique for fetching the types const resolvers = { Query: {books: () => books } }; // The Apollo Server can be started by passing // type definitions and the resolvers const server = new ApolloServer({ typeDefs, resolvers }); // This `listen` method launches a web-server server.listen().then(({ url }) => { console.log(`🚀 Server ready at ${url}`); }); https://www.apollographql.com/docs/apollo-server/getting-started/
  • 35. CREATE AN APOLLO SERVER const { ApolloServer, gql } = require('apollo-server'); // This is a (sample) collection of books const books = [{title: 'Book1'},{title: 'Book2'}]; // Type definitions define the "shape" of your data const typeDefs = gql` type Book {title: String} type Query {books: [Book]} `; // Resolvers define the technique for fetching the types const resolvers = { Query: {books: () => books } }; // The Apollo Server can be started by passing // type definitions and the resolvers const server = new ApolloServer({ typeDefs, resolvers }); // This `listen` method launches a web-server server.listen().then(({ url }) => { console.log(`🚀 Server ready at ${url}`); }); https://www.apollographql.com/docs/apollo-server/getting-started/
  • 36. CREATE AN APOLLO SERVER const { ApolloServer, gql } = require('apollo-server'); // This is a (sample) collection of books const books = [{title: 'Book1'},{title: 'Book2'}]; // Type definitions define the "shape" of your data const typeDefs = gql` type Book {title: String} type Query {books: [Book]} `; // Resolvers define the technique for fetching the types const resolvers = { Query: {books: () => books } }; // The Apollo Server can be started by passing // type definitions and the resolvers const server = new ApolloServer({ typeDefs, resolvers }); // This `listen` method launches a web-server server.listen().then(({ url }) => { console.log(`🚀 Server ready at ${url}`); }); https://www.apollographql.com/docs/apollo-server/getting-started/
  • 37. CREATE AN APOLLO SERVER const { ApolloServer, gql } = require('apollo-server'); // This is a (sample) collection of books const books = [{title: 'Book1'},{title: 'Book2'}]; // Type definitions define the "shape" of your data const typeDefs = gql` type Book {title: String} type Query {books: [Book]} `; // Resolvers define the technique for fetching the types const resolvers = { Query: {books: () => books } }; // The Apollo Server can be started by passing // type definitions and the resolvers const server = new ApolloServer({ typeDefs, resolvers }); // This `listen` method launches a web-server server.listen().then(({ url }) => { console.log(`🚀 Server ready at ${url}`); }); https://www.apollographql.com/docs/apollo-server/getting-started/
  • 38. CREATE AN APOLLO SERVER const { ApolloServer, gql } = require('apollo-server'); // This is a (sample) collection of books const books = [{title: 'Book1'},{title: 'Book2'}]; // Type definitions define the "shape" of your data const typeDefs = gql` type Book {title: String} type Query {books: [Book]} `; // Resolvers define the technique for fetching the types const resolvers = { Query: {books: () => books } }; // The Apollo Server can be started by passing // type definitions and the resolvers const server = new ApolloServer({ typeDefs, resolvers }); // This `listen` method launches a web-server server.listen().then(({ url }) => { console.log(`🚀 Server ready at ${url}`); }); https://www.apollographql.com/docs/apollo-server/getting-started/
  • 39. CREATE AN APOLLO SERVER const { ApolloServer, gql } = require('apollo-server'); // This is a (sample) collection of books const books = [{title: 'Book1'},{title: 'Book2'}]; // Type definitions define the "shape" of your data const typeDefs = gql` type Book {title: String} type Query {books: [Book]} `; // Resolvers define the technique for fetching the types const resolvers = { Query: {books: () => books } }; // The Apollo Server can be started by passing // type definitions and the resolvers const server = new ApolloServer({ typeDefs, resolvers }); // This `listen` method launches a web-server server.listen().then(({ url }) => { console.log(`🚀 Server ready at ${url}`); }); https://www.apollographql.com/docs/apollo-server/getting-started/
  • 40. TEST IN BROWSER: HTTP://LOCALHOST:4000
  • 41. HOOKING UP ORACLE DB WITH NODE-ORACLEDB
  • 42. QUERY ORACLE DB var oracledb = require('oracledb'); async function run() { let connection; try { connection = await oracledb.getConnection( { user : "hr", password : "hr", connectString : "localhost/XEPDB1" }); let result = await connection.execute( `SELECT manager_id, department_id, department_name FROM departments WHERE manager_id = :id`, [103], // bind value for :id ); console.log(result.rows); } catch (err) { console.error(err); } finally { if (connection) { try { await connection.close(); } catch (err) { console.error(err); } } } } run(); https://oracle.github.io/node-oracledb/doc/api.html#getstarted
  • 43. QUERY ORACLE DB var oracledb = require('oracledb'); async function run() { let connection; try { connection = await oracledb.getConnection( { user : "hr", password : "hr", connectString : "localhost/XEPDB1" }); let result = await connection.execute( `SELECT manager_id, department_id, department_name FROM departments WHERE manager_id = :id`, [103], // bind value for :id ); console.log(result.rows); } catch (err) { console.error(err); } finally { if (connection) { try { await connection.close(); } catch (err) { console.error(err); } } } } run(); https://oracle.github.io/node-oracledb/doc/api.html#getstarted
  • 44. QUERY ORACLE DB var oracledb = require('oracledb'); async function run() { let connection; try { connection = await oracledb.getConnection( { user : "hr", password : "hr", connectString : "localhost/XEPDB1" }); let result = await connection.execute( `SELECT manager_id, department_id, department_name FROM departments WHERE manager_id = :id`, [103], // bind value for :id ); console.log(result.rows); } catch (err) { console.error(err); } finally { if (connection) { try { await connection.close(); } catch (err) { console.error(err); } } } } run(); https://oracle.github.io/node-oracledb/doc/api.html#getstarted
  • 45. QUERY ORACLE DB var oracledb = require('oracledb'); async function run() { let connection; try { connection = await oracledb.getConnection( { user : "hr", password : "hr", connectString : "localhost/XEPDB1" }); let result = await connection.execute( `SELECT manager_id, department_id, department_name FROM departments WHERE manager_id = :id`, [103], // bind value for :id ); console.log(result.rows); } catch (err) { console.error(err); } finally { if (connection) { try { await connection.close(); } catch (err) { console.error(err); } } } } run(); https://oracle.github.io/node-oracledb/doc/api.html#getstarted
  • 46. GETTING STARTED COMBINING APOLLO AND ORACLE ▸ Map SQL to Types ▸ TIP: 
 sqlcl to output SQL statement to JSON ▸ convert JSON to GraphQL Types automatically
 https://walmartlabs.github.io/json-to-simple-graphql-schema/
  • 47.
  • 49. MORE ADVANCED SQL & JOINS JOIN MONSTER ▸ A GraphQL to SQL query execution layer for query planning and batch data fetching. https://github.com/acarl005/join-monster
  • 50. DEMO (PROVIDING) source: Dan McGhan presentation: emp/dept example
  • 51.
  • 52. DETAILS OF GRAPHQL GRAPHQL CONCEPTS ▸ Schema ▸ Object type (character) ▸ Field ▸ Arguments ▸ Scalar type ▸ Interface
  • 53. DETAILS OF GRAPHQL HOW TO QUERY A GRAPHQL SERVER ▸ Queries ▸ Fields, Aliases, Fragments ▸ Arguments ▸ Variables ▸ Directives ▸ Operation name ▸ Mutations ▸ Subscriptions
  • 54. NEXT INTERESTING RESOURCES & PROJECTS ▸ https://graphql.org/learn/best-practices/ ▸ https://blogs.oracle.com/opal/demo:-graphql-with-node-oracledb ▸ https://github.com/sblack4/oracledb-graphql-demo ▸ https://www.prisma.io (no Oracle support yet) ▸ https://github.com/rexxars/sql-to-graphql (unmaintained)