51單片機PID算法程序(三)增量式PID控制算法
當執(zhí)行機構(gòu)需要的不是控制量的絕對值,而是控制量的增量(例如去驅(qū)動步進電動機)時,需要用PID的“增量算法”。
本文引用地址:http://m.butianyuan.cn/article/201611/320783.htm(2-5)
將(2-4)與(2-5)相減并整理,就可以得到增量式PID控制算法公式為:
(2-6)
其中
增量式PID控制算法與位置式PID算法(2-4)相比,計算量小得多,因此在實際中得到廣泛的應(yīng)用。
位置式PID控制算法也可以通過增量式控制算法推出遞推計算公式:
(2-7)
(2-7)就是目前在計算機控制中廣泛應(yīng)用的數(shù)字遞推PID控制算法。
增量式PID控制算法C51程序
typedef struct PID
{
int SetPoint;
long SumError;
double Proportion;
double Integral;
double Derivative;
int LastError; //Error[-1]
int PrevError; //Error[-2]
} PID;
static PID sPID;
static PID *sptr = &sPID;
void IncPIDInit(void)
{
sptr->SumError = 0;
sptr->LastError = 0;
sptr->PrevError = 0;
sptr->Proportion = 0;
sptr->Integral = 0;
sptr->Derivative = 0;
sptr->SetPoint = 0;
}
int IncPIDCalc(int NextPoint)
{
register int iError, iIncpid;
iError = sptr->SetPoint - NextPoint;
iIncpid = sptr->Proportion * iError
- sptr->Integral * sptr->LastError
+ sptr->Derivative * sptr->PrevError;
//存儲誤差,用于下次計算
sptr->PrevError = sptr->LastError;
sptr->LastError = iError;
//返回增量值
return(iIncpid);
}
評論