7

我有两个整数,例如。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 为该解决方案提供了一个非常好的扩展方法。

4

5 回答 5

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;
于 2012-07-04T00:45:01.530 回答
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);
于 2012-07-04T03:20:41.653 回答
2
int res = j == 0 ? i : i * (int)Math.Pow(10, (int)Math.Log10(j) + 1) + j;
于 2012-07-04T00:45:01.950 回答
0

我想用string.Concat(i,j)

于 2012-07-04T07:55:42.887 回答
-2
int i=15
int j=6
int result=i*10+6;
于 2012-07-04T01:46:31.053 回答