C Standard Library

C <fenv.h> - feholdexcept() Function



The C <fenv.h> feholdexcept() function first, saves the current floating-point environment to the object pointed to by envp, then resets the current state and if supported puts the environment in non-stop mode. The non-stop mode prevents floating-point exceptions from stopping the normal flow of the program when raised (with traps or abortions). The non-stop mode exists until the floating-point environment is restored by feupdateenv() or fesetenv().

Syntax

int feholdexcept (fenv_t* envp);

Parameters

envp Specify pointer to the object of type fenv_t where the floating-point environment will be stored.

Return Value

Returns 0 on success which includes setting the floating point environment to non-stop mode, non-zero otherwise.

Exception

This function never throws exceptions.

Example:

The example below shows the usage of feholdexcept() function.

#include <stdio.h>
#include <fenv.h>
#include <math.h>

#pragma STDC FENV_ACCESS ON

void FE_Exceptions_Message(void) {
  printf("Exceptions raised:");
  if(fetestexcept(FE_DIVBYZERO)) 
    printf(" FE_DIVBYZERO");
  if(fetestexcept(FE_INEXACT))   
    printf(" FE_INEXACT");
  if(fetestexcept(FE_INVALID))   
    printf(" FE_INVALID");
  if(fetestexcept(FE_OVERFLOW))  
    printf(" FE_OVERFLOW");
  if(fetestexcept(FE_UNDERFLOW)) 
    printf(" FE_UNDERFLOW");
  if(fetestexcept(FE_ALL_EXCEPT) == 0) 
    printf(" None");
  printf("\n");
}

void Rounding_Direction_Message(void) {
  printf("Current rounding method: ");
  switch(fegetround()) {
    case FE_DOWNWARD: 
      printf("DOWNWARD"); break;
    case FE_TONEAREST:   
      printf("TO-NEAREST"); break;
    case FE_TOWARDZERO:   
      printf("TOWARD-ZERO"); break;
    case FE_UPWARD:  
      printf("UPWARD"); break;
    default:
      printf("unknown");
  }
  printf("\n");
}

void FE_Environment_Message(void) {
  FE_Exceptions_Message();
  Rounding_Direction_Message();
  printf("\n");
}  

int main (){
  //creating fenv_t object
  fenv_t curr_env; 

  feraiseexcept(FE_INEXACT);
  //displaying the current environment
  FE_Environment_Message();

  //saving and clearing the current environment
  feholdexcept(&curr_env);

  //changing the current environment
  //and displaying it
  sqrt(-1);
  fesetround(FE_DOWNWARD);
  FE_Environment_Message();

  //updating current environment with the
  //previous environment and displaying it
  feupdateenv(&curr_env);
  FE_Environment_Message();

  return 0;
}

The output of the above code will be:

Exceptions raised: FE_INEXACT
Current rounding method: TO-NEAREST

Exceptions raised: FE_INVALID
Current rounding method: DOWNWARD

Exceptions raised: FE_INEXACT FE_INVALID
Current rounding method: TO-NEAREST

❮ C <fenv.h> Library