在C#中“追加”整数的好方法?

时间:2012-07-04 00:38:30

标签: c# integer

我有两个整数,例如。 15和6,我想得到156。 我做了什么:

int i = 15;
int j = 6;
Convert.ToInt32(i.ToString() + j.ToString());

有更好的方法吗?

更新 谢谢你所有的好答案。我运行一个快速秒表测试,看看性能影响是什么: 这是在我的机器上测试的代码:

static void Main()
    {
        const int LOOP = 10000000;
        int a = 16;
        int b = 5;
        int result = 0;
        Stopwatch sw = Stopwatch.StartNew();
        for (int i = 0; i < LOOP; i++)
        {
            result = AppendIntegers3(a, b);
        }
        sw.Stop();
        Console.WriteLine("{0}ms, LastResult({1})", sw.ElapsedMilliseconds,result);
    }

这是时间:

My original attempt: ~3700ms 
Guffa 1st answer: ~105ms 
Guffa 2nd answer: ~110ms 
Pent Ploompuu answer: ~990ms 
shenhengbin answer: ~3830ms 
dasblinkenlight answer: ~3800ms
Chris Gessler answer: ~105ms

Guffa提供了一个非常好的智能解决方案,Chris Gessler为该解决方案提供了一个非常好的扩展方法。

5 个答案:

答案 0 :(得分:16)

你可以用数字来做。无需字符串转换:

int i=15;
int j=6;

int c = 1;
while (c <= j) {
  i *= 10;
  c *= 10;
}
int result = i + j;

或:

int c = 1;
while (c <= j) c *= 10;
int result = i * c + j;

答案 1 :(得分:3)

这是一个扩展方法:

public static class Extensions
{
    public static int Append(this int n, int i)
    {
        int c = 1;
        while (c <= i) c *= 10;
        return n * c + i; 
    }
}

使用它:

    int x = 123;
    int y = x.Append(4).Append(5).Append(6).Append(789);
    Console.WriteLine(y);

答案 2 :(得分:2)

int res = j == 0 ? i : i * (int)Math.Pow(10, (int)Math.Log10(j) + 1) + j;

答案 3 :(得分:0)

我想使用string.Concat(i,j)

答案 4 :(得分:-2)

int i=15
int j=6
int result=i*10+6;