我的问题和这里的问题差不多:question
不同的是,我想从右边换第二和第四个数字,而不是像在另一个问题中那样换左边。所以在我的例子中最右边的数字是1。
示例:283926.67变为282936.67。
我该如何编码?

#include <stdio.h>
#include <stdlib.h>


int main() {


    double number;

    printf("Give a number: ");
    scanf("%lf", &number);

    //printf("%.4f", number);

    char arr[sizeof(number)];
    snprintf(arr, sizeof(number) + 1, "%f", number);

    char ex = arr[1];
    arr[1] = arr[3];
    arr[3] = ex;

    number = atof(arr);
    printf("%.4f\n", number);


    return 0;
}

最佳答案

你只需要做与你给出的链接完全相同的事情:

int main() {
    double A = 282936.67;

    char str[50];
    sprintf(str, "%f", A);

    int dot = -1, i = 0;
    //Finds the dot position
    while (i != 50) {
        if (str[i] == '.') {
            dot = i;
            break;
        }
        i++;
    }

    if (dot >= 4) {
        char tmp = str[dot - 2];//Search from the dot position
        str[dot - 2] = str[dot - 4];
        str[dot - 4] = tmp;
    }
    //Convert your string to a float
    A = atof(str);
    printf("%.2f", A);

    while (1);
    return 0;
}

关于c - 将第二个和第四个数字从右(最右边)切换为 double ,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/40262746/

10-11 18:26