I am writing a code for a Caeser cipher program in C. the code is working as intended however I was trying to edit the code to make it accept multiple arguments instead of just one like it does currently. To incorporate this I added a new array in the main() named argvalue1 to hold the second argument. Furthermore I added a second interating variable and another loop to read the characters from the second array. I am still really new to using C, just not sure why the program will not read the second argument and how I can fix that.
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <ctype.h>
// Compile this program with:
//    cc -std=c11 -Wall -Werror -o rotate rotate.c
#define ROT 13
//  The rotate function returns the character ROT positions further along the
//  alphabetic character sequence from c, or c if c is not lower-case
char rotate(char c)
{
    // Check if c is lower-case or not
    if(islower(c)) {
        // The ciphered character is ROT positions beyond c,
        // allowing for wrap-around
        return ('a' + (c - 'a' + ROT) % 26);
    }
    else {
        return c;
    }
}
//  Execution of the whole program begins at the main function
int main(int argcount, char *argvalue[], char *argvalue1[])
{
    // Exit with an error if the number of arguments (including
    // the name of the executable) is not precisely 2
    if(argcount != 3) {
        fprintf(stderr, "%s: program expected 1 argument, but instead received %d\n",
                    argvalue[0], argcount-1);
        exit(EXIT_FAILURE);
    }
    else {
        // Define a variable for a later loop
        int i;
        int j;
        // Calculate the length of the first argument
        int length = strlen(argvalue[1]);
        int length2 = strlen(argvalue1[1]);
        // Loop for every character in the text
        for(i = 0; i < length; i++) {
            // Determine and print the ciphered character
            printf("%c", rotate(argvalue[1][i]));
            printf("%c", rotate(argvalue1[1][j]));
        }
        // Print one final new-line character
        printf("\n");
        // Exit indicating success
        exit(EXIT_SUCCESS);
    }
    return 0;
}
 
     
    