SlideShare une entreprise Scribd logo
1  sur  31
Title: Blockchain and smart contracts
What they are and why you should really care about ad developer
Author: @maeste, Stefano Maestri
CODEMOTION MILAN - SPECIAL EDITION
10 – 11 NOVEMBER 2017
Who is Stefano?
● A young enthusiast open source developer
● Red Hat Principal software engineer
● https://www.linkedin.com/in/maeste/
● https://twitter.com/maeste
● https://github.com/maeste/
● http://www.onchain.it/
My matching pairs game: Java & JBoss, Open Source & Red Hat,
Blockchain & Ethereum
Today’s Agenda
● Brief introduction to blockchain concepts
● Cryptocurrencies and why they have monetary value
● Smart contracts and why you should care about
● Developing smart contracts on ethereum blockchain
What is the block chain?
The Guardian: Blockchain is a digital ledger that provides a
secure way of making and recording transactions,
agreements and contracts – anything that needs to be
recorded and verified as having taken place.
Wikipedia: A blockchain is a continuously growing list of records
, called blocks, which are linked and secured using cryptography.
Each block typically contains a hash pointer as a link to a previous
block, a timestamp and transaction data. By design, blockchains
are inherently resistant to modification of the data. A
blockchain can serve as "an open, distributed ledger that can
record transactions between two parties efficiently and in a
verifiable and permanent way."
What is a blockchain...a nice bullet list
● It’s a ledger of transactions and datas
● It’s persistent, secure and unmodifiable
● It’s based on computational trust
● It’s distributed and unstoppable
● Transaction parties are anonymous, but tx are public and verifiable
● It’s transactions could be about values (cryptocurrency)
● It’s trustless about nodes and users
Live Demo
It’s distributed and unstoppable
It’s distributed and unstoppable
Has those cryptocurrencies a real economic
value? And why?
In economy “intrinsic value” concept doesn’t exist at all. We give value to money
by convention, and more general anything gain value almost for 3 reasons (not
strictly needed, but true in almost cases at least)
● It’s rare
● It’s hard to reproduce
● It could be exchanged
1 Euro
Fontana’s paint ~ 8M Euro
~ 7K Euro Manzoni’s artist's shit: ~275K Euro
Traditional payments
And isn’t ok to simply trust in a Bank?
What could happen?
Lehman Brothers…..
So...what is the solution?
Grandmum solution?
Could be at least unpractical...
What is a blockchain...a nice bullet list
● It’s a ledger of transactions and datas
● It’s persistent and secure
● It’s based on computational trust
● It’s distributed and unstoppable
● Transaction parties are anonymous, but transactions are public
● It’s transactions could be about values (cryptocurrency)
● It’s trustless about nodes and users
Am I going to transfer my money without trusting anyone?
What does trustless mean?
You are not trusting in peers of transaction or even in nodes of the network, you
are trusting in the protocol itself. In other words you are trusting blockchain and
cryptocurrency itself and not people owning them….moreover they are
anonymous…
Does it recall anything you well known and use everyday?
Smart Contracts
What is a smart contract?
A contract is a voluntary arrangement between two or more
parties that is enforceable by law as a binding legal
agreement
A smart contract is a computer protocol intended to
facilitate, verify, or enforce the negotiation or performance of
a contract.
Real world smart contracts
With the present implementations]
"smart contract" is
general purpose computation that takes place on a
blockchain
Smart contracts: unstoppable Dapp
● Distributed
● Can transfer money/assets
● Unmodifiable state history
Ethereum: a blockchain for smart contracts
● Every node run a built in Virtual Machine (EVM)
● It provide a compiler from high level languages to EVM
● 2 different kind of accounts:
○ Externally owned account (EOAs), controlled by
private keys
○ Contract accounts, controlled by code
Ethereum Virtual Machine
Internals
● TURING COMPLETE VM
● Stack based byte code (push,
jump)
● Memory
● Storage
● Environment variables
● Logs
● Sub-calling
High level languages
● Solidity (c-like)
● Viper (python like)
● LLL (lisp inspired)
● Bamboo (experimental
morphing language influenced by
Erlang)
Everyone compiling to EVM code
EVM code execution
● Transaction sent to a contract address
● Every full node of ethereum run the code at this
address and store the state
● Smart contract code can:
○ Could run any program (turing complete machine)
○ Read/write state
○ Call another contract
○ Send ETH to other address (both EOA and contract)
Ethereum GAS
Halting problem: determine if the program will finish running or continue to run
forever. Classic NP-hard problem
Ethereum solution: GAS, a fee per computational step
GAS is not a currency is just a unit of measurement of computational step
In Tx you have “maximum GAS” you would give to the miner and “GAS price” to
determine how much you will actually pay.
If Tx complete successfully you pay just for effective GAS used.
It the Tx would consume all GAS the TX will be revert, but you still pay for GAS
Ethereum hasn’t block size limit, but Gas Limit (6.7M currently, but voted by miners)
Solidity
● C/Java-like syntax
● Statically typed
● Support inheritance (multiple)
● Complex user defined types (struct)
● Polymorphism
● Overriding
● …..
http://solidity.readthedocs.io/en/develop/index.html#
Our development environment
● testRPC (local in memory ethereum blockchain)
● Truffle (maven-like tool to compile and deploy contract)
● A bit of javascript (npm) for some raw Dapp interface
● Metamask to inject ethereum protocol in our
html/javascript Dapp
● Intellij to edit solidity and javascript
More info: http://truffleframework.com/
SmartNotary
● The easiest contract notarizing a document
● Receiving document hash and owner name It will write them in the
blockchain state
● Giving the hash it will return the owner name
● It’s a pet project just to play with code
Talk is cheap….show me the f****ing code (Linus Torvalds)
https://github.com/onchainit/SmartNotary/tree/baseExample
SmartNotary 1.1: using EOA
We are using current EOA (from metamask) as owner.
It will give us the opportunity to play a bit with metamask
https://github.com/onchainit/SmartNotary/tree/baseExample
SmartNotary 2.0: paying for notarization
We are adding money transfer.
Basically the user will pay in ether the service of
notarization.
The ethers are stored in contract balance, and only contract
creator could withdraw them in his EOA
https://github.com/onchainit/SmartNotary/tree/pay4Notarization
Contract security - reentrancy attack
// INSECURE
mapping (address => uint) private userBalances;
function withdrawBalance() public {
uint amountToWithdraw = userBalances[msg.sender];
require(msg.sender.call.value(amountToWithdraw)());
// At this point, the caller's code is executed, and can call withdrawBalance again
userBalances[msg.sender] = 0;
}
https://consensys.github.io/smart-contract-best-practices/
Contract security - reentrancy attack
// VERY SIMPLIFIED MALICIOUS CODE (WOULD NEED CONSIDERATION ON BLOCK MAXIMUM GAS)
function() payable {
vulnerable.withDraw();
}
Contract security -reentrancy attack solution
mapping (address => uint) private userBalances;
function withdrawBalance() public {
uint amountToWithdraw = userBalances[msg.sender];
userBalances[msg.sender] = 0;
require(msg.sender.call.value(amountToWithdraw)());
// The user's balance is already 0, so future invocations won't withdraw anything
}
Or just using primitive send() instead of .call.value which limit gas to 2300 (pure
transfer)
https://consensys.github.io/smart-contract-best-practices/
SmartNotary 3.0: paying for notarization and
notarized document market
A bit more complex example
More money transfer
Blind auction
https://github.com/onchainit/SmartNotary/tree/marketplace
Who is behind ethereum?
Thanks for coming
0x41a6021A6Dc82cbB0cd7ee0E3855654D225F48C
6
I’ll use ethers only for beers :)
● https://www.linkedin.com/in/maeste/
● https://twitter.com/maeste
● https://github.com/maeste/
● http://www.onchain.it/

Contenu connexe

Tendances

Encode polkadot club event 2, intro to polkadot
Encode polkadot club   event 2, intro to polkadotEncode polkadot club   event 2, intro to polkadot
Encode polkadot club event 2, intro to polkadot
Vanessa Lošić
 
Locking the Throne Room - How ES5+ might change views on XSS and Client Side ...
Locking the Throne Room - How ES5+ might change views on XSS and Client Side ...Locking the Throne Room - How ES5+ might change views on XSS and Client Side ...
Locking the Throne Room - How ES5+ might change views on XSS and Client Side ...
Mario Heiderich
 
Generic Attack Detection - ph-Neutral 0x7d8
Generic Attack Detection - ph-Neutral 0x7d8Generic Attack Detection - ph-Neutral 0x7d8
Generic Attack Detection - ph-Neutral 0x7d8
Mario Heiderich
 
The Image that called me - Active Content Injection with SVG Files
The Image that called me - Active Content Injection with SVG FilesThe Image that called me - Active Content Injection with SVG Files
The Image that called me - Active Content Injection with SVG Files
Mario Heiderich
 
HTML5 - The Good, the Bad, the Ugly
HTML5 - The Good, the Bad, the UglyHTML5 - The Good, the Bad, the Ugly
HTML5 - The Good, the Bad, the Ugly
Mario Heiderich
 

Tendances (20)

CBGTBT - Part 3 - Transactions 101
CBGTBT - Part 3 - Transactions 101CBGTBT - Part 3 - Transactions 101
CBGTBT - Part 3 - Transactions 101
 
The Bitcoin Lightning Network
The Bitcoin Lightning NetworkThe Bitcoin Lightning Network
The Bitcoin Lightning Network
 
On Private Blockchains, Technically
On Private Blockchains, TechnicallyOn Private Blockchains, Technically
On Private Blockchains, Technically
 
Encode polkadot club event 2, intro to polkadot
Encode polkadot club   event 2, intro to polkadotEncode polkadot club   event 2, intro to polkadot
Encode polkadot club event 2, intro to polkadot
 
Locking the Throne Room - How ES5+ might change views on XSS and Client Side ...
Locking the Throne Room - How ES5+ might change views on XSS and Client Side ...Locking the Throne Room - How ES5+ might change views on XSS and Client Side ...
Locking the Throne Room - How ES5+ might change views on XSS and Client Side ...
 
20180714 workshop - Ethereum decentralized application with truffle framework
20180714 workshop - Ethereum decentralized application with truffle framework20180714 workshop - Ethereum decentralized application with truffle framework
20180714 workshop - Ethereum decentralized application with truffle framework
 
The innerHTML Apocalypse
The innerHTML ApocalypseThe innerHTML Apocalypse
The innerHTML Apocalypse
 
Generic Attack Detection - ph-Neutral 0x7d8
Generic Attack Detection - ph-Neutral 0x7d8Generic Attack Detection - ph-Neutral 0x7d8
Generic Attack Detection - ph-Neutral 0x7d8
 
NodeJS
NodeJSNodeJS
NodeJS
 
The Image that called me - Active Content Injection with SVG Files
The Image that called me - Active Content Injection with SVG FilesThe Image that called me - Active Content Injection with SVG Files
The Image that called me - Active Content Injection with SVG Files
 
SiestaTime - Defcon27 Red Team Village
SiestaTime - Defcon27 Red Team VillageSiestaTime - Defcon27 Red Team Village
SiestaTime - Defcon27 Red Team Village
 
NodeJS
NodeJSNodeJS
NodeJS
 
HTML5 - The Good, the Bad, the Ugly
HTML5 - The Good, the Bad, the UglyHTML5 - The Good, the Bad, the Ugly
HTML5 - The Good, the Bad, the Ugly
 
(C)NodeJS
(C)NodeJS(C)NodeJS
(C)NodeJS
 
NodeJS ecosystem
NodeJS ecosystemNodeJS ecosystem
NodeJS ecosystem
 
CBGTBT - Part 2 - Blockchains 101
CBGTBT - Part 2 - Blockchains 101CBGTBT - Part 2 - Blockchains 101
CBGTBT - Part 2 - Blockchains 101
 
Dev and Blind - Attacking the weakest Link in IT Security
Dev and Blind - Attacking the weakest Link in IT SecurityDev and Blind - Attacking the weakest Link in IT Security
Dev and Blind - Attacking the weakest Link in IT Security
 
Bitcoin Wallet &amp Keys
Bitcoin Wallet &amp KeysBitcoin Wallet &amp Keys
Bitcoin Wallet &amp Keys
 
Encode Club workshop slides
Encode Club workshop slidesEncode Club workshop slides
Encode Club workshop slides
 
Total E(A)gression defcon
Total E(A)gression   defconTotal E(A)gression   defcon
Total E(A)gression defcon
 

En vedette

Blockchain Smart Contracts - getting from hype to reality
Blockchain Smart Contracts - getting from hype to reality Blockchain Smart Contracts - getting from hype to reality
Blockchain Smart Contracts - getting from hype to reality
Capgemini
 

En vedette (20)

HGF's usage of smart contracts on the ethereum blockchain
HGF's usage of smart contracts on the ethereum blockchainHGF's usage of smart contracts on the ethereum blockchain
HGF's usage of smart contracts on the ethereum blockchain
 
20171003 blockchain and smart contracts sai 2017 kv
20171003 blockchain and smart contracts sai 2017 kv20171003 blockchain and smart contracts sai 2017 kv
20171003 blockchain and smart contracts sai 2017 kv
 
Blockchain, smart contracts - introduction
Blockchain, smart contracts - introductionBlockchain, smart contracts - introduction
Blockchain, smart contracts - introduction
 
Blockchain Smart Contracts - getting from hype to reality
Blockchain Smart Contracts - getting from hype to reality Blockchain Smart Contracts - getting from hype to reality
Blockchain Smart Contracts - getting from hype to reality
 
BlockChain, Bitcoin and Smart Contracts - Oleg Kudrenko
BlockChain, Bitcoin and Smart Contracts - Oleg KudrenkoBlockChain, Bitcoin and Smart Contracts - Oleg Kudrenko
BlockChain, Bitcoin and Smart Contracts - Oleg Kudrenko
 
Bitcoin and Blockchain Technology: An Introduction
Bitcoin and Blockchain Technology: An IntroductionBitcoin and Blockchain Technology: An Introduction
Bitcoin and Blockchain Technology: An Introduction
 
Bitcoin and Blockchain Technology: Hayek Money
Bitcoin and Blockchain Technology: Hayek MoneyBitcoin and Blockchain Technology: Hayek Money
Bitcoin and Blockchain Technology: Hayek Money
 
Blockchain: The Information Technology of the Future
Blockchain: The Information Technology of the FutureBlockchain: The Information Technology of the Future
Blockchain: The Information Technology of the Future
 
Brian Ketelsen - Microservices in Go using Micro - Codemotion Milan 2017
Brian Ketelsen - Microservices in Go using Micro - Codemotion Milan 2017Brian Ketelsen - Microservices in Go using Micro - Codemotion Milan 2017
Brian Ketelsen - Microservices in Go using Micro - Codemotion Milan 2017
 
Roberto Clapis/Stefano Zanero - Night of the living vulnerabilities: forever-...
Roberto Clapis/Stefano Zanero - Night of the living vulnerabilities: forever-...Roberto Clapis/Stefano Zanero - Night of the living vulnerabilities: forever-...
Roberto Clapis/Stefano Zanero - Night of the living vulnerabilities: forever-...
 
Luciano Fiandesio - Docker 101 | Codemotion Milan 2015
Luciano Fiandesio - Docker 101 | Codemotion Milan 2015Luciano Fiandesio - Docker 101 | Codemotion Milan 2015
Luciano Fiandesio - Docker 101 | Codemotion Milan 2015
 
Agnieszka Naplocha - Breaking the norm with creative CSS - Codemotion Milan 2017
Agnieszka Naplocha - Breaking the norm with creative CSS - Codemotion Milan 2017Agnieszka Naplocha - Breaking the norm with creative CSS - Codemotion Milan 2017
Agnieszka Naplocha - Breaking the norm with creative CSS - Codemotion Milan 2017
 
Jacopo Nardiello - Monitoring Cloud-Native applications with Prometheus - Cod...
Jacopo Nardiello - Monitoring Cloud-Native applications with Prometheus - Cod...Jacopo Nardiello - Monitoring Cloud-Native applications with Prometheus - Cod...
Jacopo Nardiello - Monitoring Cloud-Native applications with Prometheus - Cod...
 
Lorna Mitchell - Becoming Polyglot - Codemotion Milan 2017
Lorna Mitchell - Becoming Polyglot - Codemotion Milan 2017Lorna Mitchell - Becoming Polyglot - Codemotion Milan 2017
Lorna Mitchell - Becoming Polyglot - Codemotion Milan 2017
 
Mobile Library Development - stuck between a pod and a jar file - Zan Markan ...
Mobile Library Development - stuck between a pod and a jar file - Zan Markan ...Mobile Library Development - stuck between a pod and a jar file - Zan Markan ...
Mobile Library Development - stuck between a pod and a jar file - Zan Markan ...
 
How to build an HA container orchestrator infrastructure for production – Giu...
How to build an HA container orchestrator infrastructure for production – Giu...How to build an HA container orchestrator infrastructure for production – Giu...
How to build an HA container orchestrator infrastructure for production – Giu...
 
Oded Coster - Stack Overflow behind the scenes - how it's made - Codemotion M...
Oded Coster - Stack Overflow behind the scenes - how it's made - Codemotion M...Oded Coster - Stack Overflow behind the scenes - how it's made - Codemotion M...
Oded Coster - Stack Overflow behind the scenes - how it's made - Codemotion M...
 
Luciano Mammino - Cracking JWT tokens: a tale of magic, Node.JS and parallel...
Luciano Mammino  - Cracking JWT tokens: a tale of magic, Node.JS and parallel...Luciano Mammino  - Cracking JWT tokens: a tale of magic, Node.JS and parallel...
Luciano Mammino - Cracking JWT tokens: a tale of magic, Node.JS and parallel...
 
Webinar - Matteo Manchi: Dal web al nativo: Introduzione a React Native
Webinar - Matteo Manchi: Dal web al nativo: Introduzione a React Native Webinar - Matteo Manchi: Dal web al nativo: Introduzione a React Native
Webinar - Matteo Manchi: Dal web al nativo: Introduzione a React Native
 
Dan Persa, Maximilian Fellner - The recipe for scalable frontends - Codemotio...
Dan Persa, Maximilian Fellner - The recipe for scalable frontends - Codemotio...Dan Persa, Maximilian Fellner - The recipe for scalable frontends - Codemotio...
Dan Persa, Maximilian Fellner - The recipe for scalable frontends - Codemotio...
 

Similaire à Stefano Maestri - Blockchain and smart contracts, what they are and why you should really care about as a developer - Codemotion Milan 2017

Web3’s red pill: Smashing Web3 transaction simulations for fun and profit
Web3’s red pill: Smashing Web3 transaction simulations for fun and profitWeb3’s red pill: Smashing Web3 transaction simulations for fun and profit
Web3’s red pill: Smashing Web3 transaction simulations for fun and profit
Tal Be'ery
 
Daniel Connelly Ethereum Smart Contract Master's Thesis
Daniel Connelly Ethereum Smart Contract Master's ThesisDaniel Connelly Ethereum Smart Contract Master's Thesis
Daniel Connelly Ethereum Smart Contract Master's Thesis
Daniel Connelly
 
Dylan Butler & Oliver Hager - Building a cross platform cryptocurrency app
Dylan Butler & Oliver Hager - Building a cross platform cryptocurrency appDylan Butler & Oliver Hager - Building a cross platform cryptocurrency app
Dylan Butler & Oliver Hager - Building a cross platform cryptocurrency app
DevCamp Campinas
 

Similaire à Stefano Maestri - Blockchain and smart contracts, what they are and why you should really care about as a developer - Codemotion Milan 2017 (20)

Blockchain and smart contracts, what they are and why you should really care ...
Blockchain and smart contracts, what they are and why you should really care ...Blockchain and smart contracts, what they are and why you should really care ...
Blockchain and smart contracts, what they are and why you should really care ...
 
Ethereum
EthereumEthereum
Ethereum
 
Ethereum-Cryptocurrency (All about Ethereum)
Ethereum-Cryptocurrency (All about Ethereum) Ethereum-Cryptocurrency (All about Ethereum)
Ethereum-Cryptocurrency (All about Ethereum)
 
Building Apps with Ethereum Smart Contract
Building Apps with Ethereum Smart ContractBuilding Apps with Ethereum Smart Contract
Building Apps with Ethereum Smart Contract
 
Web3’s red pill: Smashing Web3 transaction simulations for fun and profit
Web3’s red pill: Smashing Web3 transaction simulations for fun and profitWeb3’s red pill: Smashing Web3 transaction simulations for fun and profit
Web3’s red pill: Smashing Web3 transaction simulations for fun and profit
 
Fluent destry saul
Fluent destry saulFluent destry saul
Fluent destry saul
 
Smart contract honeypots for profit (and fun) - bha
Smart contract honeypots for profit (and fun)  - bhaSmart contract honeypots for profit (and fun)  - bha
Smart contract honeypots for profit (and fun) - bha
 
Blockchain Programming
Blockchain ProgrammingBlockchain Programming
Blockchain Programming
 
Best practices to build secure smart contracts
Best practices to build secure smart contractsBest practices to build secure smart contracts
Best practices to build secure smart contracts
 
gething started - ethereum & using the geth golang client
gething started - ethereum & using the geth golang clientgething started - ethereum & using the geth golang client
gething started - ethereum & using the geth golang client
 
Jerome de Tychey - Building Web3.0 with Ethereum - Codemotion Berlin 2018
Jerome de Tychey - Building Web3.0 with Ethereum - Codemotion Berlin 2018Jerome de Tychey - Building Web3.0 with Ethereum - Codemotion Berlin 2018
Jerome de Tychey - Building Web3.0 with Ethereum - Codemotion Berlin 2018
 
Jerome de Tychey - Building Web3.0 with Ethereum - Codemotion Berlin 2018
Jerome de Tychey - Building Web3.0 with Ethereum - Codemotion Berlin 2018Jerome de Tychey - Building Web3.0 with Ethereum - Codemotion Berlin 2018
Jerome de Tychey - Building Web3.0 with Ethereum - Codemotion Berlin 2018
 
The JavaScript toolset for development on Ethereum
The JavaScript toolset for development on EthereumThe JavaScript toolset for development on Ethereum
The JavaScript toolset for development on Ethereum
 
Javascript toolset for Ethereum Smart Contract development
Javascript toolset for Ethereum Smart Contract developmentJavascript toolset for Ethereum Smart Contract development
Javascript toolset for Ethereum Smart Contract development
 
Ethereum in a nutshell
Ethereum in a nutshellEthereum in a nutshell
Ethereum in a nutshell
 
How to design, code, deploy and execute a smart contract
How to design, code, deploy and execute a smart contractHow to design, code, deploy and execute a smart contract
How to design, code, deploy and execute a smart contract
 
Daniel Connelly Ethereum Smart Contract Master's Thesis
Daniel Connelly Ethereum Smart Contract Master's ThesisDaniel Connelly Ethereum Smart Contract Master's Thesis
Daniel Connelly Ethereum Smart Contract Master's Thesis
 
Dylan Butler & Oliver Hager - Building a cross platform cryptocurrency app
Dylan Butler & Oliver Hager - Building a cross platform cryptocurrency appDylan Butler & Oliver Hager - Building a cross platform cryptocurrency app
Dylan Butler & Oliver Hager - Building a cross platform cryptocurrency app
 
BlockChain Public
BlockChain PublicBlockChain Public
BlockChain Public
 
Stefano Maestri - Why Ethereum and other blockchains are going to Proof of St...
Stefano Maestri - Why Ethereum and other blockchains are going to Proof of St...Stefano Maestri - Why Ethereum and other blockchains are going to Proof of St...
Stefano Maestri - Why Ethereum and other blockchains are going to Proof of St...
 

Plus de Codemotion

Plus de Codemotion (20)

Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...
Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...
Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...
 
Pompili - From hero to_zero: The FatalNoise neverending story
Pompili - From hero to_zero: The FatalNoise neverending storyPompili - From hero to_zero: The FatalNoise neverending story
Pompili - From hero to_zero: The FatalNoise neverending story
 
Pastore - Commodore 65 - La storia
Pastore - Commodore 65 - La storiaPastore - Commodore 65 - La storia
Pastore - Commodore 65 - La storia
 
Pennisi - Essere Richard Altwasser
Pennisi - Essere Richard AltwasserPennisi - Essere Richard Altwasser
Pennisi - Essere Richard Altwasser
 
Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...
Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...
Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...
 
Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019
Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019
Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019
 
Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019
Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019
Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019
 
Francesco Baldassarri - Deliver Data at Scale - Codemotion Amsterdam 2019 -
Francesco Baldassarri  - Deliver Data at Scale - Codemotion Amsterdam 2019 - Francesco Baldassarri  - Deliver Data at Scale - Codemotion Amsterdam 2019 -
Francesco Baldassarri - Deliver Data at Scale - Codemotion Amsterdam 2019 -
 
Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...
Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...
Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...
 
Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...
Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...
Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...
 
Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...
Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...
Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...
 
Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...
Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...
Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...
 
Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019
Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019
Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019
 
Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019
Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019
Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019
 
Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019
Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019
Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019
 
James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...
James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...
James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...
 
Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...
Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...
Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...
 
Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019
Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019
Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019
 
Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019
Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019
Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019
 
Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019
Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019
Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019
 

Dernier

Finding Java's Hidden Performance Traps @ DevoxxUK 2024
Finding Java's Hidden Performance Traps @ DevoxxUK 2024Finding Java's Hidden Performance Traps @ DevoxxUK 2024
Finding Java's Hidden Performance Traps @ DevoxxUK 2024
Victor Rentea
 
Architecting Cloud Native Applications
Architecting Cloud Native ApplicationsArchitecting Cloud Native Applications
Architecting Cloud Native Applications
WSO2
 

Dernier (20)

Finding Java's Hidden Performance Traps @ DevoxxUK 2024
Finding Java's Hidden Performance Traps @ DevoxxUK 2024Finding Java's Hidden Performance Traps @ DevoxxUK 2024
Finding Java's Hidden Performance Traps @ DevoxxUK 2024
 
Introduction to Multilingual Retrieval Augmented Generation (RAG)
Introduction to Multilingual Retrieval Augmented Generation (RAG)Introduction to Multilingual Retrieval Augmented Generation (RAG)
Introduction to Multilingual Retrieval Augmented Generation (RAG)
 
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost SavingRepurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
 
Vector Search -An Introduction in Oracle Database 23ai.pptx
Vector Search -An Introduction in Oracle Database 23ai.pptxVector Search -An Introduction in Oracle Database 23ai.pptx
Vector Search -An Introduction in Oracle Database 23ai.pptx
 
Corporate and higher education May webinar.pptx
Corporate and higher education May webinar.pptxCorporate and higher education May webinar.pptx
Corporate and higher education May webinar.pptx
 
Biography Of Angeliki Cooney | Senior Vice President Life Sciences | Albany, ...
Biography Of Angeliki Cooney | Senior Vice President Life Sciences | Albany, ...Biography Of Angeliki Cooney | Senior Vice President Life Sciences | Albany, ...
Biography Of Angeliki Cooney | Senior Vice President Life Sciences | Albany, ...
 
presentation ICT roal in 21st century education
presentation ICT roal in 21st century educationpresentation ICT roal in 21st century education
presentation ICT roal in 21st century education
 
DBX First Quarter 2024 Investor Presentation
DBX First Quarter 2024 Investor PresentationDBX First Quarter 2024 Investor Presentation
DBX First Quarter 2024 Investor Presentation
 
Architecting Cloud Native Applications
Architecting Cloud Native ApplicationsArchitecting Cloud Native Applications
Architecting Cloud Native Applications
 
CNIC Information System with Pakdata Cf In Pakistan
CNIC Information System with Pakdata Cf In PakistanCNIC Information System with Pakdata Cf In Pakistan
CNIC Information System with Pakdata Cf In Pakistan
 
Apidays New York 2024 - APIs in 2030: The Risk of Technological Sleepwalk by ...
Apidays New York 2024 - APIs in 2030: The Risk of Technological Sleepwalk by ...Apidays New York 2024 - APIs in 2030: The Risk of Technological Sleepwalk by ...
Apidays New York 2024 - APIs in 2030: The Risk of Technological Sleepwalk by ...
 
Artificial Intelligence Chap.5 : Uncertainty
Artificial Intelligence Chap.5 : UncertaintyArtificial Intelligence Chap.5 : Uncertainty
Artificial Intelligence Chap.5 : Uncertainty
 
Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...
Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...
Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...
 
Polkadot JAM Slides - Token2049 - By Dr. Gavin Wood
Polkadot JAM Slides - Token2049 - By Dr. Gavin WoodPolkadot JAM Slides - Token2049 - By Dr. Gavin Wood
Polkadot JAM Slides - Token2049 - By Dr. Gavin Wood
 
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
 
Exploring Multimodal Embeddings with Milvus
Exploring Multimodal Embeddings with MilvusExploring Multimodal Embeddings with Milvus
Exploring Multimodal Embeddings with Milvus
 
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemkeProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
 
TrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data DiscoveryTrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
 
DEV meet-up UiPath Document Understanding May 7 2024 Amsterdam
DEV meet-up UiPath Document Understanding May 7 2024 AmsterdamDEV meet-up UiPath Document Understanding May 7 2024 Amsterdam
DEV meet-up UiPath Document Understanding May 7 2024 Amsterdam
 
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, AdobeApidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
 

Stefano Maestri - Blockchain and smart contracts, what they are and why you should really care about as a developer - Codemotion Milan 2017

  • 1. Title: Blockchain and smart contracts What they are and why you should really care about ad developer Author: @maeste, Stefano Maestri CODEMOTION MILAN - SPECIAL EDITION 10 – 11 NOVEMBER 2017
  • 2. Who is Stefano? ● A young enthusiast open source developer ● Red Hat Principal software engineer ● https://www.linkedin.com/in/maeste/ ● https://twitter.com/maeste ● https://github.com/maeste/ ● http://www.onchain.it/ My matching pairs game: Java & JBoss, Open Source & Red Hat, Blockchain & Ethereum
  • 3. Today’s Agenda ● Brief introduction to blockchain concepts ● Cryptocurrencies and why they have monetary value ● Smart contracts and why you should care about ● Developing smart contracts on ethereum blockchain
  • 4. What is the block chain? The Guardian: Blockchain is a digital ledger that provides a secure way of making and recording transactions, agreements and contracts – anything that needs to be recorded and verified as having taken place. Wikipedia: A blockchain is a continuously growing list of records , called blocks, which are linked and secured using cryptography. Each block typically contains a hash pointer as a link to a previous block, a timestamp and transaction data. By design, blockchains are inherently resistant to modification of the data. A blockchain can serve as "an open, distributed ledger that can record transactions between two parties efficiently and in a verifiable and permanent way."
  • 5. What is a blockchain...a nice bullet list ● It’s a ledger of transactions and datas ● It’s persistent, secure and unmodifiable ● It’s based on computational trust ● It’s distributed and unstoppable ● Transaction parties are anonymous, but tx are public and verifiable ● It’s transactions could be about values (cryptocurrency) ● It’s trustless about nodes and users Live Demo
  • 8. Has those cryptocurrencies a real economic value? And why? In economy “intrinsic value” concept doesn’t exist at all. We give value to money by convention, and more general anything gain value almost for 3 reasons (not strictly needed, but true in almost cases at least) ● It’s rare ● It’s hard to reproduce ● It could be exchanged 1 Euro Fontana’s paint ~ 8M Euro ~ 7K Euro Manzoni’s artist's shit: ~275K Euro
  • 9. Traditional payments And isn’t ok to simply trust in a Bank? What could happen? Lehman Brothers…..
  • 10. So...what is the solution? Grandmum solution? Could be at least unpractical...
  • 11. What is a blockchain...a nice bullet list ● It’s a ledger of transactions and datas ● It’s persistent and secure ● It’s based on computational trust ● It’s distributed and unstoppable ● Transaction parties are anonymous, but transactions are public ● It’s transactions could be about values (cryptocurrency) ● It’s trustless about nodes and users Am I going to transfer my money without trusting anyone?
  • 12. What does trustless mean? You are not trusting in peers of transaction or even in nodes of the network, you are trusting in the protocol itself. In other words you are trusting blockchain and cryptocurrency itself and not people owning them….moreover they are anonymous… Does it recall anything you well known and use everyday?
  • 14. What is a smart contract? A contract is a voluntary arrangement between two or more parties that is enforceable by law as a binding legal agreement A smart contract is a computer protocol intended to facilitate, verify, or enforce the negotiation or performance of a contract.
  • 15. Real world smart contracts With the present implementations] "smart contract" is general purpose computation that takes place on a blockchain
  • 16. Smart contracts: unstoppable Dapp ● Distributed ● Can transfer money/assets ● Unmodifiable state history
  • 17. Ethereum: a blockchain for smart contracts ● Every node run a built in Virtual Machine (EVM) ● It provide a compiler from high level languages to EVM ● 2 different kind of accounts: ○ Externally owned account (EOAs), controlled by private keys ○ Contract accounts, controlled by code
  • 18. Ethereum Virtual Machine Internals ● TURING COMPLETE VM ● Stack based byte code (push, jump) ● Memory ● Storage ● Environment variables ● Logs ● Sub-calling High level languages ● Solidity (c-like) ● Viper (python like) ● LLL (lisp inspired) ● Bamboo (experimental morphing language influenced by Erlang) Everyone compiling to EVM code
  • 19. EVM code execution ● Transaction sent to a contract address ● Every full node of ethereum run the code at this address and store the state ● Smart contract code can: ○ Could run any program (turing complete machine) ○ Read/write state ○ Call another contract ○ Send ETH to other address (both EOA and contract)
  • 20. Ethereum GAS Halting problem: determine if the program will finish running or continue to run forever. Classic NP-hard problem Ethereum solution: GAS, a fee per computational step GAS is not a currency is just a unit of measurement of computational step In Tx you have “maximum GAS” you would give to the miner and “GAS price” to determine how much you will actually pay. If Tx complete successfully you pay just for effective GAS used. It the Tx would consume all GAS the TX will be revert, but you still pay for GAS Ethereum hasn’t block size limit, but Gas Limit (6.7M currently, but voted by miners)
  • 21. Solidity ● C/Java-like syntax ● Statically typed ● Support inheritance (multiple) ● Complex user defined types (struct) ● Polymorphism ● Overriding ● ….. http://solidity.readthedocs.io/en/develop/index.html#
  • 22. Our development environment ● testRPC (local in memory ethereum blockchain) ● Truffle (maven-like tool to compile and deploy contract) ● A bit of javascript (npm) for some raw Dapp interface ● Metamask to inject ethereum protocol in our html/javascript Dapp ● Intellij to edit solidity and javascript More info: http://truffleframework.com/
  • 23. SmartNotary ● The easiest contract notarizing a document ● Receiving document hash and owner name It will write them in the blockchain state ● Giving the hash it will return the owner name ● It’s a pet project just to play with code Talk is cheap….show me the f****ing code (Linus Torvalds) https://github.com/onchainit/SmartNotary/tree/baseExample
  • 24. SmartNotary 1.1: using EOA We are using current EOA (from metamask) as owner. It will give us the opportunity to play a bit with metamask https://github.com/onchainit/SmartNotary/tree/baseExample
  • 25. SmartNotary 2.0: paying for notarization We are adding money transfer. Basically the user will pay in ether the service of notarization. The ethers are stored in contract balance, and only contract creator could withdraw them in his EOA https://github.com/onchainit/SmartNotary/tree/pay4Notarization
  • 26. Contract security - reentrancy attack // INSECURE mapping (address => uint) private userBalances; function withdrawBalance() public { uint amountToWithdraw = userBalances[msg.sender]; require(msg.sender.call.value(amountToWithdraw)()); // At this point, the caller's code is executed, and can call withdrawBalance again userBalances[msg.sender] = 0; } https://consensys.github.io/smart-contract-best-practices/
  • 27. Contract security - reentrancy attack // VERY SIMPLIFIED MALICIOUS CODE (WOULD NEED CONSIDERATION ON BLOCK MAXIMUM GAS) function() payable { vulnerable.withDraw(); }
  • 28. Contract security -reentrancy attack solution mapping (address => uint) private userBalances; function withdrawBalance() public { uint amountToWithdraw = userBalances[msg.sender]; userBalances[msg.sender] = 0; require(msg.sender.call.value(amountToWithdraw)()); // The user's balance is already 0, so future invocations won't withdraw anything } Or just using primitive send() instead of .call.value which limit gas to 2300 (pure transfer) https://consensys.github.io/smart-contract-best-practices/
  • 29. SmartNotary 3.0: paying for notarization and notarized document market A bit more complex example More money transfer Blind auction https://github.com/onchainit/SmartNotary/tree/marketplace
  • 30. Who is behind ethereum?
  • 31. Thanks for coming 0x41a6021A6Dc82cbB0cd7ee0E3855654D225F48C 6 I’ll use ethers only for beers :) ● https://www.linkedin.com/in/maeste/ ● https://twitter.com/maeste ● https://github.com/maeste/ ● http://www.onchain.it/