2

我想制作一个将 int 分隔为 char 数组的 C++ 方法。并返回一部分 int。

例子:

输入:

int input = 11012013;
cout << "day = " << SeperateInt(input,0,2); << endl;
cout << "month = " << SeperateInt(input,2,2); << endl;
cout << "year = " << SeperateInt(input,4,4); << endl;

输出:

day = 11
month = 01
year = 2013

我以为是这样的。但这对我不起作用,所以我写道:

int separateInt(int input, int from, int length)
{
    //Make an array and loop so the int is in the array
    char aray[input.size()+ 1];
    for(int i = 0; i < input.size(); i ++)
        aray[i] = input[i];

    //Loop to get the right output 
    int output;
    for(int j = 0; j < aray.size(); j++)
    {
        if(j >= from && j <= from+length)
            output += aray[j];
    }

  return output;
}

但,

1 ) 你不能用这种方式调用 int 的大小。
2)你不能像一个字符串一样说我想要int的元素i,因为那样这个方法是没用的

如何解决?

4

3 回答 3

4
int input = 11012013;
int year = input % 1000;
input /= 10000;
int month = input % 100;
input /= 100;
int day = input;

实际上,您可以使用整数除法和模运算符轻松创建所需的函数:

int Separate(int input, char from, char count)
{
    int d = 1;
    for (int i = 0; i < from; i++, d*=10);
    int m = 1;
    for (int i = 0; i < count; i++, m *= 10);

    return ((input / d) % m);
}

int main(int argc, char * argv[])
{
    printf("%d\n", Separate(26061985, 0, 4));
    printf("%d\n", Separate(26061985, 4, 2));
    printf("%d\n", Separate(26061985, 6, 2));
    getchar();
}

结果:

1985
6
26
于 2013-01-11T11:22:54.610 回答
1

我能想到的最简单的方法是将 int 格式化为字符串,然后只解析你想要的部分。例如,要获取日期:

int input = 11012013;

ostringstream oss;
oss << input;

string s = oss.str();
s.erase(2);

istringstream iss(s);
int day;
iss >> day;

cout << "day = " << day << endl;
于 2013-01-11T11:19:45.160 回答
1

首先将您的整数值转换为 char 字符串。使用itoa() http://www.cplusplus.com/reference/cstdlib/itoa/

然后只是遍历你新的字符数组

int input = 11012013;
char sInput[10];
itoa(input, sInput, 10);
cout << "day = " << SeperateInt(sInput,0,2)<< endl;
cout << "month = " << SeperateInt(sInput,2,2)<< endl;
cout << "year = " << SeperateInt(sInput,4,4)<< endl;

然后改变你SeprateInt来处理字符输入

如果需要,使用atoi() http://www.cplusplus.com/reference/cstdlib/atoi/ 转换回整数格式。

于 2013-01-11T11:23:41.290 回答