yejineee
    • Create new note
    • Create a note from template
      • Sharing URL Link copied
      • /edit
      • View mode
        • Edit mode
        • View mode
        • Book mode
        • Slide mode
        Edit mode View mode Book mode Slide mode
      • Customize slides
      • Note Permission
      • Read
        • Only me
        • Signed-in users
        • Everyone
        Only me Signed-in users Everyone
      • Write
        • Only me
        • Signed-in users
        • Everyone
        Only me Signed-in users Everyone
      • Engagement control Commenting, Suggest edit, Emoji Reply
    • Invite by email
      Invitee

      This note has no invitees

    • Publish Note

      Share your work with the world Congratulations! 🎉 Your note is out in the world Publish Note

      Your note will be visible on your profile and discoverable by anyone.
      Your note is now live.
      This note is visible on your profile and discoverable online.
      Everyone on the web can find and read all notes of this public team.
      See published notes
      Unpublish note
      Please check the box to agree to the Community Guidelines.
      View profile
    • Commenting
      Permission
      Disabled Forbidden Owners Signed-in users Everyone
    • Enable
    • Permission
      • Forbidden
      • Owners
      • Signed-in users
      • Everyone
    • Suggest edit
      Permission
      Disabled Forbidden Owners Signed-in users Everyone
    • Enable
    • Permission
      • Forbidden
      • Owners
      • Signed-in users
    • Emoji Reply
    • Enable
    • Versions and GitHub Sync
    • Note settings
    • Note Insights
    • Engagement control
    • Transfer ownership
    • Delete this note
    • Save as template
    • Insert from template
    • Import from
      • Dropbox
      • Google Drive
      • Gist
      • Clipboard
    • Export to
      • Dropbox
      • Google Drive
      • Gist
    • Download
      • Markdown
      • HTML
      • Raw HTML
Menu Note settings Versions and GitHub Sync Note Insights Sharing URL Create Help
Create Create new note Create a note from template
Menu
Options
Engagement control Transfer ownership Delete this note
Import from
Dropbox Google Drive Gist Clipboard
Export to
Dropbox Google Drive Gist
Download
Markdown HTML Raw HTML
Back
Sharing URL Link copied
/edit
View mode
  • Edit mode
  • View mode
  • Book mode
  • Slide mode
Edit mode View mode Book mode Slide mode
Customize slides
Note Permission
Read
Only me
  • Only me
  • Signed-in users
  • Everyone
Only me Signed-in users Everyone
Write
Only me
  • Only me
  • Signed-in users
  • Everyone
Only me Signed-in users Everyone
Engagement control Commenting, Suggest edit, Emoji Reply
  • Invite by email
    Invitee

    This note has no invitees

  • Publish Note

    Share your work with the world Congratulations! 🎉 Your note is out in the world Publish Note

    Your note will be visible on your profile and discoverable by anyone.
    Your note is now live.
    This note is visible on your profile and discoverable online.
    Everyone on the web can find and read all notes of this public team.
    See published notes
    Unpublish note
    Please check the box to agree to the Community Guidelines.
    View profile
    Engagement control
    Commenting
    Permission
    Disabled Forbidden Owners Signed-in users Everyone
    Enable
    Permission
    • Forbidden
    • Owners
    • Signed-in users
    • Everyone
    Suggest edit
    Permission
    Disabled Forbidden Owners Signed-in users Everyone
    Enable
    Permission
    • Forbidden
    • Owners
    • Signed-in users
    Emoji Reply
    Enable
    Import from Dropbox Google Drive Gist Clipboard
       owned this note    owned this note      
    Published Linked with GitHub
    Subscribed
    • Any changes
      Be notified of any changes
    • Mention me
      Be notified of mention me
    • Unsubscribe
    Subscribe
    --- tags: vue --- # Vue2 컴포넌트 - 컴포넌트는 이름을 갖고 있는 재사용가능한 뷰 인스턴스이다. - HTML 엘리먼트 확장하여 재사용 가능한 코드로 캡슐화 - Vue 컴포넌트는 Vue 인스턴스이기도 하다. => 모든 옵션 객체를 사용할 수 있고, 라이프사이클 훅을 사용할 수 있다. ## 🍒 기본 예제 ```javascript // Define a new component called button-counter Vue.component('button-counter', { data: function () { return { count: 0 } }, template: '<button v-on:click="count++">You clicked me {{ count }} times.</button>' }) ``` **`new Vue`로 만든 루트 엘리먼트**를 만들고, ```javascript // root element new Vue({ el: '#components-demo' }) ``` 이 안에 컴포넌트를 추가한다. ```htmlembedded <div id="components-demo"> <button-counter></button-counter> </div> ``` **컴포넌트 또한 뷰 인스턴스** 이므로, **옵션 객체에서 쓰이는 `data`, `computed`, `watch`, `methods`와 생명주기 훅을 사용**할 수 있다. 단, 루트만 사용할 수 있는 `el`과 같은 옵션은 사용할 수 없다. ### 컴포넌트 재사용 ```htmlembedded <div id="components-demo"> <button-counter></button-counter> <button-counter></button-counter> </div> ``` 컴포넌트가 새로 생성되면, 새로운 인스턴스가 생기는 것이다. 따라서 각 컴포넌트는 가자의 데이터를 갖게 된다. ### 컴포넌트에서 data 옵션은 반드시 함수 컴포넌트를 정의할 때 `data` 옵션은 반드시 **함수**여야 한다. **이렇게 함으로써, 각 인스턴스는 각자 독립적인 데이터 객체를 관리할 수 있게 된다.** ```javascript data () { return { count: 0, }; }, ``` ### Single Root Element 모든 컴포넌트는 하나의 루트 엘리먼트를 가져야 한다. ## 🍒 컴포넌트 등록 - 전역 or 지역 앱은 헤더, 사이드바, 컨텐츠 컴포넌트 등으로 구성되어있을 것이다. 이 컴포넌트들을 템플릿으로 쓰기 위해서는 등록이 되어야 뷰가 알 수 있다. 컴포넌트는 **전역(global)과 지역(local)으로 등록할** 수 있다. ### 컴포넌트 이름 컴포넌트를 등록할 떄는 반드시 "이름"을 줘야 한다. *kebab-case* 로 이름을 지정하면, 엘리먼트에서 케밥케이스를 사용해야 한다. e.g.`<my-component-name>` ```javascript Vue.component('my-component-name', { /* ... */ }) ``` *PascalCase* 로 이름을 지정하면, 케밥케이스나 파스칼 케이스로 엘리먼트에서 사용할 수 있다. e.g.`<my-component-name>` 혹은 `<MyComponentName>`. 알아둬야 할 점은 케밥케이스가 DOM에서 직접적으로 유효한 이름이라는 것이다. 직접 해봤을 때, **Vue에 컴포넌트 등록시 파스칼 케이스**를 쓰는것이 eslint 룰인 것 같고, **엘리먼트로 사용할 때는 케밥케이스**로 사용해야 의도한 대로 이름이 지정된다. ### 전역 등록 : `Vue.component` `Vue.component`를 사용하여 전역으로 컴포넌트를 등록할 수 있다. 전역으로 등록된 컴포넌트는 **어떠한 루트 뷰 인스턴스(`new Vue`)에서도 사용**할 수 있고, 심지어 그 안에 있는 subcomponent에서도 쓸 수 있다. 즉, 이 컴포넌트끼리는 그 안에서 서로를 사용할 수 있다는 것이다. 그러나, 전역 컴포넌트로 등록하는 것은 바람직하지 않을 수있다. 전역으로 컴포넌트를 등록한다는 것은 웹팩과 같은 빌드 시스템을 사용하였을 떄, 그 컴포넌트가 그만 사용되는 경우에도, 최종 빌드된 것에는 전역 컴포넌트가 포함되어 있다는 것이다. 이는 <u>불필요하게 자바스크립트 다운로드 시간을 증가</u>시킨다. ```javascript Vue.component('component-a', { /* ... */ }) Vue.component('component-b', { /* ... */ }) Vue.component('component-c', { /* ... */ }) new Vue({ el: '#app' }) ``` ```htmlembedded <div id="app"> <component-a></component-a> <component-b></component-b> <component-c></component-c> </div> ``` ### 지역 등록 : plain js object 전역 컴포넌트의 비효율성 때문에, 지역 컴포넌트를 사용하게 된다. 지역 컴포넌트는 plain js object로 만들어지게 된다. ```javascript var ComponentA = { /* ... */ } var ComponentB = { /* ... */ } var ComponentC = { /* ... */ } ``` 컴포넌트를 만들었으면, 해당 컴포넌트를 사요하고자 하는 쪽에 `components` 옵션에 추가해야 한다. 이 때 key는 컴포넌트의 이름이고, value는 컴포넌트의 옵션객체(options object)이다. ```javascript new Vue({ el: '#app', components: { 'component-a': ComponentA, 'component-b': ComponentB } }) ``` 전역컴포넌트와 다른 점은 지역 컴포넌트는 subcomponent에서 사용할 수 없다는 것이다. CompontB에서 ComponentA를 쓰려면, 마찬가지로 `components`에 등록해야 한다. ```javascript import ComponentA from './ComponentA.vue' export default { components: { ComponentA }, // ... } ``` ### 모듈 시스템에서 지역 컴포넌트로 등록하기 **모듈 시스템에서는 `components` 폴더를 만들어서, 각 컴포넌트가 하나의 파일을 갖도록 하는게 좋다.** `ComponntB.vue`파일에서 componentA와 componentB를 import해와서 등록하면 된다. ```javascript import ComponentA from './ComponentA' import ComponentC from './ComponentC' export default { components: { ComponentA, ComponentC }, // ... } ``` ### base component를 자동으로 지역 컴포넌트로 등록하기 [예제 코드](https://github.com/bencodezen/vue-enterprise-boilerplate/blob/main/src/components/_globals.js) button, input과 같은 엘리먼트는 여러 컴포넌트에서 자주 사용하게 될 수 있다. 이를 base component라고 한다. 이 경우 `require.context`를 사용해서 전역으로 컴포넌트를 등록할 수 있다. ## 🍒 Props ![](https://i.imgur.com/JTHqBXw.png) 뷰 컴포넌트에서 부모-자식의 관계는 props는 아래로, events는 위로이다. - 네이밍 HTML 속성은 대소문자를 비교하지 않기 때문에, js에서는 camelCase를, 해당하는 HTML에는 kebab-case를 사용해야 한다. 문자열 템플릿을 사용하면 이 제한이 적용되지 않는다. ### props로 데이터 전달하기 자식 컴포넌트가 상위 컴포넌트를 직접 참조할 수 없으므로, `props` 옵션으로 데이터를 하위컴포넌트에 전달할 수 있다. ```javascript Vue.component('child', { // props 정의 props: ['message'], // 데이터와 마찬가지로 prop은 템플릿 내부에서 사용할 수 있으며 // vm의 this.message로 사용할 수 있습니다. template: '<span>{{ message }}</span>' }) ``` ```htmlembedded <child message="안녕하세요!"></child> ``` ### props에 static 값 전달하기 ```htmlembedded <blog-post title="My journey with Vue"></blog-post> ``` ### dynamic Props 전달하기 : `v-bind` 동적으로 변하는 값은 `v-bind`로 전달달해야 한다. **데이터가 상위에서 업데이트될 때마다, 하위에도 전달된다.** ```htmlembedded <!-- Dynamically assign the value of a variable --> <blog-post v-bind:title="post.title"></blog-post> <!-- Dynamically assign the value of a complex expression --> <blog-post v-bind:title="post.title + ' by ' + post.author.name" ></blog-post> ``` ### 객체의 모든 속성을 props로 전달하기 객체의 모든 속성을 props로 전달하려면, `v-bind:prop-name` 대신 `v-bind`로 전달할 수 있다. ```htmlembedded <blog-post v-bind="post"></blog-post> ``` ### 리터럴 vs 동적 - **숫자 전달하기** 숫자를 전달할 때, 리터럴하게 전달하면 일반 문자열이 전달된다. 숫자를 전달하려면 **js expression으로 평가되도록 v-bind를 사용**해야 한다. ```htmlembedded <!-- 리터럴 : 이것은 일반 문자열 "1"을 전달합니다. --> <comp some-prop="1"></comp> <!-- 동적 : 이것은 실제 숫자로 전달합니다. --> <comp v-bind:some-prop="1"></comp> ``` - **boolean 전달하기** - 어떠한 값도 넘기지 않는 것은 암시적으로 `true`를 넘기는 것이다. - false가 static하더라도, `v-bind`를 써야, 뷰가 이것이 string이 아닌 js expression으로 인식한다. => string을 넘기려는 경우를 제외하고는 다, `v-bind`를 써야하는구나. ```htmlembedded <!-- Including the prop with no value will imply `true`. --> <blog-post is-published></blog-post> <!-- Even though `false` is static, we need v-bind to tell Vue that --> <!-- this is a JavaScript expression rather than a string. --> <blog-post v-bind:is-published="false"></blog-post> <!-- Dynamically assign to the value of a variable. --> <blog-post v-bind:is-published="post.isPublished"></blog-post> ``` - **array 전달하기** - js expression인 것을 알리기 위해 v-bind로 배열을 넘겨야 한다. ```htmlembedded <!-- Even though the array is static, we need v-bind to tell Vue that --> <!-- this is a JavaScript expression rather than a string. --> <blog-post v-bind:comment-ids="[234, 266, 273]"></blog-post> ``` - ### props 검증 리액트의 propTypes처럼 prop의 타입, 필수인지 여부, 디폴트값을 설정할 수 있다. ```javascript Vue.component('example', { props: { // 기본 타입 확인 (`null` 은 어떤 타입이든 가능하다는 뜻입니다) propA: Number, // 여러개의 가능한 타입 propB: [String, Number], // 문자열이며 꼭 필요합니다 propC: { type: String, required: true }, // 숫자이며 기본 값을 가집니다 propD: { type: Number, default: 100 }, // 객체/배열의 기본값은 팩토리 함수에서 반환 되어야 합니다. propE: { type: Object, default: function () { return { message: 'hello' } } }, // 사용자 정의 유효성 검사 가능 propF: { validator: function (value) { return value > 10 } } } }) ``` type으로는 다음이 가능하다. ``` String Number Boolean Function Object Array Symbol ``` props는 컴포넌트 인스턴스가 생성되기 전에 검증되므로, default, validator 함수 내에서 data, computed, methods와 같은 인스턴스 데이터를 사용할 수 없다. ### 단방향의 데이터 흐름 모든 props는 단방향의 바인딩이다. 부모의 프로퍼티가 변경되면, 흐름이 자식 컴포넌트에게로 전달된다. 그러나, 그 반대는 해당하지 않는다. ## 🍒 자식 컴포넌트의 이벤트를 리스닝하기 - **이벤트 이름 : 케밥-케이스** ```javascript Vue.component('BlogPost', { props: ['post'], template: ` <div class='blog-post'> <h3>{{ post.title }}</h3> <button v-on:click="$emit('enlarge-text', 0.1)"> Enlarge text </button> <div v-html='post.content'></div> </div> `, }); new Vue({ el: '#blog-posts-events-demo', data: { posts: [...], postFontSize: 1, }, methods: { onEnlargeText (amount) { this.postFontSize += amount; }, }, }); ``` ```htmlembedded <div id='blog-posts-events-demo'> <div :style="{fontSize: postFontSize + 'em'}"> <blog-post v-for='post in posts' v-bind:key='post.id' v-bind:post='post' v-on:enlarge-text='onEnlargeText' > </blog-post> </div> </div> ``` **부모 컴포넌트는 자식 컴포넌트로부터 어떠한 이벤트를 리스닝할 것인지를 `v-on`으로 등록**할 수 있다. 부모 컴포넌트는 `enlarge-text`라는 이벤트를 리스닝하고 있고, 해당 이벤트 핸들러는 메소드로 등록한 onEnlargeText가 처리하게 된다. ```htmlembedded <blog-post ... v-on:enlarge-text='onEnlargeText' ></blog-post> ``` **자식 컴포넌트는 클릭 이벤트가 발생하면 `enlarge-text` 이벤트를 `emit`하여 부모 컴포넌트에게 알린다.** 이 때 부모 컴포넌트에게 값을 전달하기 위해, 두 번째 파라미터에 값을 넣어준다. ```htmlembedded <button v-on:click="$emit('enlarge-text', 0.1)"> ``` 부모 컴포넌트는 이벤트핸들러 함수의 파라미터로 값을 전달받을 수 있다. ```javascript onEnlargeText (amount) { this.postFontSize += amount; }, ``` 메소드를 사용하지 않고, 바로 이벤트 핸들러를 등록했다면, `$event`로 값을 받을 수 있다. ```htmlembedded <blog-post ... v-on:enlarge-text="postFontSize += $event" ></blog-post> ``` ## 🍒 v-model을 컴포넌트에서 사용하기 인풋을 쓸 때 `v-model`을 사용하였다. ```htmlembedded <input v-model="searchText"> ``` v-model을 컴포넌트에서 사용할 때 동작하는 방식은 이러하다. ```htmlembedded <custom-input v-bind:value="searchText" v-on:input="searchText = $event" ></custom-input> ``` 이게 동작하기 위해서 컴포넌트 내부에 있는 `<input>`은 반드시 다음을 수행해야 한다. - `value` 속성을 `value` prop과 bind시켜야 한다. - `input`에 새로운 값($event)과 함께 커스텀 인풋 이벤트를 emit해야 한다. 액션 내에서는 다음과 같다. ```javascript Vue.component('custom-input', { props: ['value'], template: ` <input v-bind:value="value" v-on:input="$emit('input', $event.target.value)" > ` }) ``` 컴포넌트에서는 `v-model`을 이렇게 사용하면, 완벽히 동작하게 된다. ```htmlembedded <custom-input v-model="searchText"></custom-input> ``` ## 🍒 동적 컴포넌트 `<component>` tab을 생각해보면, 동적으로 컴포넌트들이 변경되는 것을 알 수 있다. 이것은 뷰의 `<component>` 엘리먼트와 `is` 속성으로 가능하다. [코드샌드박스 예제](https://codesandbox.io/s/github/vuejs/vuejs.org/tree/master/src/v2/examples/vue-20-dynamic-components) ### 동적 컴포넌트 `keep-alive` `is`를 사용해서 탭을 이동하게 했을 때, 뷰는 새로운 인스턴스를 만들기 때문에 이전 컴포넌트에서의 state는 저장되지 않는다. 처음 인스턴스가 생성된 후로, 컴포넌트 인스턴스를 캐쉬하고 싶을 경우엔 동적 컴포넌트를 `<keep-alive>` 엘리먼트로 감싸주면 된다. ```htmlembedded <keep-alive> <component v-bind:is="currentTabComponent"></component> </keep-alive> ``` keep-alive를 사용할 때는 컴포넌트 간의 스위칭은 이름으로 이루어져야 한다. 즉, 컴포넌트의 `name` option이나, local/global 등록을 통해 이루어져야 한다.

    Import from clipboard

    Paste your markdown or webpage here...

    Advanced permission required

    Your current role can only read. Ask the system administrator to acquire write and comment permission.

    This team is disabled

    Sorry, this team is disabled. You can't edit this note.

    This note is locked

    Sorry, only owner can edit this note.

    Reach the limit

    Sorry, you've reached the max length this note can be.
    Please reduce the content or divide it to more notes, thank you!

    Import from Gist

    Import from Snippet

    or

    Export to Snippet

    Are you sure?

    Do you really want to delete this note?
    All users will lose their connection.

    Create a note from template

    Create a note from template

    Oops...
    This template has been removed or transferred.
    Upgrade
    All
    • All
    • Team
    No template.

    Create a template

    Upgrade

    Delete template

    Do you really want to delete this template?
    Turn this template into a regular note and keep its content, versions, and comments.

    This page need refresh

    You have an incompatible client version.
    Refresh to update.
    New version available!
    See releases notes here
    Refresh to enjoy new features.
    Your user state has changed.
    Refresh to load new user state.

    Sign in

    Forgot password

    or

    By clicking below, you agree to our terms of service.

    Sign in via Facebook Sign in via Twitter Sign in via GitHub Sign in via Dropbox Sign in with Wallet
    Wallet ( )
    Connect another wallet

    New to HackMD? Sign up

    Help

    • English
    • 中文
    • Français
    • Deutsch
    • 日本語
    • Español
    • Català
    • Ελληνικά
    • Português
    • italiano
    • Türkçe
    • Русский
    • Nederlands
    • hrvatski jezik
    • język polski
    • Українська
    • हिन्दी
    • svenska
    • Esperanto
    • dansk

    Documents

    Help & Tutorial

    How to use Book mode

    Slide Example

    API Docs

    Edit in VSCode

    Install browser extension

    Contacts

    Feedback

    Discord

    Send us email

    Resources

    Releases

    Pricing

    Blog

    Policy

    Terms

    Privacy

    Cheatsheet

    Syntax Example Reference
    # Header Header 基本排版
    - Unordered List
    • Unordered List
    1. Ordered List
    1. Ordered List
    - [ ] Todo List
    • Todo List
    > Blockquote
    Blockquote
    **Bold font** Bold font
    *Italics font* Italics font
    ~~Strikethrough~~ Strikethrough
    19^th^ 19th
    H~2~O H2O
    ++Inserted text++ Inserted text
    ==Marked text== Marked text
    [link text](https:// "title") Link
    ![image alt](https:// "title") Image
    `Code` Code 在筆記中貼入程式碼
    ```javascript
    var i = 0;
    ```
    var i = 0;
    :smile: :smile: Emoji list
    {%youtube youtube_id %} Externals
    $L^aT_eX$ LaTeX
    :::info
    This is a alert area.
    :::

    This is a alert area.

    Versions and GitHub Sync
    Get Full History Access

    • Edit version name
    • Delete

    revision author avatar     named on  

    More Less

    Note content is identical to the latest version.
    Compare
      Choose a version
      No search result
      Version not found
    Sign in to link this note to GitHub
    Learn more
    This note is not linked with GitHub
     

    Feedback

    Submission failed, please try again

    Thanks for your support.

    On a scale of 0-10, how likely is it that you would recommend HackMD to your friends, family or business associates?

    Please give us some advice and help us improve HackMD.

     

    Thanks for your feedback

    Remove version name

    Do you want to remove this version name and description?

    Transfer ownership

    Transfer to
      Warning: is a public team. If you transfer note to this team, everyone on the web can find and read this note.

        Link with GitHub

        Please authorize HackMD on GitHub
        • Please sign in to GitHub and install the HackMD app on your GitHub repo.
        • HackMD links with GitHub through a GitHub App. You can choose which repo to install our App.
        Learn more  Sign in to GitHub

        Push the note to GitHub Push to GitHub Pull a file from GitHub

          Authorize again
         

        Choose which file to push to

        Select repo
        Refresh Authorize more repos
        Select branch
        Select file
        Select branch
        Choose version(s) to push
        • Save a new version and push
        • Choose from existing versions
        Include title and tags
        Available push count

        Pull from GitHub

         
        File from GitHub
        File from HackMD

        GitHub Link Settings

        File linked

        Linked by
        File path
        Last synced branch
        Available push count

        Danger Zone

        Unlink
        You will no longer receive notification when GitHub file changes after unlink.

        Syncing

        Push failed

        Push successfully