遍历枚举时如何排除命名空间函数?

How do i exclude namespace functions when iterating over an enum?

我有以下代码

export enum JournalEntryType {
    ORDINARY_JOURNAL_ENTRY = 'ORDINARY_JOURNAL_ENTRY',
    PLANT_TRANSPLANTED = 'PLANT_TRANSPLANTED',
    SOW_SEEDS = 'SOW_SEEDS',
    SEEDS_GERMINATED = 'SEEDS_GERMINATED',
    PLANT_BLOSSOMS = 'PLANT_BLOSSOMS',
    FRUIT_SETTING = 'FRUIT_SETTING',
    FRUIT_CHANGED_COLOR = 'FRUIT_CHANGED_COLOR',
    HARVEST = 'HARVEST',
    ANIMAL_SIGHTING = 'ANIMAL_SIGHTING'
}

export namespace JournalEntryType{
    export function getJournalEntryTypeColor(journalEntryType: string): string{
        switch(journalEntryType){
            case JournalEntryType.ORDINARY_JOURNAL_ENTRY.toString(): return '#FFFFFF';
            case JournalEntryType.PLANT_TRANSPLANTED.toString(): return '#8B4513';
            case JournalEntryType.SOW_SEEDS.toString(): return '#D2691E';
            case JournalEntryType.SEEDS_GERMINATED.toString(): return '#7CFC00';
            case JournalEntryType.PLANT_BLOSSOMS.toString(): return '#FFB6C1';
            case JournalEntryType.FRUIT_SETTING.toString(): return '#FF69B4';
            case JournalEntryType.FRUIT_CHANGED_COLOR.toString(): return '#ff1493';
            case JournalEntryType.HARVEST.toString(): return '#DC143C';
            case JournalEntryType.ANIMAL_SIGHTING.toString(): return '#800080';
            default: throw new Error();
        }
    }
}

当我遍历 JournalEntryType 并像这样记录每个值时:

for(let journalType in JournalEntryType){
    console.log(journalType);
}

打印的最后一个值不是 ANIMAL_SIGHTING,而是 getJournalEntryTypeColor。换句话说,它还会迭代 namespace 中声明的任何函数。我如何防止这种情况发生?我已经尝试使用 if 语句过滤掉该方法,该语句检查 journalType 的类型是否为字符串。但这并不会因为 getJournalEntryTypeColor 也被打印出来而停止。

关键是你需要检查对象上属性的类型,而不是键的类型。

Object.keys(JournalEntryType)
    .filter(journalType => !(typeof(JournalEntryType[journalType]) === 'function'))
    .forEach(journalType => { 
        //code here
    });

(这段代码摘自评论,是Maurice写的。)