-1

如何定义和使用一个动态分配的数组,其成员是static const

背景:我需要执行上述操作,以存储运行时请求的几个事务。下面的代码片段举例说明了如何定义事务。此代码使用 Nordic Semiicondictor nRF5x SDK。

static app_twi_transfer_t const transfers[] =
{
    APP_TWI_WRITE(MMA7660_ADDR, p_reg_addr, 1, APP_TWI_NO_STOP), 
    APP_TWI_READ (MMA7660_ADDR, p_buffer,   byte_cnt, 0)
};

static app_twi_transaction_t const transaction =
{
    .callback            = read_mma7660_registers_cb,
    .p_user_data         = NULL,
    .p_transfers         = transfers,
    .number_of_transfers = sizeof(transfers)/sizeof(transfers[0])
};

APP_ERROR_CHECK(app_twi_schedule(&m_app_twi, &transaction));
4

2 回答 2

2

如何定义和使用一个动态分配的数组,其成员是静态常量?

你不能。数组的成员必须与数组本身具有相同的存储类和链接,因此动态分配的数组不能具有静态成员。然而,这样的数组可以具有具有静态存储类和/或链接的对象的副本指针。

于 2016-03-11T18:09:58.843 回答
1

您不能静态初始化动态分配数组的成员:标准库提供的仅有的两个选项是uninitialized,即malloc,和零初始化,即calloc

如果您想将数组的元素初始化为其他任何内容,则需要自己执行分配。C 允许您直接分配structs,因此初始化structs 数组与初始化基元数组没有太大区别。

这是一个小例子:

// This is your struct type
typedef struct {
    int a;
    int b;
    int c;
} test_t;
// This is some statically initialized data
test_t data[] = {
    {.a=1, .b=2, .c=3}
,   {.a=10, .b=20, .c=30}
,   {.a=100, .b=200, .c=300}
};
int main(void) {
    // Allocate two test_t structs
    test_t *d = malloc(sizeof(test_t)*2);
    // Copy some data into them:
    d[0] = data[1];
    d[1] = data[2];
    // Make sure that all the data gets copied
    printf("%d %d %d\n", d[0].a, d[0].b, d[0].c);
    printf("%d %d %d\n", d[1].a, d[1].b, d[1].c);
    free(d);
    return 0;
}

上面看起来像常规分配的东西,例如d[0] = data[1],将静态初始化的内容复制data[1]到动态初始化的内容中d[0]

演示。

于 2016-03-11T18:10:06.197 回答