Assertions: Difference between revisions

From Rosetta Code
Content added Content deleted
(added python)
(added c)
Line 2: Line 2:


Show an assertion in your language by asserting that an integer variable is equal to 42.
Show an assertion in your language by asserting that an integer variable is equal to 42.

=={{header|C}}==
<lang c>#include <assert.h>

int main(){
int a;
/* ...input or change a here */
assert(a == 42); /* aborts program when a is not 42 */

return 0;
}</lang>


=={{header|Java}}==
=={{header|Java}}==

Revision as of 06:09, 4 February 2009

Task
Assertions
You are encouraged to solve this task according to the task description, using any language you may know.

Assertions are a way of breaking out of code when there is an error or an unexpected input. Some languages throw exceptions and some treat it as a break point.

Show an assertion in your language by asserting that an integer variable is equal to 42.

C

<lang c>#include <assert.h>

int main(){

  int a;
  /* ...input or change a here */
  assert(a == 42); /* aborts program when a is not 42 */
  return 0;

}</lang>

Java

<lang java5>public static void main(String[] args){

  int a;
  //...input or change a here
  assert a == 42;//throws an AssertionError when a is not 42
  assert a == 42 : "Error message"; //throws an AssertionError 
         //when a is not 42 with "Error message" for the message
         //the error message can be any non-void expression

}</lang>

Python

<lang python>a = 5

  1. ...input or change a here

assert a == 42 # throws an AssertionError when a is not 42 assert a == 42, "Error message" # throws an AssertionError

      # when a is not 42 with "Error message" for the message
      # the error message can be any expression</lang>