[Swift]프로그래밍 패러다임이란? #1 명령형 프로그래밍 VS 선언형 프로그래밍

Eric·2022년 10월 9일
1
post-thumbnail
post-custom-banner

도입부

프로그래밍 언어를 공부하다보면 객체 지향 프로그래밍, 함수형 프로그래밍 등과 같은 OO 지향 프로그래밍, OO형 프로그래밍이라는 단어를 한번쯤은 보게 될 것이다.
WWDC 2015에서 Swift를 프로토콜 지향 프로그래밍을 차용한 언어라고 말하기도 하였다.
이 단어들이 의미하는 것은 각 언어가 차용하고 있는 프로그래밍 패러다임이다.


프로그래밍 패러다임(Programming Paradigm)?

어렵게 다가올 수 있지만 각 단어별로 사전적 의미를 살펴보면 이해가 쉽다.

프로그래밍(Programming)

컴퓨터의 프로그램을 작성하는 일. 일반적으로는 프로그램의 작성 방법의 결정, 코딩(coding), 에러 수정 등의 작업 모두를 가리키지만 코딩만을 가리킬 때도 있음.

패러다임(paradigm)

한 시대의 사람들의 견해나 사고를 근본적으로 규정하고 있는 인식의 체계. 또는, 사물에 대한 이론적인 틀이나 체계

쉽게 말해 프로그래밍 패러다임
‘프로그램을 작성하는 체계’, 즉 ‘코딩을 하는 체계’를 의미하는 것임을 알 수 있다.
각 언어마다 차용하는 프로그래밍 패러다임이 달라 코드를 짜는 규칙이 조금씩 다르다.

다중 패러다임 프로그래밍 언어(Multi-Paradigm Languages)

반드시 한 언어에서 하나의 패러다임을 채택해야하는 것은 아니다.
이미 최소 두 가지에서 최대 여덟 가지의 패러다임을 차용한 다양한 언어들이 존재한다.
애플에서 발표한 Swift도 3가지의 패러다임(객체지향, 프로토콜 지향, 함수형)을 차용하고 있는 다중 패러다임 프로그래밍 언어이다.


프로그래밍 패러다임의 종류

프로그래밍 패러다임의 종류는 매우 다양하지만, 대표적으로( 그리고 Swift가 차용한) 몇가지의 프로그래밍 패러다임을 살펴보자.

명령형 프로그래밍과 선언형 프로그래밍

일단 크게 명령형 프로그래밍선언형 프로그래밍으로 나눌 수 있다.

명령형 프로그래밍은 ‘어떻게’ 할 것인가에 가깝고,
선언형 프로그래밍은 ‘무엇을’ 할 것인가에 가깝다.

머리가 더 아파진 거 같지만 끝까지 보면 이해할 수 있을거라 믿고, 아래 예제를 보자.

  • 명령형 프로그래밍
// 파라미터로 받은 배열의 각 요소를 제곱하는 함수이다.
func square(_ intArray: [Int]) -> [Int] {
    var squaredResult: [Int] = []
    
// squaredResult 배열에 intArray 배열의 각 요소를 제곱해서 넣어줘
    for i in 0..<intArray.count {
        squaredResult.append(intArray[i] * intArray[i])
    }
    
    return squaredResult
}
// 파라미터로 받은 배열의 각 요소를 더하는 함수이다.
func add(_ intArray: [Int]) -> Int {
    var addedResult: Int = 0
    
// addedResult 프로퍼티에 intArray 배열의 각 요소를 더해줘
    for i in 0..<intArray.count {
        addedResult += intArray[i]  
    }
    return addedResult 
} 

이 두 예제에는 공통점이 있다.

1. 각 함수가 원하는 기능을 수행하는 방법을 단계적으로 설명한다.
2. 프로그램의 상태를 변경하는 문장을 사용하고 있다.

첫 번째 예제에서는 for문에서 제곱을 하는 방법을 설명하고 있기도 하고( 1. ),
squaredResult라는 정수형 배열을 만든 뒤 수정하고 있기도 하다.( 2. )

두 번째 예제에서도 for문에서 배열의 각 요소를 더하는 방법을 설명하고 있고( 1. ),
addedResult라는 정수 타입의 프로퍼티를 만든 뒤 수정하고 있다.( 2. )

이 특징들은 선언형 프로그래밍과 대조되는 명령형 프로그래밍의 특징이다.

그렇다면 이번엔 선언형 프로그래밍의 시선으로 아래 예제들이 위 두가지 특징을 만족하는지 관찰해보자.

func square(_ intArray: [Int]) -> [Int] {
    return intArray.map{ $0 * $0 }
} 
func add(_ intArray: [Int]) -> Int {
    return intArray.reduce(0) { $0 + $1 }
}

Swift에 내장되어 있는 mapreduce 메서드를 이용했다.
이 예제들을 보면 어떻게 제곱하는지, 어떻게 더하는지 설명하고 있지 않다.
단지 무엇(제곱을, 덧셈을)을 해달라고 서술하고 있다.
그리고 프로그램의 상태도 변경하고 있지 않다.
그럼에도 제곱이 되고, 덧셈이 되고 있는데 사실 mapreduce 메서드는 이미 명령형 방식으로 코드가 작성되어있어서 그렇다. 단지 map, reduce 라는 이름으로 추상화된 것 뿐이다.

파라미터로 받은 배열(intArray)이 수정되면 프로그램의 상태가 변하는 거 아닌가요?

위 예제들만 보면 map 메서드와 square 메서드가 intArray 배열의 요소들을 바꿀 수도 있겠다는 생각이 든다.
후에 더 자세히 다루겠지만 map, reduce는 기존의 데이터를 수정하지 않는다.

func square(_ intArray: [Int]) -> [Int] {
    return intArray.map{ $0 * $0 }
} 
func add(_ intArray: [Int]) -> Int {
    return intArray.reduce(0) { $0 + $1 }
}

let numArray = [2, 4, 6, 8, 10]

print(square(numArray)) // [4, 16, 36, 64, 100]
print(numArray) // [2, 4, 6, 8, 10]

print(add(numArray)) // 30
print(numArray) // [2, 4, 6, 8, 10]

square 하고 add 해도 numArray 배열의 요소는 그대로인걸 확인 할 수 있다.

명령형 프로그래밍과 선언형 프로그래밍의 차이를 설명할 때 요리 레시피로 빗대어 설명하기도 한다.

명령형 프로그래밍의 관점으로 라면을 끓이는 순서를 설명하면,

1. 냄비에 물 550mL를 넣는다.
2. 물을 100C°까지 가열한다.
3. 100C°에 도달하면 스프,, 건더기스프 순서로 냄비 안에 넣고, 
   50초 뒤 계란을 푼다.
4. 계란이 반숙 상태가 되면 return 라면
선언형 프로그래밍의 관점으로 라면을 끓이면,

(라면 레시피를 주며)

1. 라면을 주세요. return 라면

참고

https://boxfoxs.tistory.com/430

잘못된 내용이 있다면 어떤 방식으로든 피드백 부탁드립니다.

profile
IOS Developer DreamTree
post-custom-banner

78개의 댓글

comment-user-thumbnail
2024년 8월 18일

I found this is an informative and interesting post so i think so it is very useful and knowledgeable. I would like to thank you for the efforts you have made in writing this article. Microgreens

답글 달기
comment-user-thumbnail
2024년 8월 22일

We notion it really is a good idea to publish could anyone was initially having issues searching for however , My organization is a bit of dubious just have always been allowed to insert leaders together with contact regarding at this point. https://www.otsnews.co.uk/smart-approaches-to-short-term-rental-management/

답글 달기
comment-user-thumbnail
2024년 8월 24일

In the form of Inexperienced, Now i'm once and for good seeking via the internet just for articles or reviews which has been about help others. With thanks. skills delevopment company

답글 달기
comment-user-thumbnail
2024년 8월 24일

Just admiring your work and wondering how you managed this blog so well. It’s so remarkable that I can't afford to not go through this valuable information whenever I surf the internet! 한게임머니상

답글 달기
comment-user-thumbnail
2024년 8월 27일

Great article, Thanks a lot pertaining to expressing This specific know-how. Outstandingly prepared content, only when most web owners presented a similar a higher level written content because you, the world wide web has to be superior position. Remember to continue! Online chili beer

답글 달기
comment-user-thumbnail
2024년 9월 3일

I actually pleasantly surprised together with the study you actually manufactured to make this special upload unbelievable. Excellent hobby! Dubai monthly rental apartment

답글 달기
comment-user-thumbnail
2024년 9월 5일

I'm glad I found this web site, I couldn't find any knowledge on this matter prior to.Also operate a site and if you are ever interested in doing some visitor writing for me if possible feel free to let me know, im always look for people to check out my web site. jfk car service

답글 달기
comment-user-thumbnail
2024년 9월 8일

I am very much pleased with the contents you have mentioned. I wanted to thank you for this great article. Jordan 4 frozen

답글 달기
comment-user-thumbnail
2024년 9월 9일

Genuinely reliable, wonderful, fact-filled data below. Your current blogposts Do not ever let down, knowning that surely holds true below also. Anyone often create a unique go through. Could you explain to I am just satisfied?: )#) Carry on the fantastic content. Nigeria Real Estate

답글 달기
comment-user-thumbnail
2024년 9월 10일

In today's fast-paced digital world, staying updated with the latest trends, news, and job opportunities is crucial for individuals and businesses alike. The term "LatestPosting" has gained significant attention, symbolizing a new wave of instant updates, content sharing, and job alerts that cater to our demand for real-time information. Whether it's a news update, a blog post, or a job listing, the concept of LatestPosting is transforming how we consume and engage with information. This article explores what LatestPosting means, its impact on various industries, and how it is shaping the future of digital communication https://latestposting.com/

답글 달기
comment-user-thumbnail
2024년 9월 11일

Sustain the great do the job, When i understand several threads within this web page in addition to I'm sure that a world-wide-web blog site is usually authentic useful possesses bought bags connected with excellent facts. Check Cashing Insight

답글 달기
comment-user-thumbnail
2024년 9월 21일

This unique is a fantastic put up I just spotted using show it again. Suggest whatever I wanted to ascertain optimism through forthcoming you are likely to remain for the purpose of showing this terrific put up.발로란트 듀오

답글 달기
comment-user-thumbnail
2024년 9월 23일

Yes i am totally agreed with this article and i just want say that this article is very nice and very informative article.I will make sure to be reading your blog more. You made a good point but I can't help but wonder, what about the other side? !!!!!!Thanksbarbarian dnd

답글 달기
comment-user-thumbnail
2024년 9월 26일

I dont leave a lot of comments on a lot of blogs each week but i felt i had to here. A hard-hitting post. 슬롯사이트

답글 달기
comment-user-thumbnail
2024년 9월 26일

It is an excellent blog, I have ever seen. I found all the material on this blog utmost unique and well written. And, I have decided to visit it again and again. sportnews654.com

답글 달기
comment-user-thumbnail
2024년 9월 29일

I think this is an informative post and it is very useful and knowledgeable. therefore, I would like to thank you for the efforts you have made in writing this article. เว็บสล็อตใหม่ล่าสุด

답글 달기
comment-user-thumbnail
2024년 9월 29일

Thanks for taking the time to discuss this, I feel strongly about it and love learning more on this topic. If possible, as you gain expertise, would you mind updating your blog with extra information? It is extremely helpful for me. Coverlock

답글 달기
comment-user-thumbnail
2024년 9월 30일

I was reading some of your content on this website and I conceive this internet site is really informative ! Keep on putting up. reviews on Google

답글 달기
comment-user-thumbnail
2024년 10월 1일

Hello I am so delighted I located your blog, I really located you by mistake, while I was watching on google for something else, Anyways I am here now and could just like to say thank for a tremendous post and a all round entertaining website. Please do keep up the great work. Identity theft companies

답글 달기
comment-user-thumbnail
2024년 10월 3일

Wonderful article. Fascinating to read. I love to read such an excellent article. Thanks! It has made my task more and extra easy. Keep rocking. barrier gate oem

답글 달기
comment-user-thumbnail
2024년 10월 6일

Wow i can say that this is another great article as expected of this blog.Bookmarked this site.. เว็บตรง

답글 달기
comment-user-thumbnail
2024년 10월 6일

That is really nice to hear. thank you for the update and good luck.สล็อตเว็บตรง

답글 달기
comment-user-thumbnail
2024년 10월 9일

Any movies is normally outstanding. You've gotten a lot of particularly as good writers and singers. Document prefer you will the best quality about financial success. Family Photography Near Me Sherwood Park

답글 달기
comment-user-thumbnail
2024년 10월 9일

I’m influenced using the surpassing as well as preachy itemizing that you simply provide such small timing. toto macau

답글 달기
comment-user-thumbnail
2024년 10월 9일

I’m influenced using the surpassing as well as preachy itemizing that you simply provide such small timing. 토토사이트

답글 달기
comment-user-thumbnail
2024년 10월 12일

This is a brilliant blog! I'm very happy with the comments!.. apex trader funding review

답글 달기
comment-user-thumbnail
2024년 10월 12일

What a fantabulous post this has been. Never seen this kind of useful post. I am grateful to you and expect more number of posts like these. Thank you very much. otak empire

답글 달기
comment-user-thumbnail
2024년 10월 12일

Thanks for another excellent post. Where else could anybody get that type of info in such an ideal way of writing? In my opinion, my seeking has ended now.Dultogel Login

답글 달기
comment-user-thumbnail
2024년 10월 12일

You have done a great job on this article. It’s very readable and highly intelligent. You have even managed to make it understandable and easy to read. You have some real writing talent. Thank you.鍵屋

답글 달기
comment-user-thumbnail
2024년 10월 13일

I got what you mean , thanks for posting .Woh I am happy to find this website through google. ufx789

답글 달기
comment-user-thumbnail
2024년 10월 13일

This is a brilliant blog! I'm very happy with the comments!.. forex robot trader

답글 달기
comment-user-thumbnail
2024년 10월 13일

Hey what a brilliant post I have come across and believe me I have been searching out for this similar kind of post for past a week and hardly came across this. Thank you very much and will look for more postings from you. olxtoto

답글 달기
comment-user-thumbnail
2024년 10월 14일

This is my first time visit here. From the tons of comments on your articles,I guess I am not only one having all the enjoyment right here! situs bola

답글 달기
comment-user-thumbnail
2024년 10월 15일

Nice to read your article! I am looking forward to sharing your adventures and experiences. 51 club game

답글 달기
comment-user-thumbnail
2024년 10월 15일

I recently came across your blog and have been reading along. I thought I would leave my first comment. I don’t know what to say except that I have enjoyed reading. uncensored ai

답글 달기
comment-user-thumbnail
2024년 10월 15일

I got what you mean , thanks for posting .Woh I am happy to find this website through google. 서든핵

답글 달기
comment-user-thumbnail
2024년 10월 15일

I have read your article couple of times because your views are on my own for the most part. It is great content for every reader. kantor bola

답글 달기
comment-user-thumbnail
2024년 10월 20일

That is the excellent mindset, nonetheless is just not help to make every sence whatsoever preaching about that mather. Virtually any method many thanks in addition to i had endeavor to promote your own article in to delicius nevertheless it is apparently a dilemma using your information sites can you please recheck the idea. thanks once more. 축구 무료 중계

답글 달기
comment-user-thumbnail
2024년 10월 23일

Pretty good post. I just stumbled upon your blog and wanted to say that I have really enjoyed reading your blog posts. Any way I'll be subscribing to your feed and I hope you post again soon. Big thanks for the useful info. 슬롯사이트

답글 달기
comment-user-thumbnail
2024년 10월 23일

This was really an interesting topic and I kinda agree with what you have mentioned here! get more info

답글 달기
comment-user-thumbnail
2024년 10월 23일

This is highly informatics, crisp and clear. I think that everything has been described in systematic manner so that reader could get maximum information and learn many things. Research materials

답글 달기
comment-user-thumbnail
2024년 10월 23일

The post is written in very a good manner and it contains many useful information for me. 바카라사이트

답글 달기
comment-user-thumbnail
2024년 10월 24일

Very informative post! There is a lot of information here that can help any business get started with a successful social バーチャルオフィス 東京 格安networking campaign.

답글 달기
comment-user-thumbnail
2024년 10월 24일

Great post, and great website. Thanks for the information! Persatuan Ahli Farmasi Indonesia

답글 달기
comment-user-thumbnail
2024년 10월 27일

Great survey, I'm sure you're getting a great response. flat chastity cage

답글 달기
comment-user-thumbnail
2024년 10월 31일

Thank you because you have been willing to share information with us. we will always appreciate all you have done here because I know you are very concerned with our. 대전출장마사지

Thank you because you have been willing to share information with us. we will always appreciate all you have done here because I know you are very concerned with our. 광주출장마사지

Thank you because you have been willing to share information with us. we will always appreciate all you have done here because I know you are very concerned with our. 대전출장마사지

Thank you because you have been willing to share information with us. we will always appreciate all you have done here because I know you are very concerned with our. 서울출장마사지

답글 달기
comment-user-thumbnail
2024년 11월 3일

Thank you for some other informative website. The place else may just I get that kind of information written in such a perfect method? I have a venture that I am simply now running on, and I’ve been at the glance out for such info. 슬롯사이트

답글 달기
comment-user-thumbnail
2024년 11월 4일

Please let me know if you’re looking for a article writer for your site. You have some really great posts and I feel I would be a good asset. If you ever want to take some of the load off, I’d absolutely love to write some material for your blog in exchange for a link back to mine. Please send me an email if interested. Thank you!슬롯사이트

답글 달기
comment-user-thumbnail
2024년 11월 4일

Thank you for some other informative website. The place else may just I get that kind of information written in such a perfect method? I have a venture that I am simply now running on, and I’ve been at the glance out for such info. slot online terpercaya

답글 달기
comment-user-thumbnail
2024년 11월 4일

Very useful info. Hope to see more posts soon!.slot online terpercaya

답글 달기
comment-user-thumbnail
2024년 11월 5일

Thank you for some other informative website. The place else may just I get that kind of information written in such a perfect method? I have a venture that I am simply now running on, and I’ve been at the glance out for such info. slot demo

답글 달기
comment-user-thumbnail
2024년 11월 5일

Wow, cool post. I’d like to write like this too – taking time and real hard work to make a great article… but I put things off too much and never seem to get started. Thanks though. 슬롯사이트

답글 달기
comment-user-thumbnail
2024년 11월 5일

Thank you very much for writing such an interesting article on this topic. This has really made me think and I hope to read more. here

답글 달기
comment-user-thumbnail
2024년 11월 5일

Wow, cool post. I’d like to write like this too – taking time and real hard work to make a great article… but I put things off too much and never seem to get started. Thanks though. reference material

답글 달기
comment-user-thumbnail
2024년 11월 5일

Nice to be visiting your blog again, it has been months for me. Well this article that i’ve been waited for so long. I need this article to complete my assignment in the college, and it has same topic with your article. Thanks, great share.slot demo

답글 달기
comment-user-thumbnail
2024년 11월 5일

I have a hard time describing my thoughts on content, but I really felt I should here. Your article is really great. I like the way you wrote this information. 메이저사이트

답글 달기
comment-user-thumbnail
2024년 11월 5일

I have a hard time describing my thoughts on content, but I really felt I should here. Your article is really great. I like the way you wrote this information. information

답글 달기
comment-user-thumbnail
2024년 11월 5일

I have a hard time describing my thoughts on content, but I really felt I should here. Your article is really great. I like the way you wrote this information. information

답글 달기
comment-user-thumbnail
2024년 11월 5일

I am continually amazed by the amount of information available on this subject. What you presented was well researched and well worded in order to get your stand on this across to all your readers. click here

답글 달기
comment-user-thumbnail
2024년 11월 5일

Wow, cool post. I’d like to write like this too – taking time and real hard work to make a great article… but I put things off too much and never seem to get started. Thanks though. read more

답글 달기
comment-user-thumbnail
2024년 11월 5일

I am continually amazed by the amount of information available on this subject. What you presented was well researched and well worded in order to get your stand on this across to all your readers. 토토24

답글 달기
comment-user-thumbnail
2024년 11월 5일

Thank you because you have been willing to share information with us. we will always appreciate all you have done here because I know you are very concerned with our. 團體服外套

답글 달기
comment-user-thumbnail
2024년 11월 5일

Thank you because you have been willing to share information with us. we will always appreciate all you have done here because I know you are very concerned with our. 公司制服

답글 달기
comment-user-thumbnail
2024년 11월 5일

very interesting post.this is my first time visit here.i found so mmany interesting stuff in your blog especially its discussion..thanks for the post! iron tv pro

답글 달기
comment-user-thumbnail
2024년 11월 5일

Thank you because you have been willing to share information with us. we will always appreciate all you have done here because I know you are very concerned with our. iron tv pro

답글 달기
comment-user-thumbnail
7일 전

I admire this article for the well-researched content and excellent wording. I got so involved in this material that I couldn’t stop reading. I am impressed with your work and skill. Thank you so much. 레플리카 쇼핑몰

답글 달기
comment-user-thumbnail
7일 전

Thanks so much for sharing this awesome info! I am looking forward to see more postsby you! 명품 이미테이션

답글 달기
comment-user-thumbnail
6일 전

I wanted to thank you for this excellent read!! I definitely loved every little bit of it. I have you bookmarked your site to check out the new stuff you post.buy a small business

답글 달기
comment-user-thumbnail
6일 전

Great knowledge, do anyone mind merely reference back to itbuy a small business

답글 달기

This is a smart blog. I mean it. You have so much knowledge about this issue, and so much passion. You also know how to make people rally behind it, obviously from the responses. oddigo all303 slot oddigo topup chip domino

답글 달기

A very awesome blog post. We are really grateful for your blog post. You will find a lot of approaches after visiting your post. bandar togel

답글 달기

You completed a few fine points there. I did a search on the subject and found nearly all persons will go along with with your blog. oddigo all303 slot oddigo topup chip domino

답글 달기

Im no expert, but I believe you just made an excellent point. You certainly fully understand what youre speaking about, and I can truly get behind that. koitoto slot

답글 달기

Thanks for taking the time to discuss this, I feel strongly that love and read more on this topic. If possible, such as gain knowledge, would you mind updating your blog with additional information? It is very useful for me. 5e point buy

답글 달기

Keep up the good work , I read few posts on this web site and I conceive that your blog is very interesting and has sets of fantastic information. blog profits

답글 달기

I am happy to find this post Very useful for me, as it contains lot of information. I Always prefer to read The Quality and glad I found this thing in you post. ThanksSkrota bil

답글 달기

Please let me know if you’re looking for a article writer for your site. You have some really great posts and I feel I would be a good asset. If you ever want to take some of the load off, I’d absolutely love to write some material for your blog in exchange for a link back to mine. Please send me an email if interested. Thank you!Skrota bil

답글 달기
comment-user-thumbnail
약 12시간 전

I like your post. It is good to see you verbalize from the heart and clarity on this important subject can be easily observed... prostavive

답글 달기