1

我想在 Atmega 16 控制器的帮助下使用 L6234 驱动器 IC 驱动 BlDC 电机。第 9 页的电机驱动器 IC L6234 数据表中给出了驱动电机的逻辑。这是数据表的链接。所以,根据数据表,我编写了一个代码来驱动我的电机。这是我的代码:-

#define F_CPU 8000000UL
#include<avr/io.h>
#include<avr/interrupt.h>
#include<util/delay.h>

#define hall1 (PINC & 1<<1)  // connect hall sensor1
#define hall2 (PINC & 1<<2)  //connect hall sensor2
#define hall3 (PINC & 1<<3)  //connect hall sensor3



void main()
{
    DDRC=0XF0;
    DDRB=0XFF; //output as In1=PB.0 ,In2=PB.1, In3=PB.2, En0=PB.3 ,En1=PB.4, En3=PB.5
    while(1)
    {
        if((hall3==4)&(hall2==0)&(hall1==1)) // step1
          {
             PORTB=0X19;
          }

        if((hall3==0)&(hall2==0)&(hall1==1)) // step2
          {
             PORTB=0X29;
          }

        if((hall3==0)&(hall2==2)&(hall1==1)) // step3
          {
             PORTB=0X33;
          }

        if((hall3==0)&(hall2==2)&(hall1==0)) // step4
          {
             PORTB=0X1E;
          }

        if((hall3==4)&(hall2==2)&(hall1==0))// step5
          {
             PORTB=0X2E;
          }

        if((hall3==4)&(hall2==0)&(hall1==0))// step6
          {
             PORTB=0X34;
          }
    }
}

但是当我运行这段代码时,我的电机不工作。那么,任何人都可以告诉我,我的代码中的错误在哪里。

4

1 回答 1

0

您的代码格式使调试变得非常困难。由于您已经在使用宏,我可以提出一些建议以使其更易于阅读吗?

你有#define hall3 (PINC & 1<<3),但是这个值需要是 4 或 0。为什么不把它用作布尔值呢?

    if(hall3 && etc) // note the double &&

马上,这将修复一个错误。1<<3is 8not 4,因此在if当前编写代码时,任何语句都不会成功。(例如,1 是 1<<0,而不是 1<<1。)

PORTB 硬编码输出也很难破译。我也建议使用#defines 来简化此操作。

#define EN1 3
#define EN2 4
#define EN3 5
#define IN1 0
#define IN2 1
#define IN3 2

...
    PORTB = 1<<EN1 | 1<<EN2 | 1<<IN1; // step 1
于 2016-04-28T22:44:41.257 回答