OneBite.Dev - Coding blog in a bite size

Add Two Numbers In Dart

Code snippet for how to Add Two Numbers In Dart with sample and detail explanation

Dart is a general-purpose programming language that is often used with the Flutter framework to develop cross-platform applications. The ability to add two numbers in Dart is an elemental part of learning this programming language, and in this article, we will explore how it can be done.

Code Snippet: Addition of Two Numbers in Dart

In Dart, we can easily add two numbers using the ”+” operator. The following is a simple code snippet to add two numbers:

void main() {
  int num1 = 5;
  int num2 = 10;
  int sum = num1 + num2;

  print("The sum of $num1 and $num2 is $sum");
}

When this above code is executed, it prints “The sum of 5 and 10 is 15”.

Code Explanation for Addition of Two Numbers in Dart

Let’s break down the code to better understand how it works:

  1. void main(): This indicates the entry point of the Dart program. The main function is where the program starts execution.

  2. int num1 = 5; : Here, we are declaring an integer variable ‘num1’ and assigning it the value ‘5’.

  3. int num2 = 10;: Similarly, we declare another integer variable ‘num2’ and assign it the value ‘10’.

  4. int sum = num1 + num2;: Now, we’re declaring a variable ‘sum’ and assigning it the value obtained from the addition of ‘num1’ and ‘num2’ using the ’+’ operator.

  5. print("The sum of $num1 and $num2 is $sum");: Finally, we are printing the result on the console. In Dart, you can interpolate expressions directly into strings using the ’$’ symbol before your variable name. This will evaluate the expressions within the string.

In conclusion, the addition of two numbers in Dart is quite straightforward. With some primary knowledge of variable declaration and operator usage, it is quite manageable even for beginners. The above example is an easy blueprint for carrying out more complex numerical operations in Dart.

dart