Latest Web Stories

1

Exploring Smartphone Influence on the Brain: Neurological Perspectives

2

Angular vs. React: Which One Should You Choose?

3

Discover Serenity: Your Guide to Mindfulness Apps

4

Discover how smartphone apps can enhance your mindfulness practice: 5 Senses Exercise with Apps

5

Discover How Smartwatches Measure Blood Pressure: Explained Simply

6

13 Exciting Games Launching in April 2024: From Freedom Planet 2 to TopSpin 2K25!

7

Discover the 5 Amazon Big Spring Deals on Tablets from Samsung, Lenovo

8

Big Savings Alert: Amazfit Smart Watches Now on Sale on Amazon!

9

Amazon's Big Spring Sale: Top 6 Anker Souncore Headphones and Earbuds Deals

10

Affordable VR Adventures: The Best Budget VR Headsets

11

Fly in Peace: Discover the Ultimate Noise-Cancelling Headphones for Flying

12

Bringing AI to Life: NVIDIA's Digital Human Technolgies in Healthcare, Gaming, and More

13

Discover Exciting New Games on NVIDIA GeForce NOW!

14

Steam Spring Sale 2024 is here: Explore the 10 Best FPS Games

15

The Future of iPhones: Apple's Bold Step into AI with DarwinAI

16

Discover the Magic of Sonos Soundbar: Transform Your Home Entertainment Experience!

17

Enhance Your Home Fun: 5 Best Sonos Soundbars to Amp Up Your Entertainment!

18

Pinterest Introduces AI-Powered Body Type Ranges for Inclusive Searches

19

Embrace the Next Wave: 35+ AI Tools for Enhanced Productivity in 2024

20

Xbox Gaming Bonanza: Lots of New Games with Xbox Game Pass!

21

Sony Paves the Way for Gaming Evolution with 'Super-Fungible Tokens' Patent

22

Smart Printing Choices: 10 Key Factors to Consider When Buying an HP Printer or Any Printer

23

Projector Picks: Explore the Best Mini Projectors for Big Screen Fun!

24

JavaScript Essentials: Your Quick Start to Web Coding

25

Gaming Laptop Guide 2024: 10 Crucial Checks Before You Buy + Top 5 Picks for you!

26

Gaming Joy Awaits: Explore the Best PS5 Games of 2024

27

Epic Games Special: Dive into Astro Duel 2 for FREE this week. See What’s Coming Next Week!

28

Fitbit Fitness Tracker Guide 2024: Choose Your Perfect Fit

29

Feel the Beat: Exploring Top Over-Ear Headphones

30

Explore the Web Development Strategies in 2024: A Developers Handbook

31

Explore Must-Play Nintendo Switch Games in 2024!

32

Eclipse Ready: CE and ISO Certified Solar Eclipse Glasses for a Safe Sky Spectacle

33

Disney and Pixar’s Inside Out 2 Introduces New Emotions to Riley's World

34

Discover Waze's cool new features for safer and happier drives!

35

Discover the Top Picks: Best Smartwatches for Your Lifestyle

36

Discover the Best Smartphones Trending Now: Your Easy Guide to the Best Picks!

37

Sound Revolution: Discover the Best Bluetooth Speakers of 2024!

38

Discover the 10 Best Productivity Apps to Supercharge Your Daily Tasks

39

Discover,Install and Enjoy: The Best Chrome Extensions for Developers in 2024

40

Crack the Code: Your Guide to Computer Programming Magic in 2024

41

Boost Your Content Creation: 10 ChatGPT Prompts to Supercharge Content Creation Productivity

42

10 Best Tech Companies in Silicon Valley

43

Top 10 Web Development Interview Questions you can...

44

Learn how to Answer Tell me about Yourself

45

5 Books You Need to Read Right Now

46

25 Practical Ways to Earn Money Online

Translate this page in your preferred language:


Swift Dictionary

Article by: Manish Methani

Last Updated: October 12, 2021 at 2:04pm IST
3 min 16 sec read

Dictionary is simply a collection type used to link keys of the same type and values of the same type. Keys of the same type mean all the keys in a dictionary must be of the same type i.e if one key is of Int type then all the keys must be of Int type. Same in the case of Values. All the values must be of the same type.  

Note:-

If the dictionary is assigned to a variable then that dictionary becomes Mutable and If the dictionary is assigned to a 'constant' then that dictionary becomes Immutable. Create immutable dictionary

let dictionary = ["Item 1": "description", "Item 2": "description"]

Create mutable dictionary

var dictionary = ["Item 1": "description", "Item 2": "description"]

Append new pair to dictionary
dictionary["Item 3"] = "description"

Create an empty Dictionary

The following examples clears the way to create an empty dictionary.

var dict = [String:String]()
var intDict = [Int:Int]()
var mixDict = [Int:String]()

Create Dictionary with key-value pairs

var dict:[String:String] = ["Abc":"PQR" , "XYZ":"aa"]
print(dict["Abc"])

Output

Optional("PQR")

As we studied in Swift Optionals about how to

unwrapp

an optional value, you can refer it before you move forward.

 

var dict:[String:String] = ["Abc":"PQR" , "XYZ":"aa"]
print(dict["Abc"]!)

Output

PQR

How to access a Dictionary?

var someVar = someDict[key]

Example: dict["Abc"] is used to retrieve the value of key "ABC"

Example 1

import UIKit
var dict:[String:String] = ["Abc":"PQR" , "XYZ":"aa"]
print(dict["XYZ"]!)

Output 

aa

Example 2 

import UIKit

var dict:[Int:String] = [1:"Codzify" , 2:"Microsoft"]
print(dict[1]!)

Output 

Codzify

Update Value Property of dictionary

Dictionary’s updateValue(_:forKey:) method to set or update the value for a particular key.

import UIKit
var someDict:[Int:String] = [1:"Codzify", 2:"Microsoft"]

var oldVal = someDict.updateValue("New value of one", forKey: 1)

var someVar = someDict[1]

print( "Old value of key = 1 is (oldVal)" )
print( "Value of key = 1 is (someVar)" )

Output 

Old value of key = 1 is Optional("Codzify")
Value of key = 1 is Optional("New value of one")

Remove Value For Key method

You can use the removeValueForKey() method to remove a key-value pair from a dictionary. This method removes the key-value pair if it exists and returns the removed value, or returns nil if no value existed.

Example 

import UIKit

var someDict:[Int:String] = [1:"Codzify", 2:"Microsoft"]

var someVar = someDict.removeValue(forKey: 2)

print( "Value for key = 1 is (someDict[1]!)" )
print( "Value of key = 2 is (someDict[2])" )

Iterate over a dictionary

for..in the loop is used to iterate over a dictionary of key-value pairs.

import UIKit
var dict:[String:String] = ["Abc":"PQR" , "XYZ":"aa"]

for (key, value) in dict {
    print("Dictionary key (key) -  Dictionary value (value)")
}

Output 

Dictionary key Abc -  Dictionary value PQR
Dictionary key XYZ -  Dictionary value aa

Iteration using the enumerated method

the enumerated method is used to iterate over a dictionary and in returns the index of the item along with its (key, value) pair.

import UIKit
var dict:[Int:String] = [0:"PQR" , 1:"aa"]

for (key, value) in dict.enumerated() {
    print("Dictionary key (key) -  Dictionary value (value)")
}

Output 

Dictionary key 0 -  Dictionary value (0, "PQR")
Dictionary key 1 -  Dictionary value (1, "aa")

Count Property & isEmpty Property of a Dictionary

count property is used to count the number of elements in a dictionary. isEmpty property is used to check whether the dictionary is empty or not.

//: Playground - noun: a place where people can play

import UIKit

var dict :[Int:String] = [1:"ABC",2:"PQR",3:"XYZ"]
print("Count of element = (dict.count)")
print("Is dictionary empty  = (dict.isEmpty)")

Output 

Count of element = 3
Is dictionary empty  = false

Test your skills with these expert-led curated
Mock Tests.

C Programming Test

Test your C Programming skills with this comprehensive mock test on C Programming.

Take Test

Flutter Test

Solve most asked Interview Questions on Flutter and Test your foundational skills in flutter.

Take Test

GATE(CSE) Operating Systems

Solve most asked GATE Questions in Operating Systems and test your Gate Score.

Take Test

HTML,CSS Test

This is a mock test designed to help you assess your knowledge and skills in HTML and CSS.

Take Test

(GATE CSE) Data Structures & Algorithms Test

Solve most asked GATE Questions in Data Structures and Algorithms and test your Gate Score.

Take Test

Download the Codzify
Mobile App


Learn Anytime, Anywhere at your own pace. Scan the QR Code with your Mobile Camera to Download the Codzify Mobile App.

Codzify Mobile App Codzify Mobile App