SlideShare a Scribd company logo
1 of 62
Download to read offline
Tensorflow.js
Develop ML with JavaScript
1
What?
2
3
History
4
5
What we can do?
6
What we can do?
92% it’s cat
7
52% it’s cat
How it works
8
Single neuron
f(∑)
x1
x2
x3
w1
w2
w3
out
9
Single neuron
f(∑)
x1
x2
x3
w1
w2
w3
out
f(x[1]*w[1] + x[2]*w[2] + x[3]*w[3])
f(∑) = (0...1)
10
Single neuron
f(∑)
x1
x2
x3
w1
w2
w3
out
f(x[1]*w[1] + x[2]*w[2] + x[3]*w[3])
f = sigmoid / ReLU / tanH ...
11
Single neuron
12
1
-1
-1 1
Sigmoid
f(x) = 1 / (1 + exp(-x))
1
-1
-1 1
ReLU
f(x) = max(0, x)
1
-1
-1 1
TanH
f(x) = (exp(x) - exp(-x)) /
(exp(x) + exp(-x))
13
Single neuron
Activation Function
Single neuron
f(∑)
x1
x2
x3
w1
w2
w3
out
W1
W2
W3
X1 X2 X3 *
15
More neurons…
f(∑)
x1
x2
x3
W11 W12
W21 W22
W31 W32
X1 X2 X3 *
f(∑)
out2
out1
Matrix DOT
16
w11
w1
w21
w22
w31
w32
One Layer!
f(∑)
x1
x2
x3
W11 W12
W21 W22
W31 W32
X1 X2 X3
*
f(∑)
out2
out1
O1 O2=
17
More layers...
f(∑)
x1
x2
x3
W11 W12
W21 W22
W31 W32
X1 X2 X3
*
f(∑)
*
f(∑)
f(∑)
f(∑)
W11 W12 W13
W21 W22 W13
18
Deep Network!
f(∑)
x1
x2
x3
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
O1 O2 O3 O4
19
Deep Network
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
X1 …. Xn O1 …. On
20
Deep Network
W11 W12
W21 W22
W31 W32
W11 W12 W13
W21 W22 W13
W11 W12
W21 W22
W31 W32
21
Recognize Cat
22
Recognize Cat
23
134 50 233
12 189 199
... ... ...
213 181 71
Recognize Cat
24
0.52 0.19 0.91
0.098 0.74 0.78
... ... ...
0.83 0.71 0.28
x’ = x / 255
Recognize Cat
25
0.52 0.19 0.91 0.098 0.74 0.78 ….
Recognize Cat
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)0.25 0.81 ... 0.25 0.023 0.977
yes, it’s cat!
26
Wrong result :(
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)0.25 0.81 ... 0.25 0.65 0.35
may be cat…
or not…
i don’t know!
27
Learning
28
Learning flow
1. Get Labeled data
2. Get results for labeled data (Forward
propagation)
3. Compare with expected results (Fe - Fa)
4. If error is big, update weights (Back propagation),
repeat 2-4
5. If error is low (E < 0.001), try on unlabeled data
not cat
cat
29
Learning flow
not cat
cat
Input
[ 0.24, 0.56, … 0.567 ],
[ 0.87, 0.122, … 0.78 ],
[ 0.911, 0.796, … 0.24 ],
...
Expected Output
[ 1, 0 ],
[ 0, 1 ],
[ 0, 1 ],
...
30
Learning flow
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
Forward Propagation
31
Learning flow
Error = expected - actual
= [ 1, 0 ] - [ 0.23, 0.77 ]
= [0.77, -0.77,]
32
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
Learning flow
Back Propagation
Back prop (impl)
33
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
f(∑)
Learning flow
Gradient descent
Tensorflow
35
Why in browser?
36
Tensorflow.js
In browser:
WebGL
On server
CUDA or Native C++
37
Install
● npm install @tensorflow/tfjs
● npm install @tensorflow/tfjs-node
38
Wait! Who is “Tensor”?
39
Wait! Who is “Tensor”?
[1.0, 2.0, 3.0],
[10.0, 20.0, 30.0]
tensor =
40
Wait! Who is “Tensor”?
const b = tf.tensor([[1.0, 2.0, 3.0], [10.0, 20.0, 30.0]]);
const c = tf.tensor2d([[1.0, 2.0, 3.0], [10.0, 20.0, 30.0]]);
const e = tf.tensor2d([[1.0, 2.0], [3.0, 4.0]]);
const f = tf.tensor2d([[5.0, 6.0], [7.0, 8.0]]);
41
Ops API
const e = tf.tensor([[1.0, 2.0], [20.0, 30.0]]);
const f = tf.tensor2d([[2.0, 3.0], [10.0, 20.0]]);
const e_plus_f = e.add(f);
const f_plus_e = tf.add(e, f);
const e_sub_f = e.sub(f);
const e_mul_f = e.mul(f);
const square_f = tf.square(f);
42
Memory
Dispose
const e = tf.tensor([[1.0, 2.0], [20.0, 30.0]]);
const x_squared = x.square();
x.dispose();
x_squared.dispose();
43
Memory
Tidy
const average = tf.tidy(() => {
const y = tf.tensor1d([1.0, 2.0, 3.0, 4.0]);
const z = tf.ones([4]);
return y.sub(z).square().mean();
});
average.print()
44
45
TensorFlow.js Layers API
46
Layers API
import * as tf from '@tensorlowjs/tfjs';
// Build and compile model.
const model = tf.sequential();
model.add(tf.layers.dense({units: 1, inputShape: [1]}));
model.compile({optimizer: 'sgd', loss: 'meanSquaredError'});
// Generate data for training.
const xs = tf.tensor2d([[1], [2], [3], [4]], [4, 1]);
const ys = tf.tensor2d([[1], [3], [5], [7]], [4, 1]);
// Train model
await model.fit(xs, ys, {epochs: 1000}); 47
Load pretrained model
import * as tf from '@tensorlowjs/tfjs';
// Load model.
const model = await tf.loadModel('https://foo.bar/model.json');
48
Live example
49
Capture from camera
public capture(): Tensor {
return tf.tidy(() => {
const croppedImage = this.cropImage(tf.fromPixels(this.video));
const batchedImage = croppedImage.expandDims(0);
return batchedImage.toFloat().div(tf.scalar(127)).sub(tf.scalar(1));
});
}
50
Load pre-trained model
private loadTruncatedMobileNet$(): Observable<Model> {
return Observable.create(observer => {
tf.loadModel(
'https://storage.googleapis.com/tfjs-models/tfjs/mobilenet_v1_0.25_224/model.json'
).then(
(mobilenet: Model) => {
const layer = mobilenet.getLayer('conv_pw_13_relu');
observer.next(tf.model({ inputs: mobilenet.inputs, outputs: layer.output }));
observer.complete();
}
);
});
}
51
Create own model
tf.sequential({
layers: [
tf.layers.flatten({
inputShape: this.truncatedMobileNet.outputs[0].shape.slice(1)
}),
tf.layers.dense({
units: Config.NUM_HIDDEN_LAYERS,
activation: 'relu',
kernelInitializer: 'varianceScaling',
useBias: true
}),
tf.layers.dense({
units: Config.NUM_CLASSES,
kernelInitializer: 'varianceScaling',
useBias: false,
activation: 'softmax'
})
]
});
52
Train
public train$(): Observable<number> {
return Observable.create((observer: Observer<number>) => {
this.model = this.getModel();
const optimizer = tf.train.adam(Config.LEARNING_RATE);
this.model.compile({
optimizer: optimizer,
loss: 'categoricalCrossentropy'
});
this.actualModelTrain(observer);
});
}
53
// ...
this.model.fit(this.datasetController.savedX,
this.datasetController.savedY, {
batchSize,
epochs: Config.NUM_EPOCHS,
callbacks: {
onBatchEnd: async (batch, logs) => observer.next(logs.loss),
}
})
.then(() => observer.complete())
Predict image class
public predictFromCameraCapture$(): Observable<number> {
return Observable.create(observer => {
const predict = () => {
const predictedClass = tf.tidy(() => {
const img = this.webcam.capture();
const embeddings = this.truncatedMobileNet.predict(img);
const predictions: Tensor<Rank> | Tensor<Rank>[] = this.model.predict(embeddings);
return (predictions as Tensor<Rank>).as1D().argMax();
});
predictedClass.data()
.then((data: Int32Array) => observer.next(data[0]))
};
predict();
})
}
54
Playing Mortal Kombat with TensorFlow.js. Transfer learning
and data augmentation
55
56
57
Essence of calculus
Linear algebra
Coursera: Deep learning
Awesome Deep Learning Project Ideas
Live example
58
GALLERY
Roadmap
59
watch
presentation
again
multiplication,
forward prop,
back prop
build your own
network
implementation
try to
recognize
digits
face id
lock for your
app
convolutional
network
transfer
learning
Lazy Roadmap
60
instal ml5.js done!
const classifier = ml5.imageClassifier('MobileNet', onModelReady);
// Make a prediction
let prediction = classifier.predict(img, (err, results) => {
console.log(results);
});
THANKS FOR WATCHING!!!
YOU ARE AWESOME
61
QUESTIONS? 62

More Related Content

What's hot

What's hot (20)

Pytorch and Machine Learning for the Math Impaired
Pytorch and Machine Learning for the Math ImpairedPytorch and Machine Learning for the Math Impaired
Pytorch and Machine Learning for the Math Impaired
 
Pythonbrasil - 2018 - Acelerando Soluções com GPU
Pythonbrasil - 2018 - Acelerando Soluções com GPUPythonbrasil - 2018 - Acelerando Soluções com GPU
Pythonbrasil - 2018 - Acelerando Soluções com GPU
 
NTHU AI Reading Group: Improved Training of Wasserstein GANs
NTHU AI Reading Group: Improved Training of Wasserstein GANsNTHU AI Reading Group: Improved Training of Wasserstein GANs
NTHU AI Reading Group: Improved Training of Wasserstein GANs
 
[신경망기초] 합성곱신경망
[신경망기초] 합성곱신경망[신경망기초] 합성곱신경망
[신경망기초] 합성곱신경망
 
Pythonで機械学習入門以前
Pythonで機械学習入門以前Pythonで機械学習入門以前
Pythonで機械学習入門以前
 
Kristhyan kurtlazartezubia evidencia1-metodosnumericos
Kristhyan kurtlazartezubia evidencia1-metodosnumericosKristhyan kurtlazartezubia evidencia1-metodosnumericos
Kristhyan kurtlazartezubia evidencia1-metodosnumericos
 
Pybelsberg — Constraint-based Programming in Python
Pybelsberg — Constraint-based Programming in PythonPybelsberg — Constraint-based Programming in Python
Pybelsberg — Constraint-based Programming in Python
 
Mosaic plot in R.
Mosaic plot in R.Mosaic plot in R.
Mosaic plot in R.
 
Goptuna Distributed Bayesian Optimization Framework at Go Conference 2019 Autumn
Goptuna Distributed Bayesian Optimization Framework at Go Conference 2019 AutumnGoptuna Distributed Bayesian Optimization Framework at Go Conference 2019 Autumn
Goptuna Distributed Bayesian Optimization Framework at Go Conference 2019 Autumn
 
Computational Linguistics week 5
Computational Linguistics  week 5Computational Linguistics  week 5
Computational Linguistics week 5
 
AA-sort with SSE4.1
AA-sort with SSE4.1AA-sort with SSE4.1
AA-sort with SSE4.1
 
Machine Learning Algorithms
Machine Learning AlgorithmsMachine Learning Algorithms
Machine Learning Algorithms
 
Learning to Sample
Learning to SampleLearning to Sample
Learning to Sample
 
NumPy Refresher
NumPy RefresherNumPy Refresher
NumPy Refresher
 
The Ring programming language version 1.5.4 book - Part 59 of 185
The Ring programming language version 1.5.4 book - Part 59 of 185The Ring programming language version 1.5.4 book - Part 59 of 185
The Ring programming language version 1.5.4 book - Part 59 of 185
 
TensorFlow 深度學習快速上手班--機器學習
TensorFlow 深度學習快速上手班--機器學習TensorFlow 深度學習快速上手班--機器學習
TensorFlow 深度學習快速上手班--機器學習
 
Flink Forward Berlin 2017: David Rodriguez - The Approximate Filter, Join, an...
Flink Forward Berlin 2017: David Rodriguez - The Approximate Filter, Join, an...Flink Forward Berlin 2017: David Rodriguez - The Approximate Filter, Join, an...
Flink Forward Berlin 2017: David Rodriguez - The Approximate Filter, Join, an...
 
Gentlest Introduction to Tensorflow
Gentlest Introduction to TensorflowGentlest Introduction to Tensorflow
Gentlest Introduction to Tensorflow
 
Gentlest Introduction to Tensorflow - Part 3
Gentlest Introduction to Tensorflow - Part 3Gentlest Introduction to Tensorflow - Part 3
Gentlest Introduction to Tensorflow - Part 3
 
Glm talk Tomas
Glm talk TomasGlm talk Tomas
Glm talk Tomas
 

Similar to Машинное обучение на JS. С чего начать и куда идти | Odessa Frontend Meetup #12

Parallel R in snow (english after 2nd slide)
Parallel R in snow (english after 2nd slide)Parallel R in snow (english after 2nd slide)
Parallel R in snow (english after 2nd slide)
Cdiscount
 

Similar to Машинное обучение на JS. С чего начать и куда идти | Odessa Frontend Meetup #12 (20)

Seminar PSU 10.10.2014 mme
Seminar PSU 10.10.2014 mmeSeminar PSU 10.10.2014 mme
Seminar PSU 10.10.2014 mme
 
Yoyak ScalaDays 2015
Yoyak ScalaDays 2015Yoyak ScalaDays 2015
Yoyak ScalaDays 2015
 
How to use SVM for data classification
How to use SVM for data classificationHow to use SVM for data classification
How to use SVM for data classification
 
Scaling Deep Learning with MXNet
Scaling Deep Learning with MXNetScaling Deep Learning with MXNet
Scaling Deep Learning with MXNet
 
Haskellで学ぶ関数型言語
Haskellで学ぶ関数型言語Haskellで学ぶ関数型言語
Haskellで学ぶ関数型言語
 
Introduction to Machine Learning
Introduction to Machine LearningIntroduction to Machine Learning
Introduction to Machine Learning
 
Function Approx2009
Function Approx2009Function Approx2009
Function Approx2009
 
【AI実装4】TensorFlowのプログラムを読む2 非線形回帰
【AI実装4】TensorFlowのプログラムを読む2 非線形回帰【AI実装4】TensorFlowのプログラムを読む2 非線形回帰
【AI実装4】TensorFlowのプログラムを読む2 非線形回帰
 
Parallel R in snow (english after 2nd slide)
Parallel R in snow (english after 2nd slide)Parallel R in snow (english after 2nd slide)
Parallel R in snow (english after 2nd slide)
 
Pythran: Static compiler for high performance by Mehdi Amini PyData SV 2014
Pythran: Static compiler for high performance by Mehdi Amini PyData SV 2014Pythran: Static compiler for high performance by Mehdi Amini PyData SV 2014
Pythran: Static compiler for high performance by Mehdi Amini PyData SV 2014
 
alexnet.pdf
alexnet.pdfalexnet.pdf
alexnet.pdf
 
Hands-On Algorithms for Predictive Modeling
Hands-On Algorithms for Predictive ModelingHands-On Algorithms for Predictive Modeling
Hands-On Algorithms for Predictive Modeling
 
How to add an optimization for C# to RyuJIT
How to add an optimization for C# to RyuJITHow to add an optimization for C# to RyuJIT
How to add an optimization for C# to RyuJIT
 
Lucio Floretta - TensorFlow and Deep Learning without a PhD - Codemotion Mila...
Lucio Floretta - TensorFlow and Deep Learning without a PhD - Codemotion Mila...Lucio Floretta - TensorFlow and Deep Learning without a PhD - Codemotion Mila...
Lucio Floretta - TensorFlow and Deep Learning without a PhD - Codemotion Mila...
 
Introduction to Neural Networks and Deep Learning from Scratch
Introduction to Neural Networks and Deep Learning from ScratchIntroduction to Neural Networks and Deep Learning from Scratch
Introduction to Neural Networks and Deep Learning from Scratch
 
multiple linear regression
multiple linear regressionmultiple linear regression
multiple linear regression
 
Python profiling
Python profilingPython profiling
Python profiling
 
An introduction to Google test framework
An introduction to Google test frameworkAn introduction to Google test framework
An introduction to Google test framework
 
Time Series Analysis and Mining with R
Time Series Analysis and Mining with RTime Series Analysis and Mining with R
Time Series Analysis and Mining with R
 
Speaker Diarization
Speaker DiarizationSpeaker Diarization
Speaker Diarization
 

More from OdessaFrontend

Частые ошибки при разработке фронтенда | Odessa Frontend Meetup #17
Частые ошибки при разработке фронтенда | Odessa Frontend Meetup #17Частые ошибки при разработке фронтенда | Odessa Frontend Meetup #17
Частые ошибки при разработке фронтенда | Odessa Frontend Meetup #17
OdessaFrontend
 

More from OdessaFrontend (20)

Викторина | Odessa Frontend Meetup #19
Викторина | Odessa Frontend Meetup #19Викторина | Odessa Frontend Meetup #19
Викторина | Odessa Frontend Meetup #19
 
Использование Recoil в React и React Native приложениях | Odessa Frontend Mee...
Использование Recoil в React и React Native приложениях | Odessa Frontend Mee...Использование Recoil в React и React Native приложениях | Odessa Frontend Mee...
Использование Recoil в React и React Native приложениях | Odessa Frontend Mee...
 
Великолепный Gatsby.js | Odessa Frontend Meetup #19
Великолепный Gatsby.js | Odessa Frontend Meetup #19Великолепный Gatsby.js | Odessa Frontend Meetup #19
Великолепный Gatsby.js | Odessa Frontend Meetup #19
 
Функциональное программирование с использованием библиотеки fp-ts | Odessa Fr...
Функциональное программирование с использованием библиотеки fp-ts | Odessa Fr...Функциональное программирование с использованием библиотеки fp-ts | Odessa Fr...
Функциональное программирование с использованием библиотеки fp-ts | Odessa Fr...
 
Canvas API как инструмент для работы с графикой | Odessa Frontend Meetup #18
Canvas API как инструмент для работы с графикой | Odessa Frontend Meetup #18Canvas API как инструмент для работы с графикой | Odessa Frontend Meetup #18
Canvas API как инструмент для работы с графикой | Odessa Frontend Meetup #18
 
Викторина | Odessa Frontend Meetup #17
Викторина | Odessa Frontend Meetup #17Викторина | Odessa Frontend Meetup #17
Викторина | Odessa Frontend Meetup #17
 
Антихрупкий TypeScript | Odessa Frontend Meetup #17
Антихрупкий TypeScript | Odessa Frontend Meetup #17Антихрупкий TypeScript | Odessa Frontend Meetup #17
Антихрупкий TypeScript | Odessa Frontend Meetup #17
 
Частые ошибки при разработке фронтенда | Odessa Frontend Meetup #17
Частые ошибки при разработке фронтенда | Odessa Frontend Meetup #17Частые ошибки при разработке фронтенда | Odessa Frontend Meetup #17
Частые ошибки при разработке фронтенда | Odessa Frontend Meetup #17
 
OAuth2 и OpenID Connect простым языком | Odessa Frontend Meetup #17
OAuth2 и OpenID Connect простым языком | Odessa Frontend Meetup #17OAuth2 и OpenID Connect простым языком | Odessa Frontend Meetup #17
OAuth2 и OpenID Connect простым языком | Odessa Frontend Meetup #17
 
Объекты в ECMAScript | Odessa Frontend Meetup #16
Объекты в ECMAScript | Odessa Frontend Meetup #16Объекты в ECMAScript | Odessa Frontend Meetup #16
Объекты в ECMAScript | Odessa Frontend Meetup #16
 
Фриланс как профессиональная деградация | Odessa Frontend Meetup #16
Фриланс как профессиональная деградация | Odessa Frontend Meetup #16Фриланс как профессиональная деградация | Odessa Frontend Meetup #16
Фриланс как профессиональная деградация | Odessa Frontend Meetup #16
 
Cлайдер на CSS | Odessa Frontend Meetup #16
Cлайдер на CSS | Odessa Frontend Meetup #16Cлайдер на CSS | Odessa Frontend Meetup #16
Cлайдер на CSS | Odessa Frontend Meetup #16
 
Современный станок верстальщика
Современный станок верстальщикаСовременный станок верстальщика
Современный станок верстальщика
 
Викторина | Odessa Frontend Meetup #15
Викторина | Odessa Frontend Meetup #15Викторина | Odessa Frontend Meetup #15
Викторина | Odessa Frontend Meetup #15
 
DRY’им Vuex | Odessa Frontend Meetup #15
DRY’им Vuex | Odessa Frontend Meetup #15DRY’им Vuex | Odessa Frontend Meetup #15
DRY’им Vuex | Odessa Frontend Meetup #15
 
А/Б тестирование: Что? Как? Зачем? | Odessa Frontend Meetup #15
А/Б тестирование: Что? Как? Зачем? | Odessa Frontend Meetup #15А/Б тестирование: Что? Как? Зачем? | Odessa Frontend Meetup #15
А/Б тестирование: Что? Как? Зачем? | Odessa Frontend Meetup #15
 
Пощупать 3д в браузере | Odessa Frontend Meetup #15
Пощупать 3д в браузере | Odessa Frontend Meetup #15Пощупать 3д в браузере | Odessa Frontend Meetup #15
Пощупать 3д в браузере | Odessa Frontend Meetup #15
 
Викторина | Odessa Frontend Meetup #14
Викторина | Odessa Frontend Meetup #14Викторина | Odessa Frontend Meetup #14
Викторина | Odessa Frontend Meetup #14
 
Викторина | Odessa Frontend Meetup #13
Викторина | Odessa Frontend Meetup #13Викторина | Odessa Frontend Meetup #13
Викторина | Odessa Frontend Meetup #13
 
Структуры данных в JavaScript | Odessa Frontend Meetup #13
Структуры данных в JavaScript | Odessa Frontend Meetup #13Структуры данных в JavaScript | Odessa Frontend Meetup #13
Структуры данных в JavaScript | Odessa Frontend Meetup #13
 

Recently uploaded

Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Safe Software
 
Why Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire businessWhy Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire business
panagenda
 
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
 

Recently uploaded (20)

ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemkeProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
 
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
 
Boost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdfBoost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdf
 
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
 
[BuildWithAI] Introduction to Gemini.pdf
[BuildWithAI] Introduction to Gemini.pdf[BuildWithAI] Introduction to Gemini.pdf
[BuildWithAI] Introduction to Gemini.pdf
 
DBX First Quarter 2024 Investor Presentation
DBX First Quarter 2024 Investor PresentationDBX First Quarter 2024 Investor Presentation
DBX First Quarter 2024 Investor Presentation
 
Ransomware_Q4_2023. The report. [EN].pdf
Ransomware_Q4_2023. The report. [EN].pdfRansomware_Q4_2023. The report. [EN].pdf
Ransomware_Q4_2023. The report. [EN].pdf
 
Emergent Methods: Multi-lingual narrative tracking in the news - real-time ex...
Emergent Methods: Multi-lingual narrative tracking in the news - real-time ex...Emergent Methods: Multi-lingual narrative tracking in the news - real-time ex...
Emergent Methods: Multi-lingual narrative tracking in the news - real-time ex...
 
ICT role in 21st century education and its challenges
ICT role in 21st century education and its challengesICT role in 21st century education and its challenges
ICT role in 21st century education and its challenges
 
Artificial Intelligence Chap.5 : Uncertainty
Artificial Intelligence Chap.5 : UncertaintyArtificial Intelligence Chap.5 : Uncertainty
Artificial Intelligence Chap.5 : Uncertainty
 
Why Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire businessWhy Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire business
 
AWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of TerraformAWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of Terraform
 
Exploring Multimodal Embeddings with Milvus
Exploring Multimodal Embeddings with MilvusExploring Multimodal Embeddings with Milvus
Exploring Multimodal Embeddings with Milvus
 
Cyberprint. Dark Pink Apt Group [EN].pdf
Cyberprint. Dark Pink Apt Group [EN].pdfCyberprint. Dark Pink Apt Group [EN].pdf
Cyberprint. Dark Pink Apt Group [EN].pdf
 
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...
 
Strategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
Strategize a Smooth Tenant-to-tenant Migration and Copilot TakeoffStrategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
Strategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
 
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
 
Rising Above_ Dubai Floods and the Fortitude of Dubai International Airport.pdf
Rising Above_ Dubai Floods and the Fortitude of Dubai International Airport.pdfRising Above_ Dubai Floods and the Fortitude of Dubai International Airport.pdf
Rising Above_ Dubai Floods and the Fortitude of Dubai International Airport.pdf
 
Strategies for Landing an Oracle DBA Job as a Fresher
Strategies for Landing an Oracle DBA Job as a FresherStrategies for Landing an Oracle DBA Job as a Fresher
Strategies for Landing an Oracle DBA Job as a Fresher
 
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
 

Машинное обучение на JS. С чего начать и куда идти | Odessa Frontend Meetup #12