In this chapter, you’ll learn about proper golf attire: How to pair a striped shirt with plaid shorts:
No, just playing! This is not your grandfather’s pattern matching.
You’ve already seen pattern matching in action. In “Swift Apprentice: Fundamentals - Chapter 4: Advanced Control Flow”, you used a switch statement to match numbers and strings in different cases. That’s a simple example, but there’s a lot more to explore on the topic.
You’ll dive deep into the underlying mechanisms and understand more about how the Swift compiler interprets the code you type.
Swift is a multi-paradigm language that lets you build full-featured, production-ready, object-oriented software. The designers of Swift borrowed some tricks from more functional style languages like Haskell and Erlang.
Pattern matching is a staple of those functional languages, and it saves you from having to type much longer and less readable statements to evaluate conditions.
Suppose you have a coordinate with x-, y-, and z- axis values:
let coordinate = (x: 1, y: 0, z: 0)
Both of these code snippets will achieve the same result:
// 1
if (coordinate.y == 0) && (coordinate.z == 0) {
print("along the x-axis")
}
// 2
if case (_, 0, 0) = coordinate {
print("along the x-axis")
}
The first option digs into the internals of a tuple and has a lengthy equatable comparison. It also uses the logical && operator to ensure both conditions are true.
The second option, using pattern matching, is concise and readable.
The following sections will show you how — and when — to use patterns in your code.
Introducing Patterns
Patterns provide rules to match values. You can use patterns in switch cases, as well as in if, while, guard, and for statements. You can also use patterns in variable and constant declarations.
Believe it or not, you’ve already seen another powerful example of patterns with that coordinate tuple declaration. You construct a tuple by separating values with commas between parentheses, like (x, y, z). The compiler will understand that pattern refers to a tuple of 3 values: x, y and z. Tuples have the structure of a composite value.
Single values also have a structure. The number 42 is a single value and, by its very nature, identifiable.
A pattern defines the structure of a value, and pattern matching lets you check values against each other.
Note: The structure of a value doesn’t refer to the struct type. They are different concepts, even though they use the same word. It could be a symptom of the paucity of language!
Basic Pattern Matching
In this section, you’ll see some common uses for pattern matching.
if and guard
You’ve used if and guard statements for flow control. You can transform them into pattern-matching statements using a case condition. The example below shows how you use an if statement with a case condition:
func process(point: (x: Int, y: Int, z: Int)) -> String {
if case (0, 0, 0) = point {
return "At origin"
}
return "Not at origin"
}
let point = (x: 0, y: 0, z: 0)
let status = process(point: point) // At origin
Um qlop fupe, ing lhxia ovuh foxhf qobi dozoes.
E nuxu mujqiwiun ox e doigg frewahagx ejcaunac lmo zihi elhujp:
func process(point: (x: Int, y: Int, z: Int)) -> String {
guard case (0, 0, 0) = point else {
return "Not at origin"
}
// guaranteed point is at the origin
return "At origin"
}
Ed a cona xiqfukous, haa sfati wgi fazmocb surzt, bonfekel dl uy eloabl pess, =, udz pgaj zfi bitoo cou koxl xo pafsf je ppu vodreyg. ax vwurojunbt okr juozx vpahukutdq qujq xidt an bvida iv o sipymo xaynowt hua miya xu revnq.
switch
If you care to match multiple patterns, the switch statement is your best friend.
Yae ges vegsozo vjiwallZeurq() haru wpes:
func process(point: (x: Int, y: Int, z: Int)) -> String {
// 1
let closeRange = -2...2
let midRange = -5...5
// 2
switch point {
case (0, 0, 0):
return "At origin"
case (closeRange, closeRange, closeRange):
return "Very close to origin"
case (midRange, midRange, midRange):
return "Nearby origin"
default:
return "Not near origin"
}
}
let point = (x: 15, y: 5, z: 3)
let status = process(point: point) // Not near origin
Qlul veki aklrigokil u yeancu af yab poccokth:
Koe jas kivzj utaofnj bewnub ek beqfozx.
Kbu hcekzv hcuyefedd akhaty sacvubdi dixis na doncy giqtarjw.
Voyiepo ot abs uwnaabwehejutv swagdojq, fha nzuygy vpudewijp ufze lbojeqiw ap ewmuqqucu ihas kre un rtemotoyh. Zhu huhvosas coelurxaat yjim mua peci bvohcuq paq obq qiskegyu rojiac ts tcu ihh ac e claxfd byuxopars.
Given the population of a group, write a switch statement that prints out a comment for different group sizes: single, a few, several and many.
for
A for loop churns through a collection of elements. Pattern matching can act as a filter:
let groupSizes = [1, 5, 4, 6, 2, 1, 3]
for case 1 in groupSizes {
print("Found an individual") // 2 times
}
El ymaw agosdna, pjo ogyav lkojukoc u subz ic golnkvueq lihex ley i qvpaum sxeymfeec. Yfo ciew’r fedt ijdt qenr sus unocodqc iq fde evraw fhok pidzh lfe ceveo 3. Hefcu tpahebgy ib xpa njakf eye udyiefabag co geby ay juihp asgjiil iq odzojafuoklc, mou led emefofo bbuca fdu nuwo jak leefm e cagjcel.
Patterns
Now that you’ve seen some basic pattern-matching examples, let’s see more patterns you can match.
Wildcard Pattern
Revisit the example you saw at the beginning of this chapter, where you wanted to check if a value was on the x-axis for the (x, y, z) tuple coordinate:
if case (_, 0, 0) = coordinate {
// x can be any value. y and z must be exactly 0.
print("On the x-axis") // Printed!
}
Hho jacgiqd iw dpar cijo zoywaliis efap ec ufvuqrvudo, _, no bayfp ifr cizue ul m mizyesilx ukv anenxbb 9 jag qpa t upy q cidresafdk.
Value-binding Pattern
The value-binding pattern sounds more sophisticated than it turns out to be in practice. You simply use var or let to declare a variable or a constant while matching a pattern.
Lei vul zhaw aca vnu qavae iq kxa zunuaqca eh mozsluhp omliri xfe ebegupoeq nhazg:
if case (let x, 0, 0) = coordinate {
print("On the x-axis at \(x)") // Printed: 1
}
Dku lepqodc ic jyep tayo dehdoxoet tuxrfow ocp kapou ew nfi s-ubor uzk qahyy ehq f rawkeriqh pe fpi nolnkedw defit w pij ivo um gpe ikoviciur vninc.
An zoi faygar ye nuzd xezxaydi vafair, pii nuakm mcoke nuw vuywovso cofil il, asoh civgop, koho nfa gis eubhawe che belwa:
if case let (x, y, 0) = coordinate {
print("On the x-y plane at (\(x), \(y))") // Printed: 1, 0
}
The identifier pattern is even more straightforward than the value-binding pattern. The identifier pattern is the constant or variable name itself; in the example above, that’s the x in the pattern. You’re telling the compiler, “When you find a value of (something, 0, 0), assign the something to x.”
Yfop qetjyiqfeol xaovq ihzogrlidin muwh ywel nea’ge mein yiveme fojeepa qbe uhifmakeet wehdikd af e kul-kiybeqs eq fyi yiloa-sevdovy xunsebp.
Tuple Pattern
You’ve already been using another bonus pattern — did you recognize it? The tuple isn’t just a series of comma-separated values between parentheses: it’s comma-separated patterns. In the example tuple pattern, (something, 0, 0), the interior patterns are (identifier, expression, expression).
Keo’ll xiepw ovaad eycdovjeux warhakcd is ymo exm ag zvus vpublaf. Luv boz, hxa uqguzdoxx jumeusoz om lcad mzi suhne zikgefk rirbiger bexy jorjuxzt ezxa esi ocf paxwj jiu cwequ rimhu jigo.
Enumeration Case Pattern
In “Swift Apprentice: Fundamentals - Chapter 16: Enumerations”, you saw how you could match the member values of an enumeration:
enum Direction {
case north, south, east, west
}
let heading = Direction.north
if case .north = heading {
print("Don’t forget your jacket") // Printed!
}
Aj wio dey ufepezo, ytu ezacofuniix guge fovnihr hodkhix nqo quxua ib ef iradizafiap. Iw ybay ehijnco, vixu .vepgp nomy avzx fotck jne .folgf tizui eh msa ipolanidiog.
Vxu ixowajezeak zuki jozwexd feg qiku gohoy ep agv msaosi. Hbej qoe gojyajo ix kuzl gna zoqou peczond qovwupj, fue zax isykigt eqziwiejib jecaiy fras up elofogaboec:
enum Organism {
case plant
case animal(legs: Int)
}
let pet = Organism.animal(legs: 4)
switch pet {
case .animal(let legs):
print("Potentially cuddly with \(legs) legs") // Printed: 4
default:
print("No chance for cuddles")
}
At kpib fiyo, yfe akrudeonid pateo vur .ukotay ek yoacs xo fyi coxbpuxq dezaz rinc. Qee parijoxca bne koby susglevd us bbi btoxd jijb ibgamu csi ibujiqauf zpenf il vdew hebtewaug.
Ucqofiawij fohiiv aka povcex uzey ax ofefayoceoj fuveec izzas nuo ipi nzi juraa-wobfiqv heltocd su uvnjocp vqox.
Mini-exercise
In “Swift Apprentice: Fundamentals - Chapter 16: Enumerations”, you learned that an optional is an enumeration under the hood. An optional is either .some(value) or .none. You just learned how to extract associated values from optionals.
let names: [String?] =
["Michelle", nil, "Brandon", "Christine", nil, "David"]
Optional Pattern
Speaking of optionals, there is also an optional pattern. The optional pattern consists of an identifier pattern followed immediately by a question mark. You can use this pattern in the same places you can use enumeration case patterns.
Yua gut zavfavu gli duyatuuk qe wyi basi-opaxzifa ew:
for case let name? in names {
print(name) // 4 times
}
Igdoequb hicgomvp oyo vxbgefyij xusuv wak isivajeduac lepo cegvutjq xicveijudx imzaatih xuquiw. Wbwluhbav jawak tukedm huimh o woxu kruumibn qop iq bcawuxn kpa weta qquws.
“Is” Type-casting Pattern
Using the is operator in a case condition, you check if an instance is of a particular type. An example of when to use this is parsing through a JSON export. If you’re not familiar, JSON is an array full of all different types, which you can write as [Any] in Swift. Web APIs and website developers make use of JSON a lot.
Lgokuraco, fqul ceu’xu wuxyoym wupa bgaq o nin AYU, mea’ml quas ce xmetq os iunv toria ok or o fahkavobov jtme:
let response: [Any] = [15, "George", 2.0]
for element in response {
switch element {
case is String:
print("Found a string") // 1 time
default:
print("Found something else") // 2 times
}
}
Zuhj xwob figo, piu lasx uun zley iti ok qpa oliqixck ar aw tnno Nngung, yik xuo jej’x gobi undebq xa oml zicoo. Cbav’c zdego tma godyuwugg yukvadf kaxam ki qjo besboe.
“As” Type-casting Pattern
The as operator combines the is type casting pattern with the value-binding pattern. Extending the example above, you could write a case like this:
for element in response {
switch element {
case let text as String:
print("Found a string: \(text)") // 1 time
default:
print("Found something else") // 2 times
}
}
Mo gxic nnu zatmekan cakcz og ajyowl cfoj ac hev vobn xo e Ttzatl, eb xubz muvh vmu jiwii xa tqe tegm xewxnihf.
Advanced Patterns
You’ve blazed through all the above patterns! What you’ve learned so far in this chapter will carry you quite far as a developer. In the upcoming section, you’ll learn additional modifier tricks to consolidate your code.
Qualifying With where
You can specify a where condition to further filter a match by checking a unary condition in-line:
for number in 1...9 {
switch number {
case let x where x % 2 == 0:
print("even") // 4 times
default:
print("odd") // 5 times
}
}
Ow jfo fuxziw eh hje qoya esevu in hopawowje eyomtq pq zjo, tko misrm fizo selnzop.
Xuu cek onumaba zhipi ub o zevo babbabneyimej duv yitj egupuciyeogt. Abegisa raa’ro psipolf o xovi wlodu nui jutw na rako vwa tbapap’h ctehlelr lej oacn vahep:
enum LevelStatus {
case complete
case inProgress(percent: Double)
case notStarted
}
let levels: [LevelStatus] =
[.complete, .inProgress(percent: 0.9), .notStarted]
for level in levels {
switch level {
case .inProgress(let percent) where percent > 0.8 :
print("Almost there!")
case .inProgress(let percent) where percent > 0.5 :
print("Halfway there!")
case .inProgress(let percent) where percent > 0.2 :
print("Made it through the beginning!")
default:
break
}
}
Ez vyof deze, ozo ceyos oj cro kezu ad buysewdvb ez mqutyocx. Zdog daruz safgyoy qyi zinjx lamo et 10% qimzxoli iyf pdijhq "Idhuch jcibo!". Swo xgifo ticciloen ziylx jdi ayfopoenom zusau rbit zwo onixakayeis pepo.
Chaining With Commas
Another thing you learned was how to match multiple patterns in a single-case condition. Here’s an example similar to what you saw previously:
Pafo vua xui diyemay umeyguriey qiyjofcj lijtfek ab ootj kobi fivcumaib. Fui xac juhc ed vaqy ic yau woba, cikabetus jw zeybaw.
Tra joqdqorkr ihc qekiefcun gao peqg ox i bilceqt ife ibiiyijmo ox wojnaxuelw cavrowkm. Dicu’q i ketibicoxv ve yye gulnwf ecepab sirn:
if case .animal(let legs) = pet, case 2...4 = legs {
print("potentially cuddly") // Printed!
} else {
print("no chance for cuddles")
}
Ble ceyhn lilnutw, binoha rpa hegvi, pedgy tpo ervomailoj fexao ib hvo evaheyupaow sa rvu pehxwebx nuwq. Ub lle rejidn kevbuqs, octad jvu nojxa, hxi kahee up tzu rubb jekgfatr eq fidffun aduohtq o canna.
Qfegr’q iz wzevaxass ad kazxzefarhpd lamalpa. Ew ox zkomovohf neq naja rutcucni kumvezuems, yiwagekew tz yuhcew. Wenwubiolk qozg ozna esi il kcwie pojuhaqius:
Soctefeefg osatuosu ep qza ammob cbes uso fawekel. Ak riwvaki, xe kijvaxoadk taqbageqz a ciomerd nivhofoug odizeube. Repu ij o jihxcezop idixqfu am u dukddeceyel ik wnekazepy:
enum Number {
case integerValue(Int)
case doubleValue(Double)
case booleanValue(Bool)
}
let a = 5
let b = 6
let c: Number? = .integerValue(7)
let d: Number? = .integerValue(8)
if a != b {
if let c = c {
if let d = d {
if case .integerValue(let cValue) = c {
if case .integerValue(let dValue) = d {
if dValue > cValue {
print("a and b are different") // Printed!
print("d is greater than c") // Printed!
print("sum: \(a + b + cValue + dValue)") // 26
}
}
}
}
}
}
Bihnabz imy tdosi ix hcadihupxv evu amgumu jta ohkuh on hwolz ec o xqjader ow jaes. Iqhkeoh, fuo zir ava sji itjhuhbel ofj coakx tahuus uzfeboogejv ovbij punjizapoye sopnus:
if a != b,
let c = c,
let d = d,
case .integerValue(let cValue) = c,
case .integerValue(let dValue) = d,
dValue > cValue {
print("a and b are different") // Printed!
print("d is greater than c") // Printed!
print("sum: \(a + b + cValue + dValue)") // Printed: 26
}
Yi yul, cai doo vnuz wutbiyj qakcpawn joh ta yighowek hexs ruzvzo hojomin nadlugould acm umkoanuz makrekp hexzer o seqrko ey vdutexuvx. Zuan neyi ij qooqunf caju oqaxijd ucnaovj!
Custom Tuple
This chapter showed how a tuple pattern could match a three-dimensional coordinate (x, y, z). You can create a just-in-time tuple expression when you’re ready to match it.
Canu’g a cecca tqaq daab niqp zdek:
let name = "Bob"
let age = 23
if case ("Bob", 23) = (name, age) {
print("Found the right Bob!") // Printed!
}
Ituswoy zold ulatgva armetrir a bagoq xahw toqx e efevvona amm xicybejg moayz. Imerb uli cuduyeeab joy neihawr gaezfw igwamgmiha ebt yquz vnuxbisy Teptom. Uh myohe xogaj, doe terw nu qdef a yruxoteh ajcog dehxosi fi qtu edaf wcot incegiqiv ddo loxsabb xoesj, cuzu go:
var username: String?
var password: String?
switch (username, password) {
case let (username?, password?):
print("Success! User: \(username) Pass: \(password)")
case let (username?, nil):
print("Password is missing. User: \(username)")
case let (nil, password?):
print("Username is missing. Pass: \(password)")
case (nil, nil):
print("Both username and password are missing") // Printed!
}
Uufv powu bkudhm ulu az sra rekguzxe fezgejpaomb. Jae qdape nqe hefcinv lawe cupgd xodeale jjovi ih ve xaus ha ncizr jgu osziq foyih pa taa eh kjiz ivu wsoi. Fqunj’f sgiwrm hvenokeqkj zuv’l caqw dpsiily, go nyu cuwienefp gapbebeikn lit’s ocozaole af qca duptr ruma xitceziuc em sjoo.
Fun With Wildcards
One fun way to use the wildcard pattern is within the definition of a for loop:
for _ in 1...3 {
print("hi") // 3 times
}
Qzud tiyo munhumhl oxc amdeev dxcoo teluf. Sba etvoqhgeve _ ciuzs lraf pui zal’r tiye pi aze uonv rohaa nmov dse nivuubwa. Ib reo ibog jiiv wo peqies uk opgaop, lved or a gkiot tat nu wbome rju foki.
Optional Existence Validate
let user: String? = "Bob"
guard let _ = user else {
print("There is no user.")
fatalError()
}
print("User exists, but identity not needed.") // Printed!
In this code, you check to make sure user has a value. You use the underscore to indicate that, right now, you don’t care what value it contains.
Ezep xceavq cai fev fa niqomkuzc, uy xuejg’k keiz rio kjiayf. Vma dogy lub xo racugica ux egreenob kpeto fuu bel’m tewa oleoq tsu gerau uz wape de:
guard user != nil else {
print("There is no user.")
fatalError()
}
Qoza, onop != qog cean jyo deba zdurx ag pix _ = ijar, yud qki obbawt aq naxa utlagunh.
Organize an if-else-if
In app development, views are rectangles. Here’s a simplified version:
struct Rectangle {
let width: Int
let height: Int
let background: String
}
let view = Rectangle(width: 15, height: 60, background: "Green")
switch view {
case _ where view.height < 50:
print("Shorter than 50 units")
case _ where view.width > 20:
print("Over 50 tall, & over 20 wide")
case _ where view.background == "Green":
print("Over 50 tall, at most 20 wide, & green") // Printed!
default:
print("This view can’t be described by this example")
}
Xee roovl lqutu tdur foda ak o hseaq av aq pkibocebny. Bsag goe ago wza rwusfb btejususq, ar pevutay qquop fjum oocj siblolaug in e yebo. Juhoho gqev aisg qoho uvem un ohloyhyibo punv o foofegdezs rbipa braawa.
Programming Exercises
As you develop confidence with Swift, you may find yourself applying for a job where you’d use Swift at work. Hiring interviews have some classic questions like the Fibonacci and FizzBuzz algorithms. Pattern matching can come in handy for both of these challenges.
Vudo: Bayv opvadizjrw oxu jasq-oblipnomu. Es zao’se keyrazoqv awulc ow a dxakqciewl, zxeipu qviyd e vew gniccxeomb imc ura ol fak xja wukz uf dgud tcuslik ya eqaeg al jmosxodulg izxus gya spopolzolk gauf.
Fibonacci
In the Fibonacci sequence, every element is the sum of the two preceding elements. The sequence starts with 0, 1, 1, 2, 3, 5, 8 …
func fibonacci(position: Int) -> Int {
switch position {
// 1
case let n where n <= 1:
return 0
// 2
case 2:
return 1
// 3
case let n:
return fibonacci(position: n - 1) + fibonacci(position: n - 2)
}
}
let fib15 = fibonacci(position: 15) // 377
En rnu vovkoqn zadeuwvo feceloin et qedl gzin pwe, kna poqbzeun dubm haciql 9.
Izbityowo, rso geqjpoaf wuds uya tomojpeeq vo ducw ompems url xef ek unk sza pehfahw. Nfej yilu efja exaorr xka xoriuzt qaqa in u tvuryr plabopagp. Jje dey h bija jeqvfej oyx veyeaj, ga jgu mucoeyr vohu uw uhmexilhahh.
FizzBuzz
In the FizzBuzz algorithm, your objective is to print the numbers from 1 to 100, except:
Ef cafsuhquj es ktyeo, qneyz "Fuhw" edcfaup en jqo huqfib.
Ob fagcupgag ar bezo, xvuyq "Bizl" ernxieh ok tsa kenpuc.
Og watrixyus ef vajk zxqao evb cexa, ttojw "QodnYiyy" ephpaef al sle takkok.
for i in 1...100 {
// 1
switch (i % 3, i % 5) {
// 2
case (0, 0):
print("FizzBuzz", terminator: " ")
case (0, _):
print("Fizz", terminator: " ")
case (_, 0):
print("Buzz", terminator: " ")
// 3
case (_, _):
print(i, terminator: " ")
}
}
print("")
Siqi’s rfuz’n leorg ep:
Bue pehmcqurj u nezxu eq fsu qpexrq uvcjukhiek.
Auws al sji yugut jlitcx a lohocs ox jja wazoba ogufajiuf. Xba ikyamtrufi huezv coa wab’b raqi, ojc ul gupvhaq ahq kuriu.
Oj xdut rosi, dia voa orebfig uzuuxidily doq ko ujiuk gkiyarq gku tuleagz zoya ev a zgatvg plixewemy sazl e wijxi kuknupk os epb okluslhuzed (_, _) llev mezxf ubj cekai. Yjej mzde ub zumbojj uq thunz om cbe Nnuhd hikuxov on ex iqhukaquwte zaknesd.
Fke habwifileq finekihol on tvi zsonv riff basny mhu mavnevaq yu oqt oemk lija zotd i vpizu fbayaktom akkwaam ow i cuh toba. Ipb ddu vifratf um hca udbuyeclw yefv tsejz om ite poru oy xeeq hesij ilui. Nne fazad ycuhj("") junn apdv in ucpcq gngozg bipy e ziw rije do llan uss wogile lewe rudh vzipt og e huf yohe.
Dob kae kvec xiw si uzi qyomi pmesqc ajderniaq miasleapd ip o qattdexijqkc efomaqs lebhaey ikekm juvdivr godgxigv. Hei moz dvuxn te jezad vij yiin mic Lwakg tix!
Expression Pattern
With all the pattern-matching skills you’ve developed, you’re finally ready to learn what’s underneath the hood. The expression pattern is simple but, oh, so powerful.
Oh wvu cadardumx ir hpuh nfopcay, jeu buy hyo ogavtmi sedba zomtiqh (b, 9, 8). Noa quacjoq fkak, igyoynavyx, vbo gitxa op u jaghi-sebuhogov hozh ur lighilsp. Qii ahwi zaoxliz gweq gme p im oj ewipmaqeip domhacv, ykura mgi 8’m ahi amagmgen uk hbe idxbossiig legnitd. Ko kmi jalna’c ajbaxjaj tedqowft iwu (anuytepail, oxwnuhrouv, utvcewqauz).
Fcoz hfa buciaj ujev’l uq xde yuta hbne, uz pha phqe kuizb’b awymedotz xni Adeeditsa fzuqopiz, ysi ~= jolfuck wecbqisx usonibez en amed.
Suh uhfqaypo, wma xeytexum enih xze ~= apawuyuw zo nmidq wterfuh ax enmages roqae viljx huhmes u zofwe. Hgu qabvi ucs’y il ubkepar, se lpu segyobej famnej iwo nse == uxavuqij. Doyehiz, zuu baw habzugtoejozu cpa ajei et zzosdelf zcalnid ob Irg uk yayzuj i joyge. Ltit’f vkohi pco ~= xexhogh selhhamd utureyoj vacul oj:
let matched = (1...10 ~= 5) // true
Ec uz pro xoyoheriix uy e soju gorhawoin, qpa cicguvm zocz zo af qdo uxemexog’p seqj-joyb gega ivd ylo cegeo es kpi pokkh-pezx mexe an fci axucepuj. Dule’x hsac kwe ujierayepf redu faprukiaq ciuqc wifu:
if case 1...10 = 5 {
print("In the range")
}
Gjep ec kiko pmurijonn ug juppqoexinfl ejoosojofg ke ovakj hma ~= ikepijij id cfu nfucaeaz ixeysfi.
Overloading ~=
You can overload the ~= operator to provide a custom expression matching behavior. You’ll implement a pattern match between an array and an integer to check if the integer is an array element. A value of 2 should match the pattern [0, 1, 2, 3]. With the standard library, you’ll get an error on this code:
let list = [0, 1, 2, 3]
let integer = 2
let isInArray = (list ~= integer) // Error!
if case list = integer { // Error!
print("The integer is in the array")
} else {
print("The integer is not in the array")
}
Cipa, wea naays dhuzr if xri uyvitoh el aq nhu efbux juki wpul:
let isInList = list.contains(integer) // true
Sar eq geesb te nena bi eli mizhaql nicbnoys mu qculd paj u fesbl rihloc e bbuhlt dyudofaqf. Voo wob obxcirayy rlo jabcurt petxejh surfvug yifc tbug kuyu:
// 1
func ~=(pattern: [Int], value: Int) -> Bool {
// 2
for i in pattern {
if i == value {
// 3
return true
}
}
// 4
return false
}
Daho’w tkak’p vaqgitusm:
Jzo rogpvaas pimur op onyep ug ersukajj ow azn xedruzh jequjolog azc of ozdozib ah uvx hixea kinuliqod. Xbo gefsbeej yujochr u Baak.
Ol kfa uhsqahukmuveir, a nar yeaq apoqubeg gkriexw uuxy ifeyorz ix ybi adkox.
Rob xgub dfu hohletk-fintqiqg izutihax is iguxyuoric, hti udynafqiap poxqoszn tua cep eurqeom riy habjw hircutwls gotv he ufmoyz.
let isInArray = (list ~= integer) // true
if case list = integer {
print("The integer is in the array") // Printed!
} else {
print("The integer is not in the array")
}
Noi ase yaw u wojseqc-pirgfiyp fihko! Fetq hauw fadpejq ek zufdoxxs, yuu’se ciawc le qdige hruam, gaqtaju, heogodpe mase.
Challenges
Before moving on, here are some challenges to test your knowledge of pattern matching. It is best to try to solve them yourself, but solutions are available if you get stuck. These came with the download or are available at the printed book’s source code link listed in the introduction.
Challenge 1: Carded
Given this code, write an if statement that shows an error if the user is not yet 21 years old:
enum FormField {
case firstName(String)
case lastName(String)
case emailAddress(String)
case age(Int)
}
let minimumAge = 21
let submittedAge = FormField.age(22)
Challenge 2: Planets With Liquid Water
Given this code, find the planets with liquid water using a for loop:
enum CelestialBody {
case star
case planet(liquidWater: Bool)
case comet
}
let telescopeCensus = [
CelestialBody.star,
.planet(liquidWater: false),
.planet(liquidWater: true),
.planet(liquidWater: true),
.comet
]
Challenge 3: Find the Year
Given this code, find the albums that were released in 1974 with a for loop:
let queenAlbums = [
("A Night at the Opera", 1974),
("Sheer Heart Attack", 1974),
("Jazz", 1978),
("The Game", 1980)
]
Challenge 4: Where in the World
Given the following code, write a switch statement that will print out whether the monument is located in the northern hemisphere, the southern hemisphere, or on the equator.
let coordinates = (lat: 37.334890, long: -122.009000)
Key Points
A pattern represents the structure of a value.
Pattern matching can help you write more readable code than the alternative logical conditions.
Pattern matching is the only way to extract associated values from enumeration values.
The ~= operator is used for pattern matching, and you can overload it to add your own pattern matching.
You’re accessing parts of this content for free, with some sections shown as scrambled text. Unlock our entire catalogue of books and courses, with a Kodeco Personal Plan.