Unpacking array values to Class variables in Cpp

511 Views Asked by At

I want to unpack array values to different class variables but for that I am getting an error.

auto [SendLowROS.motorCmd[FR_0].Kp, SendLowROS.motorCmd[FR_1].Kp, SendLowROS.motorCmd[FR_2].Kp, 
      SendLowROS.motorCmd[FL_0].Kp, SendLowROS.motorCmd[FL_1].Kp, SendLowROS.motorCmd[FL_2].Kp, 
      SendLowROS.motorCmd[RR_0].Kp, SendLowROS.motorCmd[RR_1].Kp, SendLowROS.motorCmd[RR_2].Kp, 
      SendLowROS.motorCmd[RL_0].Kp, SendLowROS.motorCmd[RL_1].Kp, SendLowROS.motorCmd[RL_2].Kp] = msg.Kp;
/home/src/llm.cpp: In member function ‘void Driver::jointCommandCallback(msgs::JointCMD)’:
/home/src/llm.cpp:65:25: error: expected ‘]’ before ‘.’ token
         auto [SendLowROS.motorCmd[FR_0].Kp, SendLowROS.motorCmd[FR_1].Kp, SendLowROS.motorCmd[FR_2].Kp,
                         ^
/home/src/mbs_unitree_ros/src/llm.cpp:68:111: error: ‘std::_Vector_base<float, std::allocator<float> >’ is an inaccessible base of ‘std::vector<float>’
               SendLowROS.motorCmd[RL_0].Kp, SendLowROS.motorCmd[RL_1].Kp, SendLowROS.motorCmd[RL_2].Kp] = msg.Kp;
2

There are 2 best solutions below

0
On

You can't bind to existing variables in structured bindings.

For this, you can use std::tie() instead.

Example:

#include <iostream>
#include <tuple>

int main() {
    int a, b, c
    std::tie(a, b, c) = std::tuple(1, 2, 3);
    std::cout << a << b << c;                 // prints 123
}

Or for non-copyable, but moveable, types:

#include <iostream>
#include <tuple>

struct foo {
    foo() = default;
    foo(const foo&) = delete;            // not copyable for the sake of this demo
    foo(foo&&) = default;                // but moveable
    foo& operator=(const foo&) = delete;
    foo& operator=(foo&&) = default;

    int a;
};

int main() {
    foo w, x, y{3}, z{4};
    
    std::tie(w, x) = std::tuple(std::move(y), std::move(z));

    std::cout << w.a << x.a << '\n';     // prints 34
}
3
On

You cannot do that.

A structured binding just creates new and unique names for the parts of whatever you are unpacking.

For example:

auto&& [a,b,c] = std::tuple{1,2,3};
some_class.a = a;
some_class.b = b;
some_class.c = c;

See https://en.cppreference.com/w/cpp/language/structured_binding for details.