c – 在Arduino错误时将4个字节转换为long

前端之家收集整理的这篇文章主要介绍了c – 在Arduino错误时将4个字节转换为long前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我有一个非常奇怪的不一致.
我准备读取Arduino上的二进制文件(对于midi播放器,如果你感兴趣的话).
如果我尝试将Arduino上的4个字节组合成一个long,它会给我一个错误的结果.
但是,如果我在PC上使用等效代码,我会得到正确的值.

输入为:0x12481248(0x12,0x48,0x12,0x48)(实际上是一个随机数).

Arduino给出:4680.

Code :: Blocks给出:306713160.

4680与0x1248相同,是在Arduino上使用int而不是long时得到的结果(省略2个字节).

Arduino代码

void setup(){
    Serial.begin(57600);
    char read1 = 0x12;
    char read2 = 0x48;
    char read3 = 0x12;
    char read4 = 0x48;
    unsigned long testint = read1<<24|read2<<16|read3<<8|read4;
    unsigned long testint2 = 306713160;
    Serial.println(testint);
    Serial.println(testint2);
}

void loop(){}

testint2表明它不是由Serial.println()引起的.串行监视器输出确实是:

4680

306713160

C代码

#include <iostream>

using namespace std;

int main(){
    char read1 = 0x12;
    char read2 = 0x48;
    char read3 = 0x12;
    char read4 = 0x48;
    unsigned long testint = read1<<24|read2<<16|read3<<8|read4;
    cout << testint;
}

知道发生了什么事吗?

另外,有没有人知道用Arduino / SD库转换字节的更好/更漂亮的方法

解决方法

在Arduino上,int size is 16 bits.

在这一行:

unsigned long testint = read1<<24|read2<<16|read3<<8|read4;

即使结果存储在无符号长整数(32位)中,按位运算也会在整数上完成.

将此行更改为:

unsigned long testint = (unsigned long)read1 << 24 
                      | (unsigned long)read2 << 16
                      | (unsigned long)read3 << 8
                      | (unsigned long)read4;
原文链接:https://www.f2er.com/c/116129.html

猜你在找的C&C++相关文章