Vigenere Cipher-如何忽略纯文本中的空格(在C中)?

时间:2019-02-16 21:01:47

标签: c encryption cs50 vigenere

粗体字是我试图让程序在输出时忽略纯文本中的空格的地方。我对如何做到这一点感到困惑。当我运行程序时,它不会忽略空格。相反,它运行时就好像不存在粗体的else if语句。我对这是为什么感到困惑。抱歉,我的代码有点混乱。我刚刚开始编程。

var array = [Datum]() //Datum decodable root

override func viewDidLoad() {
    super.viewDidLoad()
    print(“DATA: \(array)") //here, i need to get all values and assign label.
}

1 个答案:

答案 0 :(得分:1)

虽然您从未指出注释是否足以解决您的问题,但是如果您仍在努力确保CS50 get_string()函数不包含任何空白的情况下如何进行输入, ,您只需为get_string()函数编写一个简短的包装即可。

在包装函数中,您只需将任何提示直接传递到get_string()即可保存返回值。然后分配第二个字符串以容纳内容,并遍历get_string()返回的字符串,仅将非空白字符复制到新的内存块中,完成后将nul终止并返回新字符串。 / p>

可能很简单:

#include <cs50.h>
...
/* function using CS50 get_string() to fill input w/o spaces */
string get_str_nospc (string p)
{
    size_t ndx = 0;             /* index */
    string s = get_string (p),  /* string returned by get_string() */
        sp = s,                 /* pointer to s (must preserve s address) */
        s_nospc = NULL;         /* pointer to copy with no whitespace */

    if (!s)     /* validate get_string() return */
        return NULL;

    /* allocate/validate storage for string without whitespace */
    if (!(s_nospc = malloc (strlen (s) + 1))) {
        perror ("malloc-s_nospc");
        return NULL;
    }

    do  /* copy s to s_nospc omitting whitespace */
        if (!isspace (*sp))         /* if it's not a space - copy */
            s_nospc[ndx++] = *sp;
    while (*sp++);  /* post-increment ensures nul-character copied */

    return s_nospc; /* return string with no whitespace */
}

注意:,无论get_string()返回的字符串是否包含空格,您都将要分配和复制,因为CS50库析构函数释放了get_string()返回的字符串。函数退出时,函数不应返回可能/可能不需要释放的字符串-您永远不会知道您是否负责调用free。)

一个简短的例子可能是:

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

#include <cs50.h>

/* function using CS50 get_string() to fill input w/o spaces */
string get_str_nospc (string p)
{
    size_t ndx = 0;             /* index */
    string s = get_string (p),  /* string returned by get_string() */
        sp = s,                 /* pointer to s (must preserve s address) */
        s_nospc = NULL;         /* pointer to copy with no whitespace */

    if (!s)     /* validate get_string() return */
        return NULL;

    /* allocate/validate storage for srting without whitespace */
    if (!(s_nospc = malloc (strlen (s) + 1))) {
        perror ("malloc-s_nospc");
        return NULL;
    }

    do  /* copy s to s_nospc omitting whitespace */
        if (!isspace (*sp))         /* if it's not a space - copy */
            s_nospc[ndx++] = *sp;
    while (*sp++);  /* post-increment ensures nul-character copied */

    return s_nospc; /* return string with no whitespace */
}

int main (void) {

    string nospc = get_str_nospc ("input : ");

    if (nospc) {
        printf ("nospc : %s\n", nospc);
        free (nospc);
    }
}

使用/输出示例

$ ./bin/cs50_getstrnospc
input : my dog has fleas
nospc : mydoghasfleas

仔细研究一下,让我知道您最近的评论是否打算这样做。如果没有,我很乐意提供进一步的帮助。