angular2 뷰 템플릿의 열거 형 전달


122

angular2 뷰 템플릿에서 열거 형을 사용할 수 있습니까?

<div class="Dropdown" dropdownType="instrument"></div>

문자열을 입력으로 전달합니다.

enum DropdownType {
    instrument,
    account,
    currency
}

@Component({
    selector: '[.Dropdown]',
})
export class Dropdown {

    @Input() public set dropdownType(value: any) {

        console.log(value);
    };
}

그러나 열거 형 구성을 전달하는 방법은 무엇입니까? 템플릿에 다음과 같은 것을 원합니다.

<div class="Dropdown" dropdownType="DropdownType.instrument"></div>

모범 사례는 무엇입니까?

편집 됨 : 예제 생성 :

import {bootstrap} from 'angular2/platform/browser';
import {Component, View, Input} from 'angular2/core';

export enum DropdownType {

    instrument = 0,
    account = 1,
    currency = 2
}

@Component({selector: '[.Dropdown]',})
@View({template: ''})
export class Dropdown {

    public dropdownTypes = DropdownType;

    @Input() public set dropdownType(value: any) {console.log(`-- dropdownType: ${value}`);};
    constructor() {console.log('-- Dropdown ready --');}
}

@Component({ selector: 'header' })
@View({ template: '<div class="Dropdown" dropdownType="dropdownTypes.instrument"> </div>', directives: [Dropdown] })
class Header {}

@Component({ selector: 'my-app' })
@View({ template: '<header></header>', directives: [Header] })
class Tester {}

bootstrap(Tester);

2
유사하지만, 허용 하나보다 간단하지만 아래의 답변을 모두보다 더 나은은 다음과 같습니다 stackoverflow.com/a/42464835/358578은
pbarranis

답변:


131

상위 구성 요소의 열거 형 속성을 구성 요소 클래스에 만들고 열거 형을 할당 한 다음 템플릿에서 해당 속성을 참조합니다.

export class Parent {
    public dropdownTypes = DropdownType;        
}

export class Dropdown {       
    @Input() public set dropdownType(value: any) {
        console.log(value);
    };
}

이를 통해 템플릿에서 예상대로 열거 형을 열거 할 수 있습니다.

<div class="Dropdown" [dropdownType]="dropdownTypes.instrument"></div>

2
업데이트에 따라 열거 속성 선언을 부모 구성 요소로 이동하십시오.
David L

오, 물론 그 맥락에서 가져옵니다.
McLac

8
다시 한 번, 반대 투표자, 동의하지 않을 경우이 답변을 개선 할 수있는 방법에 대한 피드백을 제공하십시오.
David L

1
누군가 그것을 작동시키기 위해 고군분투하는 경우, 위 코드의 "setDropDownType ()"이 아니라 "set dropdownType ()"이라는 점에 유의하십시오. 그것을 보는 데 시간이 걸렸습니다. 그래도 멤버 변수와 함께 작동합니다.
murrayc

2
확신 dropdownType템플릿에 양쪽에 대괄호가 있어야합니다 (그래서 등이 : [dropdownType]) 그것은 VAR 아니라 텍스트를 소요하기 때문이다.
Tom

169

열거 형 만들기

enum ACTIVE_OPTIONS {
    HOME = 0,
    USERS = 1,
    PLAYERS = 2
}

반드시 당신의 열거 목록에있을 것입니다 수, 구성 요소를 만들기 대해서 typeof를

export class AppComponent {
    ACTIVE_OPTIONS = ACTIVE_OPTIONS;
    active:ACTIVE_OPTIONS;
}

보기 만들기

<li [ngClass]="{'active':active==ACTIVE_OPTIONS.HOME}">
    <a router-link="/in">
    <i class="fa fa-fw fa-dashboard"></i> Home
    </a>
</li>

4
허용되는 것보다 더 나은 솔루션. 새로운 TS 기능을 사용하는 것 같습니다.
Greg Dan

2
전문가가 아니므로이 솔루션이 항상 David L.의 솔루션보다 낫습니까? 이것은 코드 줄이 덜 필요하지만 메모리 사용량 측면에서 호스트 구성 요소 클래스의 인스턴스 당 하나의 목록을 생성 할 수 있습니다. 그리고 이것이 사실이라면 (그렇다고 말하지 않습니다!), 다음과 같은 경우에는 별 문제가 없습니다. AppComponent를 처리하지만 CustomerComponent 또는 더 반복적 인 경우 솔루션이 최고가 아닐 수 있습니다. 내가 맞아?
Rui Pimentel

2
html을 다음과 같이 업데이트 할 수 있습니다. [class.active] = "active === ACTIVE_OPTIONS.HOME"
Neil

6
이것이 허용되는 솔루션 @GregDan보다 더 나은 방법과 이유는 무엇입니까?
Aditya Vikas Devarapalli

1
아 디트는, 그것이 :) 그 이유를 만들려고 하나 개의 클래스하지 2. 나는 부모 클래스가 있고,하지 않는 포함한다는, 간단한 이유 더
유리 Gridin

13

Enum 이름을 얻으려면 :

export enum Gender {
       Man = 1,
       Woman = 2
   }

그런 다음 구성 요소 파일에서

public gender: typeof Gender = Gender;

템플릿에서

<input [value]="gender.Man" />

2

아마 당신은 이것을 할 필요가 없습니다.

예를 들어 Numeric Enum에서 :

export enum DropdownType {
    instrument = 0,
    account = 1,
    currency = 2
}

HTML 템플릿에서 :

<div class="Dropdown" [dropdownType]="1"></div>

결과: dropdownType == DropdownType.account

또는 문자열 열거 형 :

export enum DropdownType {
    instrument = "instrument",
    account = "account",
    currency = "currency"
}
<div class="Dropdown" [dropdownType]="'currency'"></div>

결과: dropdownType == DropdownType.currency


Enum 이름을 얻으려면 :

val enumValue = DropdownType.currency
DropdownType[enumValue] //  print "currency", Even the "numeric enum" is also. 

1
열거 형 순서를 변경하면 HTML이 잘못 될 것입니다. 나는 이것이 좋은 접근 방식이 아니라고 생각합니다
André Roggeri Campos
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.