在 C 程序中打印(使用)子字符串

Print (work with) substrings in a C program

如果我只想打印字符串的一部分,该如何处理它?

例如,从 "abcdef"?

打印 "bcd"

我知道如何使用指向字符串开头的指针,但我不知道如何确定结尾。

void vypis(char *retezec)
{   
    printf("%s", retezec);
}

int main (void)
{
    char *str = NULL;
    size_t capacity;
        
    getline(&str, &capacity, stdin);    
    vypis(str);
    vypis(str+1);       
}

您可以暂时将您不想打印的第一个字符(在您的示例中为 e)设置为 [=12=]

void vypis(char *retezec, size_t delka){
    char aux = retezec[delka];
    retezec[delka] = '[=10=]';
    printf("%s", retezec);
    retezec[delka] = aux;
}

为了确保它也适用于字符串文字和其他 const char 指针:

void vypis(const char* str, size_t delka){
    char aux = retezec[delka];
    char* retezec = (char*) str;
    retezec[delka] = '[=11=]';
    printf("%s", retezec);
    retezec[delka] = aux;
}

I know how to work with a pointer to the beginning of a string, but I don't know how to determine the end.

指向您要打印的最后一个字符的指针是一个可能的解决方案:

void vypis(const char *retezec, const char *end)
{   
    while (retezec <= end && *retezec != '[=10=]')
    {
        putchar(*retezec);
        retezec++;
    }
    putchar('\n');
}

int main (void)
{
    char *str = NULL;
    size_t capacity = 0;
        
    getline(&str, &capacity, stdin);    
    vypis(str, str + 5);      //prints from str[0] to str[5]
    vypis(str + 1, str + 3);  //prints from str[1] to str[3]     
}

给你。

#include <stdio.h>

int main(void) 
{
    char *s = "abcdef";
    size_t pos = 1;
    int n = 3;
    
    printf( "%.*s\n", n, s + pos );
    
    return 0;
}

程序输出为

bcd

或者另一个例子

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

int main(void) 
{
    char *s = "abcdef";

    for ( int i = 0, n = ( int )strlen( s ); i < n; i++ )
    {
        printf( "%.*s\n", i + 1, s );
    }
    
    return 0;
}

程序输出为

a
ab
abc
abcd
abcde
abcdef

您可以编写一个通用函数,它可以在任何流中输出子字符串,例如在打开的文件中。

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

FILE * print_substring( const char *s, size_t pos, size_t n, FILE * fp )
{
    size_t len = strlen( s );
    
    if ( pos < len )
    {
        if ( len - pos < n ) n = len - pos;
        
        fprintf( fp, "%.*s", ( int )n, s + pos );
    }
    
    return fp;
}

int main(void) 
{
    char *s = "abcdef";

    for ( int i = 0, n = ( int )strlen( s ); i < n; i++ )
    {
        putc( '\n', print_substring( s, 0, i + 1, stdout ) );
    }
    
    return 0;
}

程序输出为

a
ab
abc
abcd
abcde
abcdef

你可以试试这个:

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

void printSubString(const char *str, int start, int end) {
    int length = strlen(str);
    if (start >= length) {
        return;
    }
    if (end >= length) {
        return;
    }
    int index = start;
    while(index <= end) {
        printf("%c", str[index++]);
    }
    printf("\n");
}

int main() {
    char *str = "Hello, world!";
    printSubString(str, 3, 10);
    return 0;
}

输出:

lo, worl