2

私が取り組んでいる GA の bitarray クラスをまとめています。[] 演算子に代入を実行させるために、私が思いついたよりも良い方法があるかどうか疑問に思っています。現在、値によって秘密の「ビットセッター」クラスを返す非定数バージョンの演算子がありますが、これは少し過剰に思えます。私は確かに参照によって少し返すことはできませんが、より良い (つまり、より簡潔で効率的な) 方法があるかどうか疑問に思っています。前もって感謝します。すみませんthrow 0。完全にプレースホルダー ;)

class bitsetter
{
public:
    short ind;
    unsigned char *l;

    bitsetter & operator=(int val)
    {
        int vs = 1<<ind;
        if( val==0 ) {
            vs = ~vs;
            *l = *l & vs;
        }
        else
        {
            *l = *l | vs;
        }
        return *this;
    }


    int value() const
    {
        return ((*l)>>ind)&1;
    }

    friend std::ostream & operator << ( std::ostream & out, bitsetter const & b )
    {
        out << b.value();
        return out;
    }

    operator int () { return value(); }
};

class bitarray
{
public:
    unsigned char *bits;
    int size;

    bitarray(size_t size)
    {
        this->size = size;
        int bsize = (size%8==0)?((size+8)>>3):(size>>3);
        bits = new unsigned char[bsize];
        for(int i=0; i<size>>3; ++i)
            bits[i] = (unsigned char)0;        
    }

    ~bitarray()
    {
        delete [] bits;
    }

    int operator[](int ind) const
    {
        if( ind >= 0 && ind < size )
            return (bits[ind/8] >> (ind%8))&1;
        else
            return 0;
    }

    bitsetter operator[](int ind)
    {
        if( ind >= 0 && ind < size )
        {
            bitsetter b;
            b.l = &bits[ind/8];
            b.ind = ind%8;
            return b;
        }
        else
            throw 0;
    }
};
4

1 に答える 1

2

これは標準的なアプローチであり、プロキシと呼ばれます。通常、クラス自体の中で定義されていることに注意してください。

class bitfield
{
public:
    class bit
    { };
};

さらに、もう少し「安全」に保たれています。

class bitfield
{
public:
    class bit
    {
    public:
        // your public stuff
    private:
        bit(short ind, unsigned char* l) :
        ind(ind), l(l)
        {}

        short ind;
        unsigned char* l;

        friend class bitfield;
    };

    bit operator[](int ind)
    {
        if (ind >= 0 && ind < size)
        {
            return bit(&bits[ind/8], ind % 8);
        }
        else
            throw std::out_of_range();
    }
};

そのため、人々はビットのパブリックインターフェイスのみを見ることができ、自分自身を想起させることはできません。

于 2012-08-24T21:01:46.417 に答える