6

C 对字符串的处理让我很困扰。我脑子里有这样的伪代码:

char *data[20]; 

char *tmp; int i,j;

for(i=0;i<20;i++) {
  tmp = data[i]; 
  for(j=1;j<20;j++) 
  {
    if(strcmp(tmp,data[j]))
      //then except the uniqueness, store them in elsewhere
  }
}

但是当我对此进行编码时,结果很糟糕。(我处理了所有的内存东西,小东西等)问题显然出在第二个循环中:D。但我想不出任何解决方案。如何在数组中找到唯一的字符串。

示例输入: abc def abe abc def deg 输入了唯一的: abc def abe deg 应该找到。

4

5 回答 5

6

您可以使用qsort强制重复项彼此相邻。排序后,您只需比较相邻条目即可找到重复项。结果是 O(N log N) 而不是(我认为) O(N^2)。

这是没有错误检查的 15 分钟午餐时间版本:

  typedef struct {
     int origpos;
     char *value;
  } SORT;

  int qcmp(const void *x, const void *y) {
     int res = strcmp( ((SORT*)x)->value, ((SORT*)y)->value );
     if ( res != 0 )
        return res;
     else
        // they are equal - use original position as tie breaker
        return ( ((SORT*)x)->origpos - ((SORT*)y)->origpos );
  }

  int main( int argc, char* argv[] )
  {
     SORT *sorted;
     char **orig;
     int i;
     int num = argc - 1;

     orig = malloc( sizeof( char* ) * ( num ));
     sorted = malloc( sizeof( SORT ) * ( num ));

     for ( i = 0; i < num; i++ ) {
        orig[i] = argv[i + 1];
        sorted[i].value = argv[i + 1];
        sorted[i].origpos = i;
        }

     qsort( sorted, num, sizeof( SORT ), qcmp );

     // remove the dups (sorting left relative position same for dups)
     for ( i = 0; i < num - 1; i++ ) {
        if ( !strcmp( sorted[i].value, sorted[i+1].value ))
           // clear the duplicate entry however you see fit
           orig[sorted[i+1].origpos] = NULL;  // or free it if dynamic mem
        }

     // print them without dups in original order
     for ( i = 0; i < num; i++ )
        if ( orig[i] )
           printf( "%s ", orig[i] );

     free( orig );
     free( sorted );
  }
于 2010-05-10T16:44:14.627 回答
5
char *data[20];
int i, j, n, unique[20];

n = 0;
for (i = 0; i < 20; ++i)
{
    for (j = 0; j < n; ++j)
    {
        if (!strcmp(data[i], data[unique[j]]))
           break;
    }

    if (j == n)
        unique[n++] = i;
}

如果我做对了,每个唯一字符串的第一次出现的索引应该是唯一的[0..n-1]。

于 2010-05-10T16:57:57.783 回答
2

多想想你的问题——你真正想做的是查看以前的字符串,看看你是否已经看过它。因此,对于每个字符串n,将其与字符串0进行比较n-1

print element 0 (it is unique)
for i = 1 to n
  unique = 1
  for j = 0 to i-1 (compare this element to the ones preceding it)
    if element[i] == element[j]
       unique = 0
       break from loop
  if unique, print element i
于 2010-05-15T16:37:26.977 回答
2

你为什么从 1 开始第二个循环?

你应该从 i+1 开始。IE

for(j=i+1;j<20;j++) 

就像列表是

abc
def
abc
abc
lop

然后

当我==4

tmp="lop"

但随后第二个循环开始,即从 1 到 19。这意味着它在一个阶段也将获得 4 的值,然后

data[4],即“lop”,将与 tmp 相同。因此,虽然“lop”是唯一的,但它会被标记为重复。

希望对您有所帮助。

于 2010-05-10T17:10:10.777 回答
0

如果两者不同,您的测试可能是 if (strcmp (this, that)) 会成功吗?!strcmp 可能是你想要的。

于 2010-05-10T16:44:52.747 回答