CUBEide中的C++函数

dy1byipe  于 2023-04-29  发布在  其他
关注(0)|答案(1)|浏览(200)

我正在尝试用c语言为stm32板写一个函数。

  1. float computeMotorSpeed(TIM_HandleTypeDef &htimer, uint32_t &PreviousCount ) {
  2. int32_t DiffCount = 0;
  3. uint32_t CurrentCount = 0;
  4. CurrentCount = __HAL_TIM_GET_COUNTER(&htimer); /*evaluate increment of timer counter from previous count*/
  5. if (__HAL_TIM_IS_TIM_COUNTING_DOWN(&htimer)) {
  6. /* check for counter underflow */
  7. if (CurrentCount <= PreviousCount) {
  8. DiffCount = CurrentCount - PreviousCount;
  9. }
  10. else {
  11. DiffCount = -((TIM3_ARR_VALUE+1) - CurrentCount) - PreviousCount;
  12. }
  13. }
  14. else {
  15. /* check for counter overflow */
  16. if (CurrentCount >= PreviousCount) {
  17. DiffCount = CurrentCount - PreviousCount;
  18. }
  19. else {
  20. DiffCount = ((TIM3_ARR_VALUE+1) - PreviousCount) + CurrentCount;
  21. }
  22. }
  23. PreviousCount = CurrentCount;
  24. return (float) DiffCount*60/(TS*TIM3_ARR_VALUE); // rpm (round per minute);
  25. }

但我有以下错误。
error: expected ';', ',' or ')' before '&' token
我试图通过引用传递值,但出现错误。然而,当我按如下方式传递值时,编译器不会显示错误。

  1. float computeMotorSpeed(TIM_HandleTypeDef htimer, uint32_t PreviousCount ) {
  2. int32_t DiffCount = 0;
  3. uint32_t CurrentCount = 0;
  4. CurrentCount = __HAL_TIM_GET_COUNTER(&htimer); /*evaluate increment of timer counter from previous count*/
  5. if (__HAL_TIM_IS_TIM_COUNTING_DOWN(&htimer)) {
  6. /* check for counter underflow */
  7. if (CurrentCount <= PreviousCount) {
  8. DiffCount = CurrentCount - PreviousCount;
  9. }
  10. else {
  11. DiffCount = -((TIM3_ARR_VALUE+1) - CurrentCount) - PreviousCount;
  12. }
  13. }
  14. else {
  15. /* check for counter overflow */
  16. if (CurrentCount >= PreviousCount) {
  17. DiffCount = CurrentCount - PreviousCount;
  18. }
  19. else {
  20. DiffCount = ((TIM3_ARR_VALUE+1) - PreviousCount) + CurrentCount;
  21. }
  22. }
  23. PreviousCount = CurrentCount;
  24. return (float) DiffCount*60/(TS*TIM3_ARR_VALUE); // rpm (round per minute);
  25. }

为什么第一种情况(通过引用)不正确?

btqmn9zl

btqmn9zl1#

C语言中没有引用传递,所以C编译器不知道在参数传递上下文中如何处理&。您需要使用*传递一个指针并取消引用以获得相同的效果。详细说明评论:

  1. // use * to denote pointers
  2. float computeMotorSpeed(TIM_HandleTypeDef *htimer, uint32_t *PreviousCount ) {
  3. ...
  4. // don't "take the address" here anymore, the pointer is the address
  5. CurrentCount = __HAL_TIM_GET_COUNTER(htimer); /*evaluate increment of timer counter from previous count*/
  6. if (__HAL_TIM_IS_TIM_COUNTING_DOWN(htimer)) {
  7. /* check for counter underflow */
  8. // and you must dereference PreviousCount with * everywhere to access
  9. // its value
  10. if (CurrentCount <= *PreviousCount) {
  11. DiffCount = CurrentCount - *PreviousCount;
  12. }
  13. ...
  14. *PreviousCount = CurrentCount;
  15. return ...;
  16. }

你可以用这样的方式调用这个函数

  1. // here, & means "take the address of", as you used it in OP
  2. float floatRet = computeMotorSpeed(&htimer, &PreviousCount);
展开查看全部

相关问题