的加載鏈接/存儲排他性模式背後的想法是,如果存儲將按照負荷後很快,沒有中間的存儲操作,如果如果沒有其他已觸及的位置,這家店是可能成功,但如果其他東西已觸及位置,商店是某些失敗。無法保證商店不會因無明顯原因而失敗;如果加載和存儲之間的時間保持爲最小,但是,它們之間有沒有存儲器訪問,環路等:
do
{
new_value = __LDREXW(dest) + 1;
} while (__STREXW(new_value, dest));
一般可依靠幾個嘗試內成功。如果計算基於舊值新值所需的一些顯著的計算,應該重寫環路:
do
{
old_value = *dest;
new_value = complicated_function(old_value);
} while (CompareAndStore(dest, new_value, old_value) != 0);
... Assuming CompareAndStore is something like:
uint32_t CompareAndStore(uint32_t *dest, uint32_t new_value, uint_32 old_value)
{
do
{
if (__LDREXW(dest) != old_value) return 1; // Failure
} while(__STREXW(new_value, dest);
return 0;
}
此代碼將有如果有新的變化,以重新運行它的主循環* DEST當正在計算新的價值,但只有小環將需要重新運行,如果__STREXW失敗某些其他原因[這是希望不太可能,因爲只會有在__LDREXW和__STREXW約兩個指令]
附錄 「計算基於舊的新價值」可能會變得複雜的情況的一個例子是「價值」所在的情況e有效地提及複雜的數據結構。代碼可能會獲取舊引用,從舊引用新的數據結構,然後更新引用。這種模式在垃圾回收框架中比在「裸機」編程中出現得更頻繁,但即使在編程裸機時也會出現多種方式。正常的malloc/calloc分配器通常不是線程安全的/中斷安全的,但是固定大小的結構的分配器通常是。如果一個人擁有的功率的二一定數量的數據結構的「池」(說255),可以使用類似:
#define FOO_POOL_SIZE_SHIFT 8
#define FOO_POOL_SIZE (1 << FOO_POOL_SIZE_SHIFT)
#define FOO_POOL_SIZE_MASK (FOO_POOL_SIZE-1)
void do_update(void)
{
// The foo_pool_alloc() method should return a slot number in the lower bits and
// some sort of counter value in the upper bits so that once some particular
// uint32_t value is returned, that same value will not be returned again unless
// there are at least (UINT_MAX)/(FOO_POOL_SIZE) intervening allocations (to avoid
// the possibility that while one task is performing its update, a second task
// changes the thing to a new one and releases the old one, and a third task gets
// given the newly-freed item and changes the thing to that, such that from the
// point of view of the first task, the thing never changed.)
uint32_t new_thing = foo_pool_alloc();
uint32_t old_thing;
do
{
// Capture old reference
old_thing = foo_current_thing;
// Compute new thing based on old one
update_thing(&foo_pool[new_thing & FOO_POOL_SIZE_MASK],
&foo_pool[old_thing & FOO_POOL_SIZE_MASK);
} while(CompareAndSwap(&foo_current_thing, new_thing, old_thing) != 0);
foo_pool_free(old_thing);
}
如果不經常是多線程/中斷/任何試圖同時更新相同的東西,這種方法應該允許安全地執行更新。如果在可能嘗試更新同一項目的事物之間存在優先關係,那麼優先級最高的一個在第一次嘗試時保證成功,而次最高優先級的一個將在任何未被搶佔的嘗試中成功最高優先級的更新等等。如果有人使用鎖定,那麼想要執行更新的最高優先級任務將不得不等待較低優先級的更新完成;使用CompareAndSwap範例,優先級最高的任務將不會受到較低優先級任務的影響(但會導致較低的任務不得不浪費工作)。
我一直在做同樣的事情,但新值需要重要計算的部分,我仍然困惑。使用cmxchg循環是有意義的,因爲那麼專有監視器不會被上下文切換清除,但重新執行重要計算需要很多開銷,因爲我觀察到街道失敗並沒有明顯的原因(UP在PSR中掩蓋了IRQ )在你的文章中提到。 – sgupta 2013-03-13 01:59:19
@ user1075375:查看附錄 – supercat 2013-03-13 15:48:26
這些(__LDREXW&__STREXW)是Cortex-M系列微控制器級處理器的Keil編譯器支持的內在函數,通常不可用於主流ARM目標(例如AArch64)和編譯器(例如gcc,llvm ) 對? http://infocenter.arm.com/help/index.jsp?topic=/com.arm.doc.dui0552a/BABDEEJC.html – ahcox 2015-02-05 19:20:29