在此代码片段中同时使用 Bitwise-AndUnary Complement 时,我在理解它们时遇到了一些麻烦

if((oldByte==m_DLE) & (newByte==m_STX)) {
    int data_index=0;

   //This below line --- does it returns true if both the oldByte and newByte are not true
   //and within timeout
while((timeout.read_s()<m_timeout) & ~((oldByte==m_DLE) & (newByte==m_ETX))) {

                        if(Serial.available()>0) {
                            oldByte=newByte;
                            newByte=Serial.read();

                            if(newByte==m_DLE) {
                            .
                            .
                            .
& ~oldByte 两个操作符是否都在执行逻辑非操作,例如检查直到 newByte 和 ojit_code 都为假

上面的代码来自link --> 代码的第227行

我正在尝试在 C 中为我的应用程序使用实现代码,但没有计时功能
 if((oldByte==DLE) && (newByte== STX)) {
    data_index = 0;
     // is this the correct implematation for above C++ code to C
    while(! ((oldByte== DLE) && (newByte== ETX))){
          oldByte = newByte;

这种方法在 C 中实现是否正确

最佳答案

(timeout.read_s()<m_timeout) & ~((oldByte==m_DLE) & (newByte==m_ETX))

相当于(但可能比)
(timeout.read_s()<m_timeout) && !(oldByte==m_DLE && newByte==m_ETX)

这相当于(并且 IMO 的可读性低于)
(timeout.read_s()<m_timeout) && (oldByte!=m_DLE || newByte!=m_ETX)

编辑:应该添加一个关于短路的警告。尽管特定的示例语句都将返回相同的值,但使用 && 或 ||将跳过不会影响结果的评估部分。这在您的具体示例中并不重要,但在这样的示例中可能非常重要:
(oldByte!=nullptr & *oldByte == m_ETX) // will crash when oldByte=nullptr.

(oldByte!=nullptr && *oldByte == m_ETX) // will evaluate to false when oldByte=nullptr.

关于c++ - 理解 C++ 中的 "Bitwise-And (&)"和 "Unary complement(~)",我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/34096090/

10-12 13:59