SlideShare a Scribd company logo
1 of 55
Download to read offline
2
• Nested Types
• Generics
• Protocols
• Protocol-Oriented Programming
• Mirror Type and Reflection
3
Why Swift?
4
It’s fast 🚀 It’s powerful 💪 It’s awesome 🏆
Why Swift?
5
Colors
6
Colors
7
view.backgroundColor =
UIColor(hexString: "6094EA")
view.backgroundColor = UIColor(.strongGray)
view.backgroundColor = UIColor.strongGray
8
Expectation RealityOld
9
extension UIColor {
static var tableElementsSeparator: UIColor {
return UIColor(.strongGray)
}
static var barsSeparator: UIColor {
return UIColor(.red)
}
static var barsBackground: UIColor {
return UIColor(.gray)
}
}
Type Omission
10
extension UIColor {
static var tableElementsSeparator: UIColor {
return UIColor(.strongGray)
}
static var barsSeparator: UIColor {
return UIColor(.red)
}
static var barsBackground: UIColor {
return UIColor(.gray)
}
static var toolBox: UIColor {
return UIColor(.gray)
}
static var activeControl: UIColor {
11
extension UIColor {
static var tableElementsSeparator: UIColor {
return UIColor(.strongGray)
}s
static var barsSeparator: UIColor {
return UIColor(.red)
}s
static var barsBackground: UIColor {
return UIColor(.gray)
}s
}s
12
extension UIColor {
struct Separator {
static var tableElements: UIColor {
return UIColor(.strongGray)
}s
static var bars: UIColor {
return UIColor(.red)
}s
}
}s
Struct Enum
13
extension UIColor {
enum Separator {
static var tableElements: UIColor {
return UIColor(.strongGray)
}s
static var bars: UIColor {
return UIColor(.red)
}s
}
}s
14
let activeStateColor =
UIColor.Control.Button.activeStateTitle
button.setTitleColor(activeStateColor, for: .normal)
15
Generics
16
Generics<T>
17
18
struct StoriesDisplayCollection {
var stories: Results<StoryEntity>
var count: Int {
return stories.count
}
func nameAtIndex(index: Int) -> String {
return stories[index].name
}
}
19
struct StoriesDisplayCollection {
var stories: Results<StoryEntity>
var count: Int {
return stories.count
}
func nameAtIndex(index: Int) -> String {
return stories[index].name
}
}
Stories
20
struct StoriesDisplayCollection {
var stories: Results<StoryEntity>
var count: Int {
return stories.count
}
func nameAtIndex(index: Int) -> String {
return stories[index].name
}
}
21
struct StoriesDisplayCollection {
var stories: Results/List<StoryEntity>
}
struct StoriesDisplayCollection {
var stories: TemplateModelsCollection<StoryEntity>
}
22
struct TemplateModelsCollection<T: TemplateEntity>
where T: Object {
}
23
enum Content {
case result(Results<T>)
case list(List<T>)
case empty
subscript(index: Int) -> T {
switch self {
case let .result(model):
return model[index]
case let .list(list):
return list[index]
case .empty:
return T.templateEntity
}
}
}
Nested
Same T, Swift 3.1+
24
struct TemplateModelsCollection<T: TemplateEntity>
where T: Object {
init(dataCollection: Results<T>, templatesCount: Int = 5) {
content = Content.result(dataCollection)
values = List<T>()
generateFakeData(templatesCount: templatesCount)
}
}
Template One
25
struct TemplateModelsCollection<T: TemplateEntity>
where T: Object {
var count: Int {
if isLoading && content.count == 0 {
return values.count
} else {
return content.count
}
}
}
Template One
26
27
Protocols
28
protocol Summable {
static func +(lhs: Self, rhs: Self) -> Self
}
extension Int: Summable { }
extension String: Summable { }
public func +(lhs: Int, rhs: Int) -> Int
public func +(lhs: String, rhs: String) -> String
29
protocol Summator {
associatedtype Value
func sum(a: Value, b: Value) -> Value
}
30
protocol Summator {
associatedtype Value
func sum(a: Value, b: Value) -> Value
}
extension Summator where Value: Summable {
func sum(a: Value, b: Value) -> Value {
return a + b
}
}
31
struct IntSummator: Summator {
typealias Value = Int
}
let summator = IntSummator()
print(summator.sum(a: 5, b: 10)) // 15
32
• We have Self/associatedtype for future type
implementation
• We can specify rules for associatedtype
• We can extend protocols with logic
• We can specify constraints for protocol extensions
33
Protocol-Oriented
Programming
34
youtube.com/watch?v=71AS4rMrAVk
35
• Value Type over Reference Type
• No inheritance
• No mutability
• Advanced usage of protocols and its extensions
36Array
RandomAccessCollection MutableCollection
BidirectionalCollection
Sequence
Collection
37
Array
RandomAccessCollection
MutableCollection
BidirectionalCollection
Sequence
Collection
ExpressibleByArrayLiteral
CustomReflectable
RangeReplaceableCollection
CustomStringConvertible
CustomDebugStringConvertible
38
Array
RandomAccessCollection
MutableCollection
BidirectionalCollection
Sequence
Collection
ExpressibleByArrayLiteral
CustomReflectable
RangeReplaceableCollection
CustomStringConvertible
CustomDebugStringConvertible
_ArrayProtocol
_ObjectiveCBridgeable
Encodable
Decodable
MyArrayBufferProtocol
MyPrintable
P5
SplittableCollection
BuildableCollectionProtocol
MutableCollectionAlgorithms
39
Array
RandomAccessCollection
MutableCollection
BidirectionalCollection
Sequence
Collection
ExpressibleByArrayLiteral
CustomReflectable
RangeReplaceableCollection
CustomStringConvertible
CustomDebugStringConvertible
Dictionary
Collection
CustomStringConvertible
CustomDebugStringConvertible
CustomReflectable
Sequence
-
-
ExpressibleByDictionaryLiteral
-
-
40
Array
RandomAccessCollection
MutableCollection
BidirectionalCollection
Sequence
Collection
ExpressibleByArrayLiteral
CustomReflectable
RangeReplaceableCollection
CustomStringConvertible
CustomDebugStringConvertible
List
Realm One
RandomAccessCollection
LazyCollectionProtocol
BidirectionalCollection
Sequence
Collection
ExpressibleByArrayLiteral
RealmCollection
RangeReplaceableCollection
CustomStringConvertible
ThreadConfined
41
extension Collection where Index == Int {
var second: Iterator.Element? {
guard self.count > 1 else { return nil }
return self[1]
}
}
var array = ["A", "B", "C"]
print(array.second) // Optional("B")
42
extension Collection where Index == Int {
var second: Iterator.Element? {
guard self.count > 1 else { return nil }
return self[1]
}
}
var array = ["A", "B", "C"]
print(array.second) // Optional("B")
Protocol
43
Swift 3.1+
extension Collection where Index == Int {
var second: Iterator.Element? {
guard self.count > 1 else { return nil }
return self[1]
}
}
var array = ["A", "B", "C"]
print(array.second) // Optional("B")
44
extension Collection where Index == Int {
var second: Iterator.Element? {
guard self.count > 1 else { return nil }
return self[1]
}
}
var array = ["A", "B", "C"]
print(array.second) // Optional("B")
Generic Element
45
extension Collection where Index == Int {
var second: Iterator.Element? {
guard self.count > 1 else { return nil }
return self[1]
}
}
var array = ["A", "B", "C"]
print(array.second) // Optional("B")
Index == Int
subscript(position: Self.Index)
-> Self.Iterator.Element { get }
46
extension Collection where Index == Int {
var second: Iterator.Element? {
guard self.count > 1 else { return nil }
return self[1]
}
}
var array = ["A", "B", "C"]
print(array.second) // Optional("B")
47
• Follow I from SOLID
• Implement default behaviour in protocol extensions
• Implement generic based behaviour
• Combine multiply protocols or “inherit” them
The interface-segregation principle (ISP) states that no client
should be forced to depend on methods it does not use.
48
49
protocol CellViewModel {
associatedtype CellType: UIView
func setup(cell: CellType)
}
Generic
Generic
50
protocol CellViewModel: CellViewAnyModel {
associatedtype CellType: UIView
func setup(cell: CellType)
}
Non generic
51
protocol CellViewAnyModel {
static var cellAnyType: UIView.Type { get }
func setupAny(cell: UIView)
}
associatedtype CellType: UIView
func setup(cell: CellType)
52
extension CellViewModel {
static var cellAnyType: UIView.Type {
return CellType.self
}
func setupAny(cell: UIView) {
setup(cell: cell as! CellType)
}
}
!!!
53
• https://github.com/JohnSundell/SwiftTips
• https://developer.apple.com/swift/blog/
• https://swift.org/blog/
• https://swiftnews.curated.co
• https://www.raizlabs.com/dev/2016/12/swift-method-
dispatch/
• https://github.com/ole/whats-new-in-swift-4
54
• https://github.com/JohnSundell/SwiftTips
• https://developer.apple.com/swift/blog/
• https://swift.org/blog/
• https://swiftnews.curated.co
• https://www.raizlabs.com/dev/2016/12/swift-method-
dispatch/
• https://github.com/ole/whats-new-in-swift-4
55
@ZiminAlex

More Related Content

What's hot

Modular Module Systems
Modular Module SystemsModular Module Systems
Modular Module Systems
league
 
Ds lab manual by s.k.rath
Ds lab manual by s.k.rathDs lab manual by s.k.rath
Ds lab manual by s.k.rath
SANTOSH RATH
 
Делаем пользовательское Api на базе Shapeless
Делаем пользовательское Api на базе ShapelessДелаем пользовательское Api на базе Shapeless
Делаем пользовательское Api на базе Shapeless
Вадим Челышов
 

What's hot (20)

Modular Module Systems
Modular Module SystemsModular Module Systems
Modular Module Systems
 
ITT 2015 - Saul Mora - Object Oriented Function Programming
ITT 2015 - Saul Mora - Object Oriented Function ProgrammingITT 2015 - Saul Mora - Object Oriented Function Programming
ITT 2015 - Saul Mora - Object Oriented Function Programming
 
Stack Implementation
Stack ImplementationStack Implementation
Stack Implementation
 
A taste of Functional Programming
A taste of Functional ProgrammingA taste of Functional Programming
A taste of Functional Programming
 
Ds lab manual by s.k.rath
Ds lab manual by s.k.rathDs lab manual by s.k.rath
Ds lab manual by s.k.rath
 
Machine learning with scikit-learn
Machine learning with scikit-learnMachine learning with scikit-learn
Machine learning with scikit-learn
 
Advanced Tagless Final - Saying Farewell to Free
Advanced Tagless Final - Saying Farewell to FreeAdvanced Tagless Final - Saying Farewell to Free
Advanced Tagless Final - Saying Farewell to Free
 
07. Arrays
07. Arrays07. Arrays
07. Arrays
 
Introduction to functional programming using Ocaml
Introduction to functional programming using OcamlIntroduction to functional programming using Ocaml
Introduction to functional programming using Ocaml
 
Делаем пользовательское Api на базе Shapeless
Делаем пользовательское Api на базе ShapelessДелаем пользовательское Api на базе Shapeless
Делаем пользовательское Api на базе Shapeless
 
Grid search (parameter tuning)
Grid search (parameter tuning)Grid search (parameter tuning)
Grid search (parameter tuning)
 
Reviewing a Complex DataWeave Transformation Use-case
Reviewing a Complex DataWeave Transformation Use-caseReviewing a Complex DataWeave Transformation Use-case
Reviewing a Complex DataWeave Transformation Use-case
 
Quark: A Purely-Functional Scala DSL for Data Processing & Analytics
Quark: A Purely-Functional Scala DSL for Data Processing & AnalyticsQuark: A Purely-Functional Scala DSL for Data Processing & Analytics
Quark: A Purely-Functional Scala DSL for Data Processing & Analytics
 
Collections in .net technology (2160711)
Collections in .net technology (2160711)Collections in .net technology (2160711)
Collections in .net technology (2160711)
 
Arrays
ArraysArrays
Arrays
 
Functional programming with haskell
Functional programming with haskellFunctional programming with haskell
Functional programming with haskell
 
Introduction to haskell
Introduction to haskellIntroduction to haskell
Introduction to haskell
 
16. Arrays Lists Stacks Queues
16. Arrays Lists Stacks Queues16. Arrays Lists Stacks Queues
16. Arrays Lists Stacks Queues
 
15. Streams Files and Directories
15. Streams Files and Directories 15. Streams Files and Directories
15. Streams Files and Directories
 
Scala Collections : Java 8 on Steroids
Scala Collections : Java 8 on SteroidsScala Collections : Java 8 on Steroids
Scala Collections : Java 8 on Steroids
 

Similar to Александр Зимин (Alexander Zimin) — Магия Swift

ADG Poznań - Kotlin for Android developers
ADG Poznań - Kotlin for Android developersADG Poznań - Kotlin for Android developers
ADG Poznań - Kotlin for Android developers
Bartosz Kosarzycki
 
Dr archana dhawan bajaj - c# dot net
Dr archana dhawan bajaj - c# dot netDr archana dhawan bajaj - c# dot net
Dr archana dhawan bajaj - c# dot net
Dr-archana-dhawan-bajaj
 

Similar to Александр Зимин (Alexander Zimin) — Магия Swift (20)

ADG Poznań - Kotlin for Android developers
ADG Poznań - Kotlin for Android developersADG Poznań - Kotlin for Android developers
ADG Poznań - Kotlin for Android developers
 
Introduction to kotlin + spring boot demo
Introduction to kotlin + spring boot demoIntroduction to kotlin + spring boot demo
Introduction to kotlin + spring boot demo
 
TechDays 2016 - Developing websites using asp.net core mvc6 and entity framew...
TechDays 2016 - Developing websites using asp.net core mvc6 and entity framew...TechDays 2016 - Developing websites using asp.net core mvc6 and entity framew...
TechDays 2016 - Developing websites using asp.net core mvc6 and entity framew...
 
Java/Scala Lab: Анатолий Кметюк - Scala SubScript: Алгебра для реактивного пр...
Java/Scala Lab: Анатолий Кметюк - Scala SubScript: Алгебра для реактивного пр...Java/Scala Lab: Анатолий Кметюк - Scala SubScript: Алгебра для реактивного пр...
Java/Scala Lab: Анатолий Кметюк - Scala SubScript: Алгебра для реактивного пр...
 
The Ring programming language version 1.8 book - Part 39 of 202
The Ring programming language version 1.8 book - Part 39 of 202The Ring programming language version 1.8 book - Part 39 of 202
The Ring programming language version 1.8 book - Part 39 of 202
 
Is java8a truefunctionallanguage
Is java8a truefunctionallanguageIs java8a truefunctionallanguage
Is java8a truefunctionallanguage
 
Is java8 a true functional programming language
Is java8 a true functional programming languageIs java8 a true functional programming language
Is java8 a true functional programming language
 
Dr archana dhawan bajaj - c# dot net
Dr archana dhawan bajaj - c# dot netDr archana dhawan bajaj - c# dot net
Dr archana dhawan bajaj - c# dot net
 
Wprowadzenie do technologii Big Data / Intro to Big Data Ecosystem
Wprowadzenie do technologii Big Data / Intro to Big Data EcosystemWprowadzenie do technologii Big Data / Intro to Big Data Ecosystem
Wprowadzenie do technologii Big Data / Intro to Big Data Ecosystem
 
CS101- Introduction to Computing- Lecture 29
CS101- Introduction to Computing- Lecture 29CS101- Introduction to Computing- Lecture 29
CS101- Introduction to Computing- Lecture 29
 
The Ring programming language version 1.5.4 book - Part 40 of 185
The Ring programming language version 1.5.4 book - Part 40 of 185The Ring programming language version 1.5.4 book - Part 40 of 185
The Ring programming language version 1.5.4 book - Part 40 of 185
 
K is for Kotlin
K is for KotlinK is for Kotlin
K is for Kotlin
 
Spark Summit EU 2015: Spark DataFrames: Simple and Fast Analysis of Structure...
Spark Summit EU 2015: Spark DataFrames: Simple and Fast Analysis of Structure...Spark Summit EU 2015: Spark DataFrames: Simple and Fast Analysis of Structure...
Spark Summit EU 2015: Spark DataFrames: Simple and Fast Analysis of Structure...
 
The Ring programming language version 1.3 book - Part 84 of 88
The Ring programming language version 1.3 book - Part 84 of 88The Ring programming language version 1.3 book - Part 84 of 88
The Ring programming language version 1.3 book - Part 84 of 88
 
Scala is java8.next()
Scala is java8.next()Scala is java8.next()
Scala is java8.next()
 
Major Java 8 features
Major Java 8 featuresMajor Java 8 features
Major Java 8 features
 
Fun with Lambdas: C++14 Style (part 2)
Fun with Lambdas: C++14 Style (part 2)Fun with Lambdas: C++14 Style (part 2)
Fun with Lambdas: C++14 Style (part 2)
 
ASP.NET
ASP.NETASP.NET
ASP.NET
 
Spark workshop
Spark workshopSpark workshop
Spark workshop
 
The Ring programming language version 1.5.2 book - Part 7 of 181
The Ring programming language version 1.5.2 book - Part 7 of 181The Ring programming language version 1.5.2 book - Part 7 of 181
The Ring programming language version 1.5.2 book - Part 7 of 181
 

More from CocoaHeads

Виктор Брыкcин — Как всё починить и ничего не сломать: работа со сложным кодо...
Виктор Брыкcин — Как всё починить и ничего не сломать: работа со сложным кодо...Виктор Брыкcин — Как всё починить и ничего не сломать: работа со сложным кодо...
Виктор Брыкcин — Как всё починить и ничего не сломать: работа со сложным кодо...
CocoaHeads
 
Вадим Дробинин (Vadim Drobinin) — Заботимся правильно: CareKit, HealthKit и ...
Вадим Дробинин (Vadim Drobinin) —  Заботимся правильно: CareKit, HealthKit и ...Вадим Дробинин (Vadim Drobinin) —  Заботимся правильно: CareKit, HealthKit и ...
Вадим Дробинин (Vadim Drobinin) — Заботимся правильно: CareKit, HealthKit и ...
CocoaHeads
 
Сергей Пронин, Никита Кошолкин — Как мы разрабатываем App in the Air: процесс...
Сергей Пронин, Никита Кошолкин — Как мы разрабатываем App in the Air: процесс...Сергей Пронин, Никита Кошолкин — Как мы разрабатываем App in the Air: процесс...
Сергей Пронин, Никита Кошолкин — Как мы разрабатываем App in the Air: процесс...
CocoaHeads
 

More from CocoaHeads (17)

Дмитрий Котенко – Реактивный VIPER
Дмитрий Котенко – Реактивный VIPERДмитрий Котенко – Реактивный VIPER
Дмитрий Котенко – Реактивный VIPER
 
Александр Зимин – Анимация как средство самовыражения
Александр Зимин – Анимация как средство самовыраженияАлександр Зимин – Анимация как средство самовыражения
Александр Зимин – Анимация как средство самовыражения
 
Николай Ашанин – Team Lead. Структурирование мыслей
Николай Ашанин – Team Lead. Структурирование мыслейНиколай Ашанин – Team Lead. Структурирование мыслей
Николай Ашанин – Team Lead. Структурирование мыслей
 
Кирилл Аверьянов — Кастомная кнопка: взгляд изнутри
Кирилл Аверьянов —  Кастомная кнопка: взгляд изнутриКирилл Аверьянов —  Кастомная кнопка: взгляд изнутри
Кирилл Аверьянов — Кастомная кнопка: взгляд изнутри
 
Виктор Брыкcин — Как всё починить и ничего не сломать: работа со сложным кодо...
Виктор Брыкcин — Как всё починить и ничего не сломать: работа со сложным кодо...Виктор Брыкcин — Как всё починить и ничего не сломать: работа со сложным кодо...
Виктор Брыкcин — Как всё починить и ничего не сломать: работа со сложным кодо...
 
Самвел Меджлумян — S3: API на Swift за пять минут
Самвел Меджлумян —  S3: API на Swift за пять минутСамвел Меджлумян —  S3: API на Swift за пять минут
Самвел Меджлумян — S3: API на Swift за пять минут
 
Катерина Трофименко — Разработка фич: от флагов до a/b-тестов
Катерина Трофименко — Разработка фич: от флагов до a/b-тестовКатерина Трофименко — Разработка фич: от флагов до a/b-тестов
Катерина Трофименко — Разработка фич: от флагов до a/b-тестов
 
Андрей Володин — Как подружиться с роботом
Андрей Володин — Как подружиться с роботомАндрей Володин — Как подружиться с роботом
Андрей Володин — Как подружиться с роботом
 
Александр Зимин — Мобильные интерфейсы будущего
Александр Зимин — Мобильные интерфейсы будущегоАлександр Зимин — Мобильные интерфейсы будущего
Александр Зимин — Мобильные интерфейсы будущего
 
Николай Волосатов — Работа с крэшами библиотек
Николай Волосатов — Работа с крэшами библиотекНиколай Волосатов — Работа с крэшами библиотек
Николай Волосатов — Работа с крэшами библиотек
 
Вадим Дробинин (Vadim Drobinin) — Заботимся правильно: CareKit, HealthKit и ...
Вадим Дробинин (Vadim Drobinin) —  Заботимся правильно: CareKit, HealthKit и ...Вадим Дробинин (Vadim Drobinin) —  Заботимся правильно: CareKit, HealthKit и ...
Вадим Дробинин (Vadim Drobinin) — Заботимся правильно: CareKit, HealthKit и ...
 
Александр Зимин (Alexander Zimin) — UIViewController, откройся!
Александр Зимин (Alexander Zimin) — UIViewController, откройся!Александр Зимин (Alexander Zimin) — UIViewController, откройся!
Александр Зимин (Alexander Zimin) — UIViewController, откройся!
 
Сергей Пронин, Никита Кошолкин — Как мы разрабатываем App in the Air: процесс...
Сергей Пронин, Никита Кошолкин — Как мы разрабатываем App in the Air: процесс...Сергей Пронин, Никита Кошолкин — Как мы разрабатываем App in the Air: процесс...
Сергей Пронин, Никита Кошолкин — Как мы разрабатываем App in the Air: процесс...
 
Макс Грибов — Использование SpriteKit в неигровых приложениях
Макс Грибов — Использование SpriteKit в неигровых приложенияхМакс Грибов — Использование SpriteKit в неигровых приложениях
Макс Грибов — Использование SpriteKit в неигровых приложениях
 
Михаил Рахманов — Promises, или почему обещания надо выполнять
Михаил Рахманов — Promises, или почему обещания надо выполнятьМихаил Рахманов — Promises, или почему обещания надо выполнять
Михаил Рахманов — Promises, или почему обещания надо выполнять
 
Александр Зимин — Оптимизация разработки
Александр Зимин — Оптимизация разработкиАлександр Зимин — Оптимизация разработки
Александр Зимин — Оптимизация разработки
 
Алина Михайлова — Как обойтись без менеджера в своем проекте
Алина Михайлова — Как обойтись без менеджера в своем проектеАлина Михайлова — Как обойтись без менеджера в своем проекте
Алина Михайлова — Как обойтись без менеджера в своем проекте
 

Recently uploaded

introduction-to-automotive Andoid os-csimmonds-ndctechtown-2021.pdf
introduction-to-automotive Andoid os-csimmonds-ndctechtown-2021.pdfintroduction-to-automotive Andoid os-csimmonds-ndctechtown-2021.pdf
introduction-to-automotive Andoid os-csimmonds-ndctechtown-2021.pdf
VishalKumarJha10
 
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
Health
 

Recently uploaded (20)

OpenChain - The Ramifications of ISO/IEC 5230 and ISO/IEC 18974 for Legal Pro...
OpenChain - The Ramifications of ISO/IEC 5230 and ISO/IEC 18974 for Legal Pro...OpenChain - The Ramifications of ISO/IEC 5230 and ISO/IEC 18974 for Legal Pro...
OpenChain - The Ramifications of ISO/IEC 5230 and ISO/IEC 18974 for Legal Pro...
 
%in Bahrain+277-882-255-28 abortion pills for sale in Bahrain
%in Bahrain+277-882-255-28 abortion pills for sale in Bahrain%in Bahrain+277-882-255-28 abortion pills for sale in Bahrain
%in Bahrain+277-882-255-28 abortion pills for sale in Bahrain
 
VTU technical seminar 8Th Sem on Scikit-learn
VTU technical seminar 8Th Sem on Scikit-learnVTU technical seminar 8Th Sem on Scikit-learn
VTU technical seminar 8Th Sem on Scikit-learn
 
Crypto Cloud Review - How To Earn Up To $500 Per DAY Of Bitcoin 100% On AutoP...
Crypto Cloud Review - How To Earn Up To $500 Per DAY Of Bitcoin 100% On AutoP...Crypto Cloud Review - How To Earn Up To $500 Per DAY Of Bitcoin 100% On AutoP...
Crypto Cloud Review - How To Earn Up To $500 Per DAY Of Bitcoin 100% On AutoP...
 
Unlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language ModelsUnlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language Models
 
introduction-to-automotive Andoid os-csimmonds-ndctechtown-2021.pdf
introduction-to-automotive Andoid os-csimmonds-ndctechtown-2021.pdfintroduction-to-automotive Andoid os-csimmonds-ndctechtown-2021.pdf
introduction-to-automotive Andoid os-csimmonds-ndctechtown-2021.pdf
 
%in kempton park+277-882-255-28 abortion pills for sale in kempton park
%in kempton park+277-882-255-28 abortion pills for sale in kempton park %in kempton park+277-882-255-28 abortion pills for sale in kempton park
%in kempton park+277-882-255-28 abortion pills for sale in kempton park
 
Chinsurah Escorts ☎️8617697112 Starting From 5K to 15K High Profile Escorts ...
Chinsurah Escorts ☎️8617697112  Starting From 5K to 15K High Profile Escorts ...Chinsurah Escorts ☎️8617697112  Starting From 5K to 15K High Profile Escorts ...
Chinsurah Escorts ☎️8617697112 Starting From 5K to 15K High Profile Escorts ...
 
How To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected WorkerHow To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected Worker
 
%in tembisa+277-882-255-28 abortion pills for sale in tembisa
%in tembisa+277-882-255-28 abortion pills for sale in tembisa%in tembisa+277-882-255-28 abortion pills for sale in tembisa
%in tembisa+277-882-255-28 abortion pills for sale in tembisa
 
Payment Gateway Testing Simplified_ A Step-by-Step Guide for Beginners.pdf
Payment Gateway Testing Simplified_ A Step-by-Step Guide for Beginners.pdfPayment Gateway Testing Simplified_ A Step-by-Step Guide for Beginners.pdf
Payment Gateway Testing Simplified_ A Step-by-Step Guide for Beginners.pdf
 
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdfLearn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
 
The Ultimate Test Automation Guide_ Best Practices and Tips.pdf
The Ultimate Test Automation Guide_ Best Practices and Tips.pdfThe Ultimate Test Automation Guide_ Best Practices and Tips.pdf
The Ultimate Test Automation Guide_ Best Practices and Tips.pdf
 
Azure_Native_Qumulo_High_Performance_Compute_Benchmarks.pdf
Azure_Native_Qumulo_High_Performance_Compute_Benchmarks.pdfAzure_Native_Qumulo_High_Performance_Compute_Benchmarks.pdf
Azure_Native_Qumulo_High_Performance_Compute_Benchmarks.pdf
 
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
 
%in kaalfontein+277-882-255-28 abortion pills for sale in kaalfontein
%in kaalfontein+277-882-255-28 abortion pills for sale in kaalfontein%in kaalfontein+277-882-255-28 abortion pills for sale in kaalfontein
%in kaalfontein+277-882-255-28 abortion pills for sale in kaalfontein
 
%in ivory park+277-882-255-28 abortion pills for sale in ivory park
%in ivory park+277-882-255-28 abortion pills for sale in ivory park %in ivory park+277-882-255-28 abortion pills for sale in ivory park
%in ivory park+277-882-255-28 abortion pills for sale in ivory park
 
10 Trends Likely to Shape Enterprise Technology in 2024
10 Trends Likely to Shape Enterprise Technology in 202410 Trends Likely to Shape Enterprise Technology in 2024
10 Trends Likely to Shape Enterprise Technology in 2024
 
AI & Machine Learning Presentation Template
AI & Machine Learning Presentation TemplateAI & Machine Learning Presentation Template
AI & Machine Learning Presentation Template
 
Introducing Microsoft’s new Enterprise Work Management (EWM) Solution
Introducing Microsoft’s new Enterprise Work Management (EWM) SolutionIntroducing Microsoft’s new Enterprise Work Management (EWM) Solution
Introducing Microsoft’s new Enterprise Work Management (EWM) Solution
 

Александр Зимин (Alexander Zimin) — Магия Swift