Skip to content

字典和散列表 #25

Open
Open
@funnycoderstar

Description

@funnycoderstar
Owner

用来存储唯一值(不重复的)的数据结构

字典

字典存储的是【键, 值】对;

创建字典

class Dictionary {
    constructor() {
        this.items = {};
    }
    has(key) {
        return key in this.items;
    }
    set(key, value) {
        this.items[key] = value;
    }
    delete(key, value) {
        if(this.has(key)) {
            delete this.items[key];
            return true;
        }
        return false;
    }
    get(key) {
        return this.items[key] ? this.items[key] : undefined;
    }
    values() {
        let values = [];
        for(let k in this.items) {
            if(this.has(k)) {
                values.push(this.items[k]);
            }
        }
        return values;
    }
    clear() {
        this.items = {};
    }
    size() {
        return this.values().length;
    }
    keys() {
        return Object.keys(this.items);
    }
    getItems() {
        return this.items;
    }

}
let dictionary = new Dictionary();
dictionary.set('aa',  'aa.com');
dictionary.set('bb', 'bb.com');
dictionary.set('cc', 'cc.com');
dictionary.delete('aa')
console.log(dictionary.keys());
console.log(dictionary.values());
console.log(dictionary.getItems());

散列表

散列算法的作用是尽可能快的在数据结构中找到一个值

var loseloseHashCode = function(key) {
    let hash = 0;
    for(let i = 0; i < key.length; i++) {
        hash += key.charCodeAt(i);
    }
    return hash % 37;
}
class HashTable{
    constructor() {
        this.table = [];
    }
    put(key, value) {
        let position = loseloseHashCode(key);
        console.log(position + '-' + key);
        this.table[position] = value;
    }
    get(key) {
        return this.table[loseloseHashCode(key)];
    }
    remove(key) {
        this.table[loseloseHashCode(key)] = undefined;
    }

}


const hash = new HashTable();
hash.put('Gandalf', 'aa.com');
hash.put('John', 'bb.com');
hash.put('Tyrion', 'cc.com');
console.log(hash.get('Gandalf'));
console.log(hash.remove('John'));
console.log(hash.get('John'));

Activity

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment

Metadata

Metadata

Assignees

No one assigned

    Labels

    No labels
    No labels

    Projects

    No projects

    Milestone

    No milestone

    Relationships

    None yet

      Development

      No branches or pull requests

        Participants

        @funnycoderstar

        Issue actions

          字典和散列表 · Issue #25 · funnycoderstar/leetcode