श्रीवत्सआर का जवाब सभी मामलों के लिए काम नहीं करेगा, भले ही आप "यदि (m <0) m = -m?" जोड़ते हैं, यदि आप नकारात्मक लाभांश / भाजक के लिए खाते हैं।
उदाहरण के लिए, -12 मॉड -10 8 होगा, और यह -2 होना चाहिए।
निम्नलिखित कार्यान्वयन सकारात्मक और नकारात्मक लाभांश / भाजक दोनों के लिए काम करेगा और अन्य कार्यान्वयन (अर्थात्, जावा, पायथन, रूबी, स्काला, स्कीम, जावास्क्रिप्ट और Google के कैलकुलेटर) का अनुपालन करेगा:
internal static class IntExtensions
{
internal static int Mod(this int a, int n)
{
if (n == 0)
throw new ArgumentOutOfRangeException("n", "(a mod 0) is undefined.");
//puts a in the [-n+1, n-1] range using the remainder operator
int remainder = a%n;
//if the remainder is less than zero, add n to put it in the [0, n-1] range if n is positive
//if the remainder is greater than zero, add n to put it in the [n-1, 0] range if n is negative
if ((n > 0 && remainder < 0) ||
(n < 0 && remainder > 0))
return remainder + n;
return remainder;
}
}
टेस्ट सूट का उपयोग कर xUnit:
[Theory]
[PropertyData("GetTestData")]
public void Mod_ReturnsCorrectModulo(int dividend, int divisor, int expectedMod)
{
Assert.Equal(expectedMod, dividend.Mod(divisor));
}
[Fact]
public void Mod_ThrowsException_IfDivisorIsZero()
{
Assert.Throws<ArgumentOutOfRangeException>(() => 1.Mod(0));
}
public static IEnumerable<object[]> GetTestData
{
get
{
yield return new object[] {1, 1, 0};
yield return new object[] {0, 1, 0};
yield return new object[] {2, 10, 2};
yield return new object[] {12, 10, 2};
yield return new object[] {22, 10, 2};
yield return new object[] {-2, 10, 8};
yield return new object[] {-12, 10, 8};
yield return new object[] {-22, 10, 8};
yield return new object[] { 2, -10, -8 };
yield return new object[] { 12, -10, -8 };
yield return new object[] { 22, -10, -8 };
yield return new object[] { -2, -10, -2 };
yield return new object[] { -12, -10, -2 };
yield return new object[] { -22, -10, -2 };
}
}