以下程序因为这些错误而拒绝编译:
vigenere.c:52:31: error: incompatible integer to pointer conversion assigning to
'string' (aka 'char *') from 'int' [-Werror,-Wint-conversion]
...ciphertext[i] = ((((plaintext[i] - 65) + keyword[num % keylength]) % 26) + 65);
^ ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
vigenere.c:56:31: error: incompatible integer to pointer conversion assigning to
'string' (aka 'char *') from 'int' [-Werror,-Wint-conversion]
...ciphertext[i] = ((((plaintext[i] - 97) + keyword[num % keylength]) % 26) + 97);
^ ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
这是该程序,旨在实现一个简单的vigenere密码:
#include <stdio.h>
#include <cs50.h>
#include <string.h>
#include <ctype.h>
int main(int argc, string argv[])
{
if(argc != 2)
{
printf("Invalid input; try again!\n");
return 1;
}
else if(argv[1])
{
for(int i = 0, n = strlen(argv[1]); i < n; i++)
{
if(!isalpha(argv[1][i]))
{
printf("Invalid input; try again!\n");
return 1;
}
}
}
// get plaintext from user
string plaintext = GetString();
string ciphertext[100];
int num = 0;
string keyword = argv[1];
int keylength = strlen(keyword);
// change key values from letters to shifts
for(int i = 0, n = keylength; i < n; i++)
{
if(isupper(keyword[i]))
{
keyword[i] = keyword[i] - 65;
}
else if(islower(keyword[i]))
{
keyword[i] = keyword[i] - 97;
}
}
for(int i = 0, n = strlen(plaintext); i < n; i++)
{
if(isalpha(plaintext[i]))
{
if(isupper(plaintext[i]))
{
ciphertext[i] = ((((plaintext[i] - 65) + keyword[num % keylength]) % 26) + 65);
}
else if(islower(plaintext[i]))
{
ciphertext[i] = ((((plaintext[i] - 97) + keyword[num % keylength]) % 26) + 97);
}
num++;
}
// non-alphabetic characters
else
{
ciphertext[i] = plaintext[i];
}
printf("%c", ciphertext[i]);
}
printf("\n");
}
我不知道为什么编译器会抛出错误,因为我有一个旧版本的程序,几个月前编译(代码在第52和56行完全相同),工作得很好。
我非常感谢任何和所有帮助:)
答案 0 :(得分:4)
变量ciphertext
是char*
的数组,我认为它应该是:
char ciphertext[1000]
答案 1 :(得分:1)
ciphertext
是string
类型的数组(string
是typedef&#39; d char *
)。
所以这个
ciphertext[i]
评估为char *
。
((((plaintext[i] - 65) + keyword[num % keylength]) % 26) + 65)
评估为int
。
代码尝试将int
分配给char *
。这没有意义(这里)。
答案 2 :(得分:0)
请注意,以下声明会产生int
值:
((((plaintext[i] - 65) + keyword[num % keylength]) % 26)
在接收方,它是string
或char*
。因此,错误。
答案 3 :(得分:-1)
我看到你正在做CS50!我希望你能够知道我遇到了同样的问题。
我通过使密文成为整数数组并在将密码打印到终端时进行类型转换(char)来解决它。
这里更广泛的学习点是字符串元素存储在C中的方式。这里的其他人简洁地回答了这一点。