删除O(n)中字符串中的空格

时间:2010-06-22 04:40:34

标签: c string complexity-theory

如何删除复杂度为O(n)的字符串中的空格。 我的方法是使用两个索引。一个人将穿越绳子的长度。只有遇到非空白字符时,其他才会增加。 但我不确定这种做法。

TIA, 普利文

2 个答案:

答案 0 :(得分:7)

这种方法很好。 O(n)要求仅仅意味着运行时间与项目数量成正比,在这种情况下,这意味着字符串中的字符数(假设您的意思是时间复杂度,这是一个相当安全的选择)。

伪代码:

def removeSpaces (str):
    src = pointer to str
    dst = src
    while not end-of-string marker at src:
        if character at src is not space:
            set character at dst to be character at src
            increment dst
        increment src
    place end-of-string marker at dst

基本上就是你要做的事情。

因为它只有一个单独的循环依赖于字符数,所以确实是O(n)时间复杂度。


以下C程序显示了这一点:

#include <stdio.h>

// Removes all spaces from a (non-const) string.

static void removeSpaces (char *str) {
    // Set up two pointers.

    char *src = str;
    char *dst = src;

    // Process all characters to end of string.

    while (*src != '\0') {
        // If it's not a space, transfer and increment destination.

        if (*src != ' ')
            *dst++ = *src;

        // Increment source no matter what.

        src++;
    }

    // Terminate the new string.

    *dst = '\0';
}

// Test program.

int main (void)
{
    char str[] = "This is a long    string with    lots of spaces...   ";
    printf ("Old string is [%s]\n", str);
    removeSpaces (str);
    printf ("New string is [%s]\n", str);
    return 0;
}

运行它会给你:

Old string is [This is a long    string with    lots of spaces...   ]
New string is [Thisisalongstringwithlotsofspaces...]

请注意,如果字符串中没有空格,则只需复制每个字符。您可能认为可以通过检查是否src == dst而不是复制来优化它,但您可能会发现检查与副本一样昂贵。而且,除非你经常复制多兆字节的字符串,否则性能不会成为问题。

另请注意,这将是const字符串的未定义行为,但任何就地修改都会出现这种情况。

答案 1 :(得分:3)

您的方法听起来不错,符合要求。