delay timer的wrap around

TF-A連接:
 
在閱讀TF-A源代碼時,看到其udelay是實現以下:
 
/***********************************************************
 * Delay for the given number of microseconds. The driver must
 * be initialized before calling this function.
 ***********************************************************/
void udelay(uint32_t usec)
{
    assert((timer_ops != NULL) &&
        (timer_ops->clk_mult != 0U) &&
        (timer_ops->clk_div != 0U) &&
        (timer_ops->get_timer_value != NULL));

    uint32_t start, delta, total_delta;

    assert(usec < (UINT32_MAX / timer_ops->clk_div));

    start = timer_ops->get_timer_value();

    /* Add an extra tick to avoid delaying less than requested. */
    total_delta =
        div_round_up(usec * timer_ops->clk_div,
                        timer_ops->clk_mult) + 1U;

    do {
        /*
         * If the timer value wraps around, the subtraction will
         * overflow and it will still give the correct result.
         */
        delta = start - timer_ops->get_timer_value(); /* Decreasing counter */

    } while (delta < total_delta);
}
 
第16行的get_timer_value返回的是一個從0xFFFFFFFF到0的遞減的數,減到0後,再往下減的話,會從新變成0xFFFFFFFF。
其中第25到26行註釋說即便發生了wraps around,也能夠保證delta的值是正確的。下面咱們看看是什麼原理。
爲此,下面是一個簡單的模擬程序,看看發生wraps around後,兩個數字相減的結果,假設下面的a,b,c的範圍都是從0到0xFF,a表示第一次讀到的數,b表示第二次讀到的數。
 
#include <stdio.h>

int main(int argc, const char *argv[])
{
        unsigned char a, b, c;

        a = 0x20;
        b = 0x00;
        c = a - b;
        printf("a(0x%x) - b(0x%x) = %x\n", a, b, c);

        a = 0x00;
        b = 0xE0;
        c = a - b;
        printf("a(0x%x) - b(0x%x) = %x\n", a, b, c);

        a = 0x00;
        b = 0x20;
        c = a - b;
        printf("a(0x%x) - b(0x%x) = %x\n", a, b, c);

        a = 0xF0;
        b = 0x10;
        c = a - b;
        printf("a(0x%x) - b(0x%x) = %x\n", a, b, c);

        return 0;
}
 
下面是運行結果:
a(0x20) - b(0x0) = 20
a(0x0) - b(0xe0) = 20
a(0x0) - b(0x20) = e0
a(0xf0) - b(0x10) = e0

能夠看到,若是是以無符號數輸出的話,上面的大數減少數和小數減大數的結果是同樣的。git

緣由是負數在計算機中是以補碼的形式存放,關於補碼的介紹能夠參考: https://baike.baidu.com/item/%E8%A1%A5%E7%A0%81/6854613?fr=aladdin
 
能夠直觀的理解,在模爲10的狀況下,一個數加上A,跟減去(10-A)的結果同樣:好比 (3 + 8)%10 = 1,而(3-(10-8))%10 = 1,兩者同樣。
 
或者能夠手動計算一下:0 - 0xe0,理論上應該等於-0xe0,那麼這個數字在計算機中如何表示呢?也就是-0xe0的補碼是多少?根據負數求補碼的方法,其絕對值各位取反而後再加1:
-0xe0 --> 0xe(絕對值) -->  0b11100000(二進制表示) --> 0b00011111(取反) --> 0b00100000(加一) --> 0x20,即在模爲0x100的狀況下,-0xe0跟0x20是一回事。
 
完。
相關文章
相關標籤/搜索