Dlang关联数组数组

时间:2015-11-02 22:52:46

标签: arrays memory-management d associative-array

我正在构建一个关联的数组数组。我尝试使用appender,但我遇到了段错误。这样做的正确方法是什么?以下是小型测试程序:

import std.stdio;
import std.array;

struct Entry {
    string ip;
    string service;
}


void main(string[] args) {
    Entry[3] ents;
    ents[0] = Entry("1.1.1.1", "host1");
    ents[1] = Entry("1.1.1.2", "host2");
    ents[2] = Entry("1.1.1.1", "dns");

    string[][string] ip_hosts;

    foreach (entry; ents) {
        string ip = entry.ip;
        string service = entry.service;

        string[] *new_ip = (ip in ip_hosts);
        if (new_ip !is null) {
            *new_ip = [];
        }
        auto app = appender(*new_ip);
        app.put(service);
        continue;
    }
    writeln("Out:", ip_hosts);
}

我认为这可能与使用appender使用指向列表的指针有关,但我不确定。有谁知道什么是错的,并且是解决这个问题的好方法吗?

1 个答案:

答案 0 :(得分:3)

这里的这一点无论如何都是错误的:

    string[] *new_ip = (ip in ip_hosts);
    if (new_ip !is null) {
        *new_ip = [];
    }
    auto app = appender(*new_ip);

如果new_ip为null(这是每次第一次发生的情况......),该怎么办?当你试图在下面取消引用它时,它仍然是null!

尝试将其更改为以下内容:

    string[] *new_ip = (ip in ip_hosts);
    if (new_ip is null) { // check if it is null instead of if it isn't
        ip_hosts[ip] = []; // add it to the AA if it is null
        // (since it is null you can't just do *new_ip = [])
        new_ip = ip in ip_hosts; // get the pointer here for use below
    }
    *new_ip ~= service; // just do a plain append, no need for appender

每次循环播放一个新的appender都是浪费时间,但是你不能从中获得任何东西,因为它没有重复使用它的状态两次。

但如果你确实想要使用它:

    auto app = appender(*new_ip);
    app.put(service);
    *new_ip = app.data; // reassign the data back to the original thing

您需要将数据重新分配给AA,以便保存。