SlideShare a Scribd company logo
我們如何在醫院打造
即時醫療影像AI平台
Max Lai
台中童綜合醫院 資訊部
About Me
• Taichung.py 社群共同發起人
• Agile Taichung 社群共同發起人
• 台中童綜合醫院 AI Lab Senior Manager
台中童綜合醫院
• 位於台中市梧棲區, 1,500 病床
• 資訊部有 78位成員
• AI Lab 目前有 8位 AI工程師& 4位資料分析師
• 主要標註者為 3位 放射科醫師& 4位放射師
Ethics and Privacy Announcement
All of our researches concerning ethics and privacy are
under oversight by an independent committee of IRB
(Institutional Review Boards).
All sensitive data in this presentation are de-identified
and de-linked before use.
https://www.cnshealthcare.com/learn-more/what-is-clinical-research/item/73-what-s-an-irb.html
Agenda
• Deep Learning Pipeline
• 醫學影像標註系統的設計考量
• 即時胸部X光腫瘤AI平台
• 深度學習模型封裝
• 結論
早期治療五年存活率>70%
若為第四期肺癌則<5%
2017年台 男女性10大 症 化發生率
料來 :本 症登記 料(不含原位 ) 資料來源: 國民健康署 2020/06/02 https://bit.ly/3baZoBU
節結 (<3cm)腫塊 (>=3cm)
醫院 AI 平台目標
• 使用類神經網路在X光影像上偵測結節及腫塊
• 整合 PACS 系統,建置醫學影像標註系統
• 整合至報告系統,在醫師打報告時即時顯示病灶位置
胸部X光是放射影像中使用最多、數量最大,也是最重要的初步診斷工具。
但小的結節有時肉眼辨識不易,因而延誤早期治療之時機。
報告資料庫
影像資料庫
資料集 預標註
去識別化
訓練模型即時輔助診斷醫師產出報告 人工標註
Medical Deep Learning Pipeline
佈署
醫學影像標註系統
放射報告系統整合
Central Venous Catheter/中心靜脈導管 Endotracheal Tube/氣管內管
97.98% 98.18%
Nasogastric Tube/鼻胃管 Pacemaker/心律調節器
95.42% 100%
醫學影像標註系統的設計考量
• 標註者多為領域專家,UI Flow 宜貼近原工作之習慣
• 結合醫院的報告系統,可透過關鍵字進行預標註
• 標註一致性的提升:
• 事先溝通
• 專案說明
• 標註與確認
• 隱私權的考量:去識別化功能
• 訓練集(train set)、驗證集(validation set)、測試集(test set)要考
量同一人不同影像的情況
NIH註解
童綜合醫院註解
• NIH Chest X-ray的分類:0, 低度懷疑, 中度懷疑, 高度懷疑
標註資料的品質
t
即時胸部X光腫瘤AI平台
Image
Storage
檢查新Xray
Get Dicom
Labeling
System
PACS
AI Service
刪除30天
前舊圖
Task QueueHIS
RIS
False positive
False negative
Inference
Result
Convert to JPG
APScheduler
APScheduler
Pydicom
API
API
API
API
深度學習模型封裝
以 PyTorch 為例
AI Model/ API/ Client
AI Model/ API/ Client
Image
Storage
APIClient
Class
API
Docker
Object
storage
Model
github.com/cclai999/pycontw2020-demo
V1-Script
├── v1-script
│ └── main.py
V1-Script, main.py (1/2)
transform = transforms.Compose([
transforms.Resize(256),
transforms.CenterCrop(224),
transforms.ToTensor(),
transforms.Normalize(
mean=[0.485, 0.456, 0.406],
std=[0.229, 0.224, 0.225]
)])
img = Image.open("cat.jpg")
img_t = transform(img)
batch_t = torch.unsqueeze(img_t, 0)
# build a transform; load image,
V1-Script , main.py (2/2)
# First, load the model
resnet = models.resnet101(pretrained=False)
state_dict = torch.load("resnet101-5d3b4d8f.pth")
resnet.load_state_dict(state_dict)
# Second, put the network in eval mode
resnet.eval()
# Third, carry out model inference
out = resnet(batch_t)
_, index = torch.max(out, 1)
percentage = torch.nn.functional.softmax(out, dim=1)[0] * 100
print(classes[index[0]], percentage[index[0]].item())
# load model, and do inference
V2-model-class
├── v2-model-class
├── main.py
└── model
├── __init__.py
└── myresnet.py
V2-model-class, myresnet.py (1/2)
class MyResnet():
def __init__(self, model_state_path: str,
classes_names_path: str):
# load the model
self._model = models.resnet101(pretrained=False)
state_dict = torch.load(model_state_path)
self._model.load_state_dict(state_dict)
# put the network in eval mode
self._model.eval()
# create an image transform
.....
# load names of all classes
.....
# wrap AI model into a class
V2-model-class, myresnet.py (2/2)
class MyResnet():
def predict(self, img: Image):
img_t = self.transform(img)
batch_t = torch.unsqueeze(img_t, 0)
# carry out model inference
out = self._model(batch_t)
_, index = torch.max(out, 1)
percentage = torch.nn.functional.softmax(out,
dim=1)[0] * 100
return self.classes[index[0]],
percentage[index[0]].item()
# wrap AI model into a class
V2-model-class, main.py
from PIL import Image
from model import MyResnet
imgnet = MyResnet("resnet101-5d3b4d8f.pth",
"imagenet_classes.txt")
img = Image.open("../test-data/cat.jpg")
class_name, percentage = imgnet.predict(img)
# pass an image to MyResnet and do predict
V3-docker
├── v3-docker
├── Dockerfile
├── ....
├── docker-compose.yml
├── model
│ ├── __init__.py
│ ├── myresnet.py
│ └── ....
├── requirements.txt
├── .. ..
└── web.py
V3-docker, web.py
@app.route('/api/imgnet', methods=['POST'])
def inference():
req_data = request.get_json()
if req_data.get('img_url', None):
img = Image.open(....)
class_name, percentage = imgnet.predict(img)
result = {
"status": "success",
"status_code": 200,
"img_url": req_data['img_url'],
"class_name": class_name,
"percentage": percentage,
}
return jsonify(result), 200
# apply Flask to wrap model class into an API
V3-docker, Dockerfile
FROM aibase:0.1.01beta
....
WORKDIR /root/aimodel
# add app
COPY model model
COPY web.py .
....
# start web
CMD gunicorn --bind 0.0.0.0:5000 web:app
# 使用 Docker 封裝 Restful API
V3-docker, docker-compose.yml
version: '3.7'
services:
aimodel:
image: aimodel:pycontw2020
build:
context: .
ports:
- "15000:5000"
# 使用 docker-compose 來執行 docker container
V4-docker-w-minio
└── v4-docker-w-minio
├── Dockerfile
├── ....
├── docker-compose.yml
├── model
│ ├── __init__.py
│ └── myresnet.py
├── model-state
│ ├── config.yaml
│ ├── ....
├── requirements.txt
└── web.py
ai-client.pay
http://127.0.0.1:15000/api/imgnet
http://127.0.0.1:9000
http://127.0.0.1:15001/api/imgnet
Docker-Compose
V4-docker-w-minio, docker-compose.yml(1/2)
version: '3.7'
services:
aimodel:
image: aimodel2:pycontw2020
build:
context: .
ports:
- "15000:5000"
volumes: # 更改 AI model 不必重新再 build docker image
- "./model-state:/root/aimodel/model-state"
# model-state 目錄提出到 host machine
V4-docker-w-minio, docker-compose.yml(2/2)
minio:
image: minio/minio
container_name: minio
ports:
- "9000:9000"
environment:
MINIO_ACCESS_KEY: minio
MINIO_SECRET_KEY: minio123
command: server /data
volumes: # image storage bind 到 host machine
- "./minio-data:/data"
# 新增一個 service: minio (container)
V4-docker-w-minio, ai-client.py
minioClient = Minio('127.0.0.1:9000', access_key='minio',
secret_key='minio123’, secure=False)
try:
s1 = minioClient.fput_object('mybucket', 'violin.jpg', 'violin.jpg')
except ResponseError as err:
....
r = requests.post('http://127.0.0.1:15000/api/imgnet', json={"img_url":
"violin.jpg"})
if r.status_code == 200:
print(r.text)
else:
....
# client 先上傳一張影像到 minio, 再 call AI API
V4-docker-w-minio, web.py(1/2)
app = Flask(__name__)
model_config = yaml.safe_load(open('./model-state/config.yaml', 'r'))
model_state_file = Path('./model-state') / model_config['MODEL_STATE_FILE']
model_classes_file = Path('./model-state') /
model_config['MODEL_CLASSES_FILE']
imgnet = MyResnet(model_state_file, model_classes_file)
minioClient = Minio('minio:9000', access_key='minio',
secret_key='minio123', secure=False)
# 讀取 host machine 之 model-state 目錄的 model config
V4-docker-w-minio, web.py(2/2)
def get_minio_img(img_url):
resp = minioClient.get_object("mybucket", img_url)
return Image.open(io.BytesIO(resp.data))
@app.route('/api/imgnet', methods=['POST'])
def inference():
req_data = request.get_json()
if req_data.get('img_url', None):
img = get_minio_img(req_data["img_url"])
class_name, percentage = imgnet.predict(img)
result = {
....
"class_name": class_name,
"percentage": percentage,
"model_name": model_config['AIMODEL_NAME'],
"model_version": model_config['AIMODEL_VERSION'],
}
return jsonify(result), 200
附加價值
資料
標註
硬體運算力
模型設計
訓練
系統整合服務
資料
標註
硬體運算力
模型設計
訓練
系統整合服務
結論:AI服務的價值
•資料標註生產線
•高品質的資料
•應用場域
誠徵前端及後端工程師
歡迎加入我們AI團隊,一起來探索醫療新應用
謝謝您的聆聽

More Related Content

What's hot

Using Git and BitBucket
Using Git and BitBucketUsing Git and BitBucket
Using Git and BitBucketMedhat Dawoud
 
Generative AI and law.pptx
Generative AI and law.pptxGenerative AI and law.pptx
Generative AI and law.pptx
Chris Marsden
 
Clean Architecture
Clean ArchitectureClean Architecture
Clean Architecture
Badoo
 
Git Lab Introduction
Git Lab IntroductionGit Lab Introduction
Git Lab Introduction
Krunal Doshi
 
Generative AI Fundamentals - Databricks
Generative AI Fundamentals - DatabricksGenerative AI Fundamentals - Databricks
Generative AI Fundamentals - Databricks
Vijayananda Mohire
 
A Framework for Navigating Generative Artificial Intelligence for Enterprise
A Framework for Navigating Generative Artificial Intelligence for EnterpriseA Framework for Navigating Generative Artificial Intelligence for Enterprise
A Framework for Navigating Generative Artificial Intelligence for Enterprise
RocketSource
 
"How To Get Your Ideas To Spread”, by Seth Godin
"How To Get Your Ideas To Spread”, by Seth Godin"How To Get Your Ideas To Spread”, by Seth Godin
"How To Get Your Ideas To Spread”, by Seth Godin
Krupakhar Gandeepan
 
Github in Action
Github in ActionGithub in Action
Github in Action
Morten Christensen
 
Hybrid automation framework
Hybrid automation frameworkHybrid automation framework
Hybrid automation framework
doai tran
 
Introduction to Git and GitHub Part 1
Introduction to Git and GitHub Part 1Introduction to Git and GitHub Part 1
Introduction to Git and GitHub Part 1
Omar Fathy
 
Introducing GitLab
Introducing GitLabIntroducing GitLab
Introducing GitLab
Taisuke Inoue
 
Matt Lewis - The Hardest Thing-Final to Host.pdf
Matt Lewis - The Hardest Thing-Final to Host.pdfMatt Lewis - The Hardest Thing-Final to Host.pdf
Matt Lewis - The Hardest Thing-Final to Host.pdf
SOLTUIONSpeople, THINKubators, THINKathons
 
PHPUnit - Unit testing
PHPUnit - Unit testingPHPUnit - Unit testing
PHPUnit - Unit testing
Nguyễn Đào Thiên Thư
 
43 Social Media Posts for Movers
43 Social Media Posts for Movers43 Social Media Posts for Movers
43 Social Media Posts for Movers
Tractleads4Movers
 
Clean code: SOLID
Clean code: SOLIDClean code: SOLID
Clean code: SOLID
Indeema Software Inc.
 
Whitebox testing of Spring Boot applications
Whitebox testing of Spring Boot applicationsWhitebox testing of Spring Boot applications
Whitebox testing of Spring Boot applications
Yura Nosenko
 
Testing And Mxunit In ColdFusion
Testing And Mxunit In ColdFusionTesting And Mxunit In ColdFusion
Testing And Mxunit In ColdFusion
Denard Springle IV
 
MARA: Scaffolding for Modern Applications
MARA: Scaffolding for Modern ApplicationsMARA: Scaffolding for Modern Applications
MARA: Scaffolding for Modern Applications
NGINX, Inc.
 
Maisa Penha - Art of Possible.pdf
Maisa Penha - Art of Possible.pdfMaisa Penha - Art of Possible.pdf
Maisa Penha - Art of Possible.pdf
SOLTUIONSpeople, THINKubators, THINKathons
 

What's hot (20)

Using Git and BitBucket
Using Git and BitBucketUsing Git and BitBucket
Using Git and BitBucket
 
Generative AI and law.pptx
Generative AI and law.pptxGenerative AI and law.pptx
Generative AI and law.pptx
 
Clean Architecture
Clean ArchitectureClean Architecture
Clean Architecture
 
Git Lab Introduction
Git Lab IntroductionGit Lab Introduction
Git Lab Introduction
 
Generative AI Fundamentals - Databricks
Generative AI Fundamentals - DatabricksGenerative AI Fundamentals - Databricks
Generative AI Fundamentals - Databricks
 
A Framework for Navigating Generative Artificial Intelligence for Enterprise
A Framework for Navigating Generative Artificial Intelligence for EnterpriseA Framework for Navigating Generative Artificial Intelligence for Enterprise
A Framework for Navigating Generative Artificial Intelligence for Enterprise
 
Git
GitGit
Git
 
"How To Get Your Ideas To Spread”, by Seth Godin
"How To Get Your Ideas To Spread”, by Seth Godin"How To Get Your Ideas To Spread”, by Seth Godin
"How To Get Your Ideas To Spread”, by Seth Godin
 
Github in Action
Github in ActionGithub in Action
Github in Action
 
Hybrid automation framework
Hybrid automation frameworkHybrid automation framework
Hybrid automation framework
 
Introduction to Git and GitHub Part 1
Introduction to Git and GitHub Part 1Introduction to Git and GitHub Part 1
Introduction to Git and GitHub Part 1
 
Introducing GitLab
Introducing GitLabIntroducing GitLab
Introducing GitLab
 
Matt Lewis - The Hardest Thing-Final to Host.pdf
Matt Lewis - The Hardest Thing-Final to Host.pdfMatt Lewis - The Hardest Thing-Final to Host.pdf
Matt Lewis - The Hardest Thing-Final to Host.pdf
 
PHPUnit - Unit testing
PHPUnit - Unit testingPHPUnit - Unit testing
PHPUnit - Unit testing
 
43 Social Media Posts for Movers
43 Social Media Posts for Movers43 Social Media Posts for Movers
43 Social Media Posts for Movers
 
Clean code: SOLID
Clean code: SOLIDClean code: SOLID
Clean code: SOLID
 
Whitebox testing of Spring Boot applications
Whitebox testing of Spring Boot applicationsWhitebox testing of Spring Boot applications
Whitebox testing of Spring Boot applications
 
Testing And Mxunit In ColdFusion
Testing And Mxunit In ColdFusionTesting And Mxunit In ColdFusion
Testing And Mxunit In ColdFusion
 
MARA: Scaffolding for Modern Applications
MARA: Scaffolding for Modern ApplicationsMARA: Scaffolding for Modern Applications
MARA: Scaffolding for Modern Applications
 
Maisa Penha - Art of Possible.pdf
Maisa Penha - Art of Possible.pdfMaisa Penha - Art of Possible.pdf
Maisa Penha - Art of Possible.pdf
 

Similar to Pycontw2020 - 我們如何在醫院打造即時醫療影像AI平台

IRJET- Object Detection in an Image using Convolutional Neural Network
IRJET- Object Detection in an Image using Convolutional Neural NetworkIRJET- Object Detection in an Image using Convolutional Neural Network
IRJET- Object Detection in an Image using Convolutional Neural Network
IRJET Journal
 
Inception V3 Image Processing .pptx
Inception V3 Image Processing .pptxInception V3 Image Processing .pptx
Inception V3 Image Processing .pptx
MahmoudMohamedAbdelb
 
Inception V3 Image Processing (1).pptx
Inception V3 Image Processing (1).pptxInception V3 Image Processing (1).pptx
Inception V3 Image Processing (1).pptx
MahmoudMohamedAbdelb
 
Build a Custom Model for Object & Logo Detection (AIM421) - AWS re:Invent 2018
Build a Custom Model for Object & Logo Detection (AIM421) - AWS re:Invent 2018Build a Custom Model for Object & Logo Detection (AIM421) - AWS re:Invent 2018
Build a Custom Model for Object & Logo Detection (AIM421) - AWS re:Invent 2018
Amazon Web Services
 
[WSO2Con EU 2017] The Effects of Microservices on Corporate IT Strategy
[WSO2Con EU 2017] The Effects of Microservices on Corporate IT Strategy[WSO2Con EU 2017] The Effects of Microservices on Corporate IT Strategy
[WSO2Con EU 2017] The Effects of Microservices on Corporate IT Strategy
WSO2
 
Analytics Zoo: Building Analytics and AI Pipeline for Apache Spark and BigDL ...
Analytics Zoo: Building Analytics and AI Pipeline for Apache Spark and BigDL ...Analytics Zoo: Building Analytics and AI Pipeline for Apache Spark and BigDL ...
Analytics Zoo: Building Analytics and AI Pipeline for Apache Spark and BigDL ...
Databricks
 
Supervised Learning
Supervised LearningSupervised Learning
Supervised Learning
FEG
 
Real-time Computer Vision With Ruby - OSCON 2008
Real-time Computer Vision With Ruby - OSCON 2008Real-time Computer Vision With Ruby - OSCON 2008
Real-time Computer Vision With Ruby - OSCON 2008
Jan Wedekind
 
Detection Rules Coverage
Detection Rules CoverageDetection Rules Coverage
Detection Rules Coverage
Sunny Neo
 
2_Image Classification.pdf
2_Image Classification.pdf2_Image Classification.pdf
2_Image Classification.pdf
FEG
 
Build a Neural Network for ITSM with TensorFlow
Build a Neural Network for ITSM with TensorFlowBuild a Neural Network for ITSM with TensorFlow
Build a Neural Network for ITSM with TensorFlow
Entrepreneur / Startup
 
influence of AI in IS
influence of AI in ISinfluence of AI in IS
influence of AI in IS
ISACA Riyadh
 
Using Genetic algorithm for Network Intrusion Detection
Using Genetic algorithm for Network Intrusion DetectionUsing Genetic algorithm for Network Intrusion Detection
Using Genetic algorithm for Network Intrusion Detection
Sagar Uday Kumar
 
“Practical Guide to Implementing Deep Neural Network Inferencing at the Edge,...
“Practical Guide to Implementing Deep Neural Network Inferencing at the Edge,...“Practical Guide to Implementing Deep Neural Network Inferencing at the Edge,...
“Practical Guide to Implementing Deep Neural Network Inferencing at the Edge,...
Edge AI and Vision Alliance
 
Ember
EmberEmber
Ember
mrphilroth
 
DATA MINING TOOL- ORANGE
DATA MINING TOOL- ORANGEDATA MINING TOOL- ORANGE
DATA MINING TOOL- ORANGENeeraj Goswami
 
Problem Prediction Model with Changes and Incidents
Problem Prediction Model with Changes and IncidentsProblem Prediction Model with Changes and Incidents
Problem Prediction Model with Changes and Incidents
Guttenberg Ferreira Passos
 
Adversarial machine learning for av software
Adversarial machine learning for av softwareAdversarial machine learning for av software
Adversarial machine learning for av software
junseok seo
 
Defend against adversarial AI using Adversarial Robustness Toolbox
Defend against adversarial AI using Adversarial Robustness Toolbox Defend against adversarial AI using Adversarial Robustness Toolbox
Defend against adversarial AI using Adversarial Robustness Toolbox
Animesh Singh
 
Building a Custom Vision Model
Building a Custom Vision ModelBuilding a Custom Vision Model
Building a Custom Vision Model
Nicholas Toscano
 

Similar to Pycontw2020 - 我們如何在醫院打造即時醫療影像AI平台 (20)

IRJET- Object Detection in an Image using Convolutional Neural Network
IRJET- Object Detection in an Image using Convolutional Neural NetworkIRJET- Object Detection in an Image using Convolutional Neural Network
IRJET- Object Detection in an Image using Convolutional Neural Network
 
Inception V3 Image Processing .pptx
Inception V3 Image Processing .pptxInception V3 Image Processing .pptx
Inception V3 Image Processing .pptx
 
Inception V3 Image Processing (1).pptx
Inception V3 Image Processing (1).pptxInception V3 Image Processing (1).pptx
Inception V3 Image Processing (1).pptx
 
Build a Custom Model for Object & Logo Detection (AIM421) - AWS re:Invent 2018
Build a Custom Model for Object & Logo Detection (AIM421) - AWS re:Invent 2018Build a Custom Model for Object & Logo Detection (AIM421) - AWS re:Invent 2018
Build a Custom Model for Object & Logo Detection (AIM421) - AWS re:Invent 2018
 
[WSO2Con EU 2017] The Effects of Microservices on Corporate IT Strategy
[WSO2Con EU 2017] The Effects of Microservices on Corporate IT Strategy[WSO2Con EU 2017] The Effects of Microservices on Corporate IT Strategy
[WSO2Con EU 2017] The Effects of Microservices on Corporate IT Strategy
 
Analytics Zoo: Building Analytics and AI Pipeline for Apache Spark and BigDL ...
Analytics Zoo: Building Analytics and AI Pipeline for Apache Spark and BigDL ...Analytics Zoo: Building Analytics and AI Pipeline for Apache Spark and BigDL ...
Analytics Zoo: Building Analytics and AI Pipeline for Apache Spark and BigDL ...
 
Supervised Learning
Supervised LearningSupervised Learning
Supervised Learning
 
Real-time Computer Vision With Ruby - OSCON 2008
Real-time Computer Vision With Ruby - OSCON 2008Real-time Computer Vision With Ruby - OSCON 2008
Real-time Computer Vision With Ruby - OSCON 2008
 
Detection Rules Coverage
Detection Rules CoverageDetection Rules Coverage
Detection Rules Coverage
 
2_Image Classification.pdf
2_Image Classification.pdf2_Image Classification.pdf
2_Image Classification.pdf
 
Build a Neural Network for ITSM with TensorFlow
Build a Neural Network for ITSM with TensorFlowBuild a Neural Network for ITSM with TensorFlow
Build a Neural Network for ITSM with TensorFlow
 
influence of AI in IS
influence of AI in ISinfluence of AI in IS
influence of AI in IS
 
Using Genetic algorithm for Network Intrusion Detection
Using Genetic algorithm for Network Intrusion DetectionUsing Genetic algorithm for Network Intrusion Detection
Using Genetic algorithm for Network Intrusion Detection
 
“Practical Guide to Implementing Deep Neural Network Inferencing at the Edge,...
“Practical Guide to Implementing Deep Neural Network Inferencing at the Edge,...“Practical Guide to Implementing Deep Neural Network Inferencing at the Edge,...
“Practical Guide to Implementing Deep Neural Network Inferencing at the Edge,...
 
Ember
EmberEmber
Ember
 
DATA MINING TOOL- ORANGE
DATA MINING TOOL- ORANGEDATA MINING TOOL- ORANGE
DATA MINING TOOL- ORANGE
 
Problem Prediction Model with Changes and Incidents
Problem Prediction Model with Changes and IncidentsProblem Prediction Model with Changes and Incidents
Problem Prediction Model with Changes and Incidents
 
Adversarial machine learning for av software
Adversarial machine learning for av softwareAdversarial machine learning for av software
Adversarial machine learning for av software
 
Defend against adversarial AI using Adversarial Robustness Toolbox
Defend against adversarial AI using Adversarial Robustness Toolbox Defend against adversarial AI using Adversarial Robustness Toolbox
Defend against adversarial AI using Adversarial Robustness Toolbox
 
Building a Custom Vision Model
Building a Custom Vision ModelBuilding a Custom Vision Model
Building a Custom Vision Model
 

Recently uploaded

Pulmonary Thromboembolism - etilogy, types, medical- Surgical and nursing man...
Pulmonary Thromboembolism - etilogy, types, medical- Surgical and nursing man...Pulmonary Thromboembolism - etilogy, types, medical- Surgical and nursing man...
Pulmonary Thromboembolism - etilogy, types, medical- Surgical and nursing man...
VarunMahajani
 
Superficial & Deep Fascia of the NECK.pptx
Superficial & Deep Fascia of the NECK.pptxSuperficial & Deep Fascia of the NECK.pptx
Superficial & Deep Fascia of the NECK.pptx
Dr. Rabia Inam Gandapore
 
HOT NEW PRODUCT! BIG SALES FAST SHIPPING NOW FROM CHINA!! EU KU DB BK substit...
HOT NEW PRODUCT! BIG SALES FAST SHIPPING NOW FROM CHINA!! EU KU DB BK substit...HOT NEW PRODUCT! BIG SALES FAST SHIPPING NOW FROM CHINA!! EU KU DB BK substit...
HOT NEW PRODUCT! BIG SALES FAST SHIPPING NOW FROM CHINA!! EU KU DB BK substit...
GL Anaacs
 
Physiology of Special Chemical Sensation of Taste
Physiology of Special Chemical Sensation of TastePhysiology of Special Chemical Sensation of Taste
Physiology of Special Chemical Sensation of Taste
MedicoseAcademics
 
Evaluation of antidepressant activity of clitoris ternatea in animals
Evaluation of antidepressant activity of clitoris ternatea in animalsEvaluation of antidepressant activity of clitoris ternatea in animals
Evaluation of antidepressant activity of clitoris ternatea in animals
Shweta
 
Pharynx and Clinical Correlations BY Dr.Rabia Inam Gandapore.pptx
Pharynx and Clinical Correlations BY Dr.Rabia Inam Gandapore.pptxPharynx and Clinical Correlations BY Dr.Rabia Inam Gandapore.pptx
Pharynx and Clinical Correlations BY Dr.Rabia Inam Gandapore.pptx
Dr. Rabia Inam Gandapore
 
Knee anatomy and clinical tests 2024.pdf
Knee anatomy and clinical tests 2024.pdfKnee anatomy and clinical tests 2024.pdf
Knee anatomy and clinical tests 2024.pdf
vimalpl1234
 
Ozempic: Preoperative Management of Patients on GLP-1 Receptor Agonists
Ozempic: Preoperative Management of Patients on GLP-1 Receptor Agonists  Ozempic: Preoperative Management of Patients on GLP-1 Receptor Agonists
Ozempic: Preoperative Management of Patients on GLP-1 Receptor Agonists
Saeid Safari
 
Novas diretrizes da OMS para os cuidados perinatais de mais qualidade
Novas diretrizes da OMS para os cuidados perinatais de mais qualidadeNovas diretrizes da OMS para os cuidados perinatais de mais qualidade
Novas diretrizes da OMS para os cuidados perinatais de mais qualidade
Prof. Marcus Renato de Carvalho
 
How STIs Influence the Development of Pelvic Inflammatory Disease.pptx
How STIs Influence the Development of Pelvic Inflammatory Disease.pptxHow STIs Influence the Development of Pelvic Inflammatory Disease.pptx
How STIs Influence the Development of Pelvic Inflammatory Disease.pptx
FFragrant
 
Hemodialysis: Chapter 3, Dialysis Water Unit - Dr.Gawad
Hemodialysis: Chapter 3, Dialysis Water Unit - Dr.GawadHemodialysis: Chapter 3, Dialysis Water Unit - Dr.Gawad
Hemodialysis: Chapter 3, Dialysis Water Unit - Dr.Gawad
NephroTube - Dr.Gawad
 
Phone Us ❤85270-49040❤ #ℂall #gIRLS In Surat By Surat @ℂall @Girls Hotel With...
Phone Us ❤85270-49040❤ #ℂall #gIRLS In Surat By Surat @ℂall @Girls Hotel With...Phone Us ❤85270-49040❤ #ℂall #gIRLS In Surat By Surat @ℂall @Girls Hotel With...
Phone Us ❤85270-49040❤ #ℂall #gIRLS In Surat By Surat @ℂall @Girls Hotel With...
Savita Shen $i11
 
NVBDCP.pptx Nation vector borne disease control program
NVBDCP.pptx Nation vector borne disease control programNVBDCP.pptx Nation vector borne disease control program
NVBDCP.pptx Nation vector borne disease control program
Sapna Thakur
 
Ocular injury ppt Upendra pal optometrist upums saifai etawah
Ocular injury  ppt  Upendra pal  optometrist upums saifai etawahOcular injury  ppt  Upendra pal  optometrist upums saifai etawah
Ocular injury ppt Upendra pal optometrist upums saifai etawah
pal078100
 
Flu Vaccine Alert in Bangalore Karnataka
Flu Vaccine Alert in Bangalore KarnatakaFlu Vaccine Alert in Bangalore Karnataka
Flu Vaccine Alert in Bangalore Karnataka
addon Scans
 
Surat @ℂall @Girls ꧁❤8527049040❤꧂@ℂall @Girls Service Vip Top Model Safe
Surat @ℂall @Girls ꧁❤8527049040❤꧂@ℂall @Girls Service Vip Top Model SafeSurat @ℂall @Girls ꧁❤8527049040❤꧂@ℂall @Girls Service Vip Top Model Safe
Surat @ℂall @Girls ꧁❤8527049040❤꧂@ℂall @Girls Service Vip Top Model Safe
Savita Shen $i11
 
Tom Selleck Health: A Comprehensive Look at the Iconic Actor’s Wellness Journey
Tom Selleck Health: A Comprehensive Look at the Iconic Actor’s Wellness JourneyTom Selleck Health: A Comprehensive Look at the Iconic Actor’s Wellness Journey
Tom Selleck Health: A Comprehensive Look at the Iconic Actor’s Wellness Journey
greendigital
 
heat stroke and heat exhaustion in children
heat stroke and heat exhaustion in childrenheat stroke and heat exhaustion in children
heat stroke and heat exhaustion in children
SumeraAhmad5
 
Are There Any Natural Remedies To Treat Syphilis.pdf
Are There Any Natural Remedies To Treat Syphilis.pdfAre There Any Natural Remedies To Treat Syphilis.pdf
Are There Any Natural Remedies To Treat Syphilis.pdf
Little Cross Family Clinic
 
How to Give Better Lectures: Some Tips for Doctors
How to Give Better Lectures: Some Tips for DoctorsHow to Give Better Lectures: Some Tips for Doctors
How to Give Better Lectures: Some Tips for Doctors
LanceCatedral
 

Recently uploaded (20)

Pulmonary Thromboembolism - etilogy, types, medical- Surgical and nursing man...
Pulmonary Thromboembolism - etilogy, types, medical- Surgical and nursing man...Pulmonary Thromboembolism - etilogy, types, medical- Surgical and nursing man...
Pulmonary Thromboembolism - etilogy, types, medical- Surgical and nursing man...
 
Superficial & Deep Fascia of the NECK.pptx
Superficial & Deep Fascia of the NECK.pptxSuperficial & Deep Fascia of the NECK.pptx
Superficial & Deep Fascia of the NECK.pptx
 
HOT NEW PRODUCT! BIG SALES FAST SHIPPING NOW FROM CHINA!! EU KU DB BK substit...
HOT NEW PRODUCT! BIG SALES FAST SHIPPING NOW FROM CHINA!! EU KU DB BK substit...HOT NEW PRODUCT! BIG SALES FAST SHIPPING NOW FROM CHINA!! EU KU DB BK substit...
HOT NEW PRODUCT! BIG SALES FAST SHIPPING NOW FROM CHINA!! EU KU DB BK substit...
 
Physiology of Special Chemical Sensation of Taste
Physiology of Special Chemical Sensation of TastePhysiology of Special Chemical Sensation of Taste
Physiology of Special Chemical Sensation of Taste
 
Evaluation of antidepressant activity of clitoris ternatea in animals
Evaluation of antidepressant activity of clitoris ternatea in animalsEvaluation of antidepressant activity of clitoris ternatea in animals
Evaluation of antidepressant activity of clitoris ternatea in animals
 
Pharynx and Clinical Correlations BY Dr.Rabia Inam Gandapore.pptx
Pharynx and Clinical Correlations BY Dr.Rabia Inam Gandapore.pptxPharynx and Clinical Correlations BY Dr.Rabia Inam Gandapore.pptx
Pharynx and Clinical Correlations BY Dr.Rabia Inam Gandapore.pptx
 
Knee anatomy and clinical tests 2024.pdf
Knee anatomy and clinical tests 2024.pdfKnee anatomy and clinical tests 2024.pdf
Knee anatomy and clinical tests 2024.pdf
 
Ozempic: Preoperative Management of Patients on GLP-1 Receptor Agonists
Ozempic: Preoperative Management of Patients on GLP-1 Receptor Agonists  Ozempic: Preoperative Management of Patients on GLP-1 Receptor Agonists
Ozempic: Preoperative Management of Patients on GLP-1 Receptor Agonists
 
Novas diretrizes da OMS para os cuidados perinatais de mais qualidade
Novas diretrizes da OMS para os cuidados perinatais de mais qualidadeNovas diretrizes da OMS para os cuidados perinatais de mais qualidade
Novas diretrizes da OMS para os cuidados perinatais de mais qualidade
 
How STIs Influence the Development of Pelvic Inflammatory Disease.pptx
How STIs Influence the Development of Pelvic Inflammatory Disease.pptxHow STIs Influence the Development of Pelvic Inflammatory Disease.pptx
How STIs Influence the Development of Pelvic Inflammatory Disease.pptx
 
Hemodialysis: Chapter 3, Dialysis Water Unit - Dr.Gawad
Hemodialysis: Chapter 3, Dialysis Water Unit - Dr.GawadHemodialysis: Chapter 3, Dialysis Water Unit - Dr.Gawad
Hemodialysis: Chapter 3, Dialysis Water Unit - Dr.Gawad
 
Phone Us ❤85270-49040❤ #ℂall #gIRLS In Surat By Surat @ℂall @Girls Hotel With...
Phone Us ❤85270-49040❤ #ℂall #gIRLS In Surat By Surat @ℂall @Girls Hotel With...Phone Us ❤85270-49040❤ #ℂall #gIRLS In Surat By Surat @ℂall @Girls Hotel With...
Phone Us ❤85270-49040❤ #ℂall #gIRLS In Surat By Surat @ℂall @Girls Hotel With...
 
NVBDCP.pptx Nation vector borne disease control program
NVBDCP.pptx Nation vector borne disease control programNVBDCP.pptx Nation vector borne disease control program
NVBDCP.pptx Nation vector borne disease control program
 
Ocular injury ppt Upendra pal optometrist upums saifai etawah
Ocular injury  ppt  Upendra pal  optometrist upums saifai etawahOcular injury  ppt  Upendra pal  optometrist upums saifai etawah
Ocular injury ppt Upendra pal optometrist upums saifai etawah
 
Flu Vaccine Alert in Bangalore Karnataka
Flu Vaccine Alert in Bangalore KarnatakaFlu Vaccine Alert in Bangalore Karnataka
Flu Vaccine Alert in Bangalore Karnataka
 
Surat @ℂall @Girls ꧁❤8527049040❤꧂@ℂall @Girls Service Vip Top Model Safe
Surat @ℂall @Girls ꧁❤8527049040❤꧂@ℂall @Girls Service Vip Top Model SafeSurat @ℂall @Girls ꧁❤8527049040❤꧂@ℂall @Girls Service Vip Top Model Safe
Surat @ℂall @Girls ꧁❤8527049040❤꧂@ℂall @Girls Service Vip Top Model Safe
 
Tom Selleck Health: A Comprehensive Look at the Iconic Actor’s Wellness Journey
Tom Selleck Health: A Comprehensive Look at the Iconic Actor’s Wellness JourneyTom Selleck Health: A Comprehensive Look at the Iconic Actor’s Wellness Journey
Tom Selleck Health: A Comprehensive Look at the Iconic Actor’s Wellness Journey
 
heat stroke and heat exhaustion in children
heat stroke and heat exhaustion in childrenheat stroke and heat exhaustion in children
heat stroke and heat exhaustion in children
 
Are There Any Natural Remedies To Treat Syphilis.pdf
Are There Any Natural Remedies To Treat Syphilis.pdfAre There Any Natural Remedies To Treat Syphilis.pdf
Are There Any Natural Remedies To Treat Syphilis.pdf
 
How to Give Better Lectures: Some Tips for Doctors
How to Give Better Lectures: Some Tips for DoctorsHow to Give Better Lectures: Some Tips for Doctors
How to Give Better Lectures: Some Tips for Doctors
 

Pycontw2020 - 我們如何在醫院打造即時醫療影像AI平台