Reading string from input with space character? [duplicate]
I'm using Ubuntu and I'm also using Geany and CodeBlock as my IDE.
What I'm trying to do is reading a string (like "Barack Obama"
) and put it in a variable:
#include <stdio.h>
int main(void)
{
char name[100];
printf("Enter your name: ");
scanf("%s", name);
printf("Your Name is: %s", name);
return 0;
}
Output:
Enter your name: Barack Obama
Your Name is: Barack
How can I make the program read the whole name?
Solution 1:
Use:
fgets (name, 100, stdin);
100
is the max length of the buffer. You should adjust it as per your need.
Use:
scanf ("%[^\n]%*c", name);
The []
is the scanset character. [^\n]
tells that while the input is not a newline ('\n'
) take input. Then with the %*c
it reads the newline character from the input buffer (which is not read), and the *
indicates that this read in input is discarded (assignment suppression), as you do not need it, and this newline in the buffer does not create any problem for next inputs that you might take.
Read here about the scanset and the assignment suppression operators.
Note you can also use gets
but ....
Never use
gets()
. Because it is impossible to tell without knowing the data in advance how many characters gets() will read, and becausegets()
will continue to store characters past the end of the buffer, it is extremely dangerous to use. It has been used to break computer security. Usefgets()
instead.
Solution 2:
Try this:
scanf("%[^\n]s",name);
\n
just sets the delimiter for the scanned string.
Solution 3:
Here is an example of how you can get input containing spaces by using the fgets
function.
#include <stdio.h>
int main()
{
char name[100];
printf("Enter your name: ");
fgets(name, 100, stdin);
printf("Your Name is: %s", name);
return 0;
}
Solution 4:
scanf(" %[^\t\n]s",&str);
str
is the variable in which you are getting the string from.
Solution 5:
NOTE: When using fgets(), the last character in the array will be '\n' at times when you use fgets() for small inputs in CLI (command line interpreter) , as you end the string with 'Enter'. So when you print the string the compiler will always go to the next line when printing the string. If you want the input string to have null terminated string like behavior, use this simple hack.
#include<stdio.h>
int main()
{
int i,size;
char a[100];
fgets(a,100,stdin);;
size = strlen(a);
a[size-1]='\0';
return 0;
}
Update: Updated with help from other users.