- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
我正在尝试在小型 Cortex-M3 上实现一个简单的增量队列,以便在将来安排一些任务。我 build 了一些东西,但我不认为它很优雅(我不经常写代码)。它也似乎有点片状由于不正确地使用了 volatile 说明符。
#include "deltaqueue.h"
#include "debug.h"
#include "interrupt.h"
//*****************************************************************************
//
// Define NULL, if not already defined.
//
//*****************************************************************************
#ifndef NULL
#define NULL ((void *)0)
#endif
//! Delta queue structure encapsulating a complete process entry into the queue
typedef struct dq{
struct dq * psPrev; //Address of previous queue entry
struct dq * psNext; //Address of next queue entry
unsigned long ulDelta; //Delta ticks (ticks relative to the next/previous process)
tProcessObject sProcess; //Process to be executed
} tDeltaQueueObject;
//! Contains the maximum number of processes in the queue at any one time (health indicator).
static unsigned long g_ulMaximumProcesses=0;
//! Contains the current number of processes in the queue (health indicator).
static unsigned long g_ulCurrentProcesses=0;
//! Contains the current number of executed processes (health indicator).
static unsigned long g_ulExecutedProcesses=0;
//! Contains the total number of processes scheduled since initialized (health indicator).
static unsigned long g_ulTotalProcesses=0;
//! Contains the accumulated tick count.
static volatile unsigned long g_ulSchedulerTickCount;
//! Simple counter used to generate process IDs.
static unsigned long g_ulPID=1;
//! Pointer to the first sleeping process.
static tDeltaQueueObject * volatile psSleeping;
//! Pointer to the processes ready for execution.
static tDeltaQueueObject * psReady;
//! Pointer to an available slot in the queue.
static tDeltaQueueObject * psAvailable;
//! Queue of processes.
static tDeltaQueueObject sDeltaQueue[QUEUE_MAX];
unsigned long SchedulerElapsedTicksCalc(unsigned long, unsigned long);
unsigned long GetProcessID(void);
tDeltaQueueObject * FreeEntry(void);
//****************************************************************************
//
//! Initializes the scheduler.
//!
//! This function resets the queue pointers.
//!
//! \return None.
//
//****************************************************************************
void SchedulerInit(void){
//Initialize queue pointers
psAvailable=&sDeltaQueue[0];
psSleeping=psAvailable;
psReady=psAvailable;
}
//****************************************************************************
//
//! Inserts supplied process into the queue.
//!
//! This function iterates the queue starting the sleep pointer and looks for
//! the insert location based on the supplied delay. As this is a delta queue,
//! the delay is decremented by the sleeping process' delta until a the delay
//! is less than that of the sleeping process. This then becomes the insertion
//! point. If there are no sleeping processes then the process is inserted
//! after the last ready process. If there are no sleeping processes or ready
//! processes then it's inserted and becomes the sole sleeping process.
//!
//! \param pf is the process to execute after the supplied delay.
//! \param ulDelay is the number of ticks to wait before executing the supplied
//! process.
//!
//! \return Process ID of inserted process or zero if unable to insert.
//
//****************************************************************************
unsigned long SchedulerInsert(void (*pf)(void),unsigned long ulDelay){
static unsigned long ulBeginCount;
static unsigned long ulEndCount;
ASSERT(psSleeping);
ASSERT(psAvailable);
//Pick off current systick count to calculate execution time
ulBeginCount=(*((volatile unsigned long *)(NVIC_ST_CURRENT)));
//CRITICAL SECTION BEGIN
IntMasterDisable();
//Begin iterating at the current sleep pointer
tDeltaQueueObject * p=(void *)psSleeping;
tDeltaQueueObject * q;
//Adjust health indicators
g_ulTotalProcesses++;
if(++g_ulCurrentProcesses>g_ulMaximumProcesses)
g_ulMaximumProcesses=g_ulCurrentProcesses;
//Loop through each sleeping process starting at the current
//sleep pointer and ending when the next pointer of any is
//equivalent to the available pointer
while(p!=psAvailable){
//If the delay is greater than the current queue item delay,
//compute the delta for the inserted process and move on
if(p->ulDelta <= ulDelay){
ulDelay-=p->ulDelta;
}
//Otherwise, this is the point to insert the new process
else{
//Insert the new process before the current queue entry
q=FreeEntry();
ASSERT(q); //TODO: Exit gracefully when no room
q->psNext=p;
q->psPrev=p->psPrev;
//Adjust previous and next pointers on each side of the new process
p->psPrev->psNext=q;
p->psPrev=q;
//Set deltas for inserted queue entry and the supplied queue entry
p->ulDelta-=ulDelay;
q->ulDelta=ulDelay;
//Set the function pointer for the new process and obtain a unique
//process ID
q->sProcess.pf=pf;
q->sProcess.ulPID=GetProcessID();
//Adjust the sleep pointer if the insert
//happens before it
if(p==psSleeping)
psSleeping=q;
//CRITICAL SECTION END
IntMasterEnable();
//Pick off current systick count to calculate execution time
ulEndCount=(*((volatile unsigned long *)(NVIC_ST_CURRENT)));
return q->sProcess.ulPID;
}
//Move to next
p=p->psNext;
}
//If here, the list is either empty or the delay is larger than the
//sum of all the delays in the queue and so it should be appended
//to the end of the queue
psAvailable->ulDelta = ulDelay;
psAvailable->sProcess.pf=pf;
psAvailable->sProcess.ulPID=GetProcessID();
q=psAvailable;
//Increment the available pointer
psAvailable=FreeEntry();
ASSERT(psAvailable);
psAvailable->psPrev=q;
q->psNext=psAvailable;
psAvailable->psNext=NULL;
//CRITICAL SECTION END
IntMasterEnable();
//Pick off current systick count to calculate execution time
ulEndCount=(*((volatile unsigned long *)(NVIC_ST_CURRENT)));
return q->sProcess.ulPID;
}
//****************************************************************************
//
//! Runs any processes which are ready for execution.
//!
//! This function is usually called in the main loop of the application
//! (anywhere NOT within an interrupt handler). It will iterate the queue
//! and execute any processes which are not sleeping (delta is zero).
//!
//! \return None.
//
//****************************************************************************
void SchedulerRunTask(void){
tDeltaQueueObject * p;
ASSERT(psReady);
//Run tasks until we bump up against the sleeping tasks
while(psReady!=psSleeping){
//Adjust health indicators
g_ulCurrentProcesses--;
g_ulExecutedProcesses++;
//Execute task
if(psReady->sProcess.pf)
(psReady->sProcess.pf)();
p=psReady->psNext;
//Clear task
psReady->sProcess.pf=NULL;
psReady->sProcess.ulPID=0;
psReady->psNext=NULL;
psReady->psPrev=NULL;
psReady->ulDelta=0;
//Increment ready pointer
psReady=p;
}
}
//****************************************************************************
//
//! Manages sleeping processes in the queue.
//!
//! This function is to be called by the system tick interrupt (at a given
//! interval). When called, the sleeping tasks' delta is decremented and the
//! sleep pointer is adjusted to point at the next sleeping task (if changed).
//!
//! \return None.
//
//****************************************************************************
void SchedulerTick(void){
ASSERT(psSleeping);
//Increment tick counter
g_ulSchedulerTickCount++;
//Adjust sleeping task (never roll past zero)
if(psSleeping->ulDelta)
psSleeping->ulDelta--;
//Push the sleep pointer until a non-zero delta.
//Multiple processes can expire on one tick.
while(!psSleeping->ulDelta && psSleeping!=psAvailable){
psSleeping=psSleeping->psNext;
}
}
//****************************************************************************
//
//! Searches the queue for a free slot.
//!
//! This function iterates the entire queue looking for an open slot.
//!
//! \return Pointer to the next free DeltaQueueObject or 0 if no free space
//! available.
//
//****************************************************************************
tDeltaQueueObject * FreeEntry(){
unsigned long i;
//Iterate entire queue
for(i=0; i<QUEUE_MAX; i++){
//Look for a free slot by examining the contents
if(!(sDeltaQueue[i].psNext) && !(sDeltaQueue[i].psPrev) && !(sDeltaQueue[i].sProcess.ulPID) && !(sDeltaQueue[i].ulDelta) && !(sDeltaQueue[i].sProcess.pf))
return &sDeltaQueue[i];
}
//If we are here, there are no free spots in the queue
ASSERT(1);
return NULL;
}
//****************************************************************************
//
//! Produces a unique process ID.
//!
//! This function simply returns the next PID available.
//!
//! \todo Keep a list of unexpired PIDs so that it can be guaranteed unique
//! must have before creating remove function
//!
//! \return A unique process ID.
//
//****************************************************************************
unsigned long GetProcessID(void){
//PID can never be zero, catch this case
if(!g_ulPID)
g_ulPID=1;
return g_ulPID++;
}
我所拥有的背后的想法是存在一个已填充的静态缓冲区与增量队列对象。每个增量队列对象都有指向前一个/下一个增量队列对象,相对于前一个任务的延迟和一些进程信息(进程 ID 和函数指针)。有3个全局指针、就绪指针、 sleep 指针和可用指针指针。就绪指针指向要执行的任务列表。这sleep 指向任务列表的指针,这些任务......好吧......睡着了但还没有准备好执行。可用指针基本上指向那里的结尾是可用插槽。这些指针只会向前移动。当一个被推与另一个相对,那个“子队列”是空的。例如,当准备指针等于 sleep 指针,没有就绪任务。
所以,一个例子可能是这样的:
最初指针看起来像这样..
Pointers Slot # Delta
RP,SP,AP -> Slot 1 0
一个任务以 50 毫秒的延迟插入,队列现在看起来像...
Pointers Slot # Delta
RP,SP -> Slot 1 50
AP -> Slot 2 0
几个滴答声过去,另一个任务被插入,延迟 10 毫秒...
Pointers Slot # Delta
RP,SP -> Slot 3 10
-> Slot 1 38
AP -> Slot 2 0
20 个滴答声过去了,我们有...
Pointers Slot # Delta
RP -> Slot 3 0
SP -> Slot 1 18
AP -> Slot 2 0
SchedulerTick()
由 systick 中断以 1 毫秒的速率调用。SchedulerRun()
从应用程序的主循环中调用(当它没有做任何其他事情)所以我的系统中断很短。SchedulerInsert()
根据需要调用以安排任务。
所以,这就是我使用上面的代码的目的。现在,我的问题...
1) 我将 psSleeping
指定为 volatile 指针,因为它在 SchedulerTick()
中被修改。我确信它是必需的,但我的用法正确吗?指针是声明为 volatile 还是指向的指针声明为 volatile。
2) SchedulerTick()
和 SchedulerRun()
函数非常简单,但 SchedulerInsert()
变得相当困惑。大多数困惑是由于插入的任务可以放在 sleep 指针之前,这意味着 SchedulerTick()
不再专门写入它,所以我必须在这样做时禁用中断.此外,插入中似乎存在一些错误(大概)导致 SchedulerTick()
在 while 循环中停止,因为从未达到 psAvailable
。这个错误很少发生......我不能在单步执行时重复它。可能与 volatile 声明有关?
有什么想法吗?
最佳答案
我的建议是您重新考虑您是否真的需要在中断处理程序中进行任何实际的列表处理。
据我所知,您可以通过仅跟踪经过的滴答并使用它们来唤醒您之前在中断之外访问 sleep 尾指针的任何地方的 sleep 任务来获得类似的结果。
例如沿着这些方向的东西:
// Only bumb the tick counter from within interrupts
void SchedulerTick(void) {
g_ulSchedulerTickCount++;
}
// Use the number of elapsed ticks since the last call wake up processes for execution.
// Returns the first task that's still sleeping
tDeltaQueueObject *SchedulerStillSleeping(void) {
static unsigned long lastTick;
unsigned long currentTick = g_ulSchedulerTickCount;
signed long elapsedTicks = currentTick - lastTick;
lastTick = currentTick;
for(; psSleeping != psAvailable; psSleeping = psSleeping->psNext) {
if(psSleeping->ulDelta > elapsedTicks)
psSleeping->ulDelta -= elapsedTicks;
break;
}
elapsedTicks -= psSleeping->ulDelta;
psSleeping->ulDelta = 0;
}
return psSleeping;
}
// Reassess the set of sleeping processes by calling the StillSleeping function anywhere
// you would previously have polled the list head
void SchedulerRunTask(void) {
while(psReady != SchedulerStillSleeping()) {
.
.
.
}
}
unsigned long SchedulerInsert(...) {
.
.
.
tDeltaQueueObject *p = SchedulerStillSleeping();
while(p != psAvailable) {
.
.
.
}
}
关于c - 增量队列 - 嵌入式调度程序,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/7427614/
我有一个带有一些功能的perl对象。每个功能从主程序中调用一次。我想并行运行某些功能以节省时间。由于某些功能取决于先前功能的结果,因此我无法将它们全部一起运行。 我想到了这样的事情: 对于每个函数,保
首先,我的代码在这里: import schedule # see https://github.com/dbader/schedule import crawler def job(): p
从 11 月 1 日开始,我必须使用quartz调度程序每4个月安排一次任务。我使用 cronExpression 来实现同样的目的。但 cronExpression 每年都会重置。所以我的任务将在
我有以下代码块,它调用两个请求,但略有延迟。 final ActorRef actor1 = getContext().actorOf( ActorClass.prop
考虑到 Linux 的情况,我们为每个用户堆栈都有一个内核堆栈,据我所知,每当发生上下文切换时,我们都会切换到当前进程的内核模式。 这里我们保存当前进程的当前状态,寄存器,程序数据等,然后调度器(不确
我有将东西移植到 OpenBSD 的奇怪爱好。我知道它有 pthreads 问题,但在 2013 年 5 月发布版本之前我不会升级。我使用的是 5.0,我对 pthreads 还很陌生。我已经学习了
给定一组任务: T1(20,100) T2(30,250) T3(100,400) (execution time, deadline=peroid) 现在我想将截止日期限制为 Di = f * Pi
使用 Django 开发一个小型日程安排 Web 应用程序,在该应用程序中,人们被分配特定的时间与他们的上级会面。员工存储为模型,与表示时间范围和他们有空的星期几的模型具有 OneToMany 关系。
我想了解贪婪算法调度问题的工作原理。 所以我一直在阅读和谷歌搜索一段时间,因为我无法理解贪心算法调度问题。 我们有 n 个作业要安排在单个资源上。作业 (i) 有一个请求的开始时间 s(i) 和结束时
这是流行的 El Goog 问题的变体。 考虑以下调度问题:有 n 个作业,i = 1..n。有 1 台 super 计算机和无限的 PC。每个作业都需要先经过 super 计算机的预处理,然后再在P
假设我有一个需要运行多次的蜘蛛 class My_spider(Scrapy.spider): #spider def 我想做这样的事 while True: runner = Cra
我已将 podAntiAffinity 添加到我的 DeploymentConfig 模板中。 但是,pod 被安排在我预计会被规则排除的节点上。 我如何查看 kubernetes 调度程序的日志以了
我已经使用 React - Redux - Typescript 堆栈有一段时间了,到目前为止我很喜欢它。但是,由于我对 Redux 很陌生,所以我一直在想这个特定的话题。 调度 Redux 操作(和
我想按照预定的计划(例如,周一至周五,美国东部时间晚上 9 点至 5 点)运行单个 Azure 实例以减少账单,并且想知道最好的方法是什么。 问题的两个部分: 能否使用服务管理 API [1] 按预定
假设最小模块安装(为了简单起见),Drupal 的 index.php 中两个顶级功能的核心“职责”是什么? ? drupal_bootstrap(DRUPAL_BOOTSTRAP_FULL); me
我正在尝试使用 Racket(以前称为 PLT Scheme)连接 URL 调度。我查看了教程和服务器文档。我不知道如何将请求路由到相同的 servlet。 具体例子: #lang 方案 (需要网络服
我想在 Airflow (v1.9.0) 上运行计划。 我的DAG需要在每个月底运行,但我不知道如何编写设置。 my_dag = DAG(dag_id=DAG_ID, cat
我正在尝试在“httpTrigger”类型函数的 function.json 中设置计划字段,但计时器功能似乎未运行。我的目标是拥有一个甚至可以在需要时进行调度和手动启动的功能,而不必仅为了调度而添加
我正在尝试制定每周、每月的 Airflow 计划,但不起作用。有人可以报告可能发生的情况吗?如果我每周、每月进行安排,它就会保持静止,就好像它被关闭一样。没有错误信息,只是不执行。我发送了一个代码示例
我希望每两周自动更新一次我的表格。我希望我的函数能够被 firebase 调用。 这可能吗? 我正在使用 Angular 2 Typescript 和 Firebase。 最佳答案 仅通过fireba
我是一名优秀的程序员,十分优秀!