Escriba una función mysubstr() en C que no use ninguna función de string, no use ningún bucle e imprima una substring de una string. La función no debe modificar el contenido de la string y no debe usar una string o array de caracteres temporal .
Por ejemplo , mysubstr(“geeksforgeeks”, 1, 3) debe imprimir “ eek ”, es decir, la substring entre los índices 1 y 3.
Una solución es usar la recursividad. Gracias a Gopi y oggy por sugerir esta solución.
#include<stdio.h> // This function prints substring of str[] between low and // high indexes (both inclusive). void mysubstr(char str[], int low, int high) { if (low<=high) { printf("%c", str[low]); mysubstr(str, low+1, high); } } int main () { char str[] = "geeksforgeeks"; mysubstr(str, 1, 3); return 0; }
Producción:
eek
¿Cómo hacerlo si las recursiones tampoco están permitidas?
Siempre podemos usar la aritmética de punteros para cambiar la parte inicial. Por ejemplo (str + i) nos da la dirección del i-ésimo carácter. Para limitar el final, podemos usar el especificador de ancho en printf, que se puede pasar como argumento cuando se usa * en la string de formato.
#include <stdio.h> // This function prints substring of str[] between low and // high indexes (both inclusive). void mysubstr(char str[], int low, int high) { printf("%.*s", high-low+1, (str+low)); } int main () { char str[] = "geeksforgeeks"; mysubstr(str, 1, 3); return 0; }
Producción:
eek
Este artículo es una contribución de Rahul Jain . Escriba comentarios si encuentra algo incorrecto o si desea compartir más información sobre el tema tratado anteriormente.
Publicación traducida automáticamente
Artículo escrito por GeeksforGeeks-1 y traducido por Barcelona Geeks. The original can be accessed here. Licence: CCBY-SA