Gopal
Gopal

Reputation: 11972

How to divide the integer value

I want to perform integer division in VB.NET, i.e. only keep the whole part of division result.

Dim a, b, c as int32
a = 3500
b = 1200
c = a/b

This example outputs 3.

How do I make it return 2 instead?

Upvotes: 6

Views: 10029

Answers (2)

Mark Hall
Mark Hall

Reputation: 54532

Since this is Visual Basic you have 2 division operators / which is for Standard division and \ which is used for integer division, which returns the "integer quotient of the two operands, with the remainder discarded" which sounds like what you want.

results:

a/b = 3
a\b = 2

Upvotes: 17

Parag Meshram
Parag Meshram

Reputation: 8511

Actual calculation: 3500/1200 = 2.916

You have to use Math.Floor method to roundup the value to 2 as below -

c = Math.Floor(a/b)

More information is available on MSDN - Math.Floor

Upvotes: 4

Related Questions