0

假设我有以下位串:

B = <<0:5>>.

其中包含五个位:<<0,0,0,0,0>>

为了设置这些位之一,我使用了这个辅助函数:

-spec set(Bits :: bitstring(), BitIndex :: non_neg_integer()) -> bitstring().

set(Bits, BitIndex) ->
    << A:BitIndex/bits, _:1, B/bits >> = Bits,
    << A/bits, 1:1, B/bits >>.

我这样调用函数:

B2 = bit_utils:set(B, 2). % Referring to a specific bit by its index (2).

这会给我这个位串:<<0,0,1,0,0>>

是否有可能以某种方式将“标签”与位串中的每个位相关联?

像这样的东西:<<A1=0,A2=0,A3=1,A4=0,A5=0, … >>

这样我就可以通过它的标签来引用每个位,而不是像上面的函数那样通过它的索引来引用。通过编写一个类似这样签名的函数:set(Bits, BitLabel).

可以这样称呼:set(Grid, "A3")

在我的应用程序中,我使用 81 位的固定大小位串作为 9*9“网格”(行和列)。能够通过其行/列标识符(例如A3)引用每个“单元格”将非常有用。

4

1 回答 1

2

不,您不能将标签与位相关联。由于标签和索引之间的映射在您的情况下似乎是固定的,因此我将创建另一个函数,将标签映射到它的索引,如下所示:

position(a1) -> 0;
position(a2) -> 1;
...

然后在set

set(Bits, Label) ->
    BitIndex = position(Label),
    << A:BitIndex/bits, _:1, B/bits >> = Bits,
    << A/bits, 1:1, B/bits >>.

现在您可以set/2使用作为标签的原子进行调用:

B2 = set(B, a1),
B3 = set(B2, c2).
于 2018-03-30T04:20:13.277 回答