Reading from a file, InputMismatchException - java

public static void main(String[] args) throws FileNotFoundException {
File file = new File("data.txt"); // select file
try{
Scanner sc = new Scanner(file); // set scanner to file
try{
while (sc.hasNextLine()){
Employee employee = new Employee(); //create employee to hold data
assignData(sc); //read data into employee
employee.getGross(); //calculate gross pay
addEmployee(employee);//assign employee to array
}//end while
}//end try2
finally {
sc.close(); // close file, saving resource usage
}//end finally
}//end try1
catch(IOException e) {
e.printStackTrace();
}
public static void assignData(Scanner input){
//accept scanner
//read necessary input for employee
EmpID = input.next();****
LastName = input.next();****
FirstName = input.next();****
(LINE 36)Hours = input.nextDouble();
Rate = input.nextDouble();
}
Data File contents
42345 Bruch Max 40 21.50
23456 Elgar Eddie 43 20.0
34567 Bach John 30 30
12345 Wagner Rick 41 30
88888 Mozart Wolfie 36 40
65432 Chopin Fred 45 23.25
72345 Strauss Butch 50 25
compiling, i get the error
"Exception in thread "main" java.util.InputMismatchException
at java.util.Scanner.throwFor(Scanner.java:909)
at java.util.Scanner.next(Scanner.java:1530)
at java.util.Scanner.nextDouble(Scanner.java:2456)
at programassignment1c.Employee.assignData(Employee.java:36) (
at programassignment1c.ProgramAssignment1C.main(ProgramAssignment1C.java:44)
Java Result: 1
Line 36 in Employee class, is highlighted above, it is the nextDouble() What am i doing wrong? Can doubles be scanned for even if they have no decimal place?
Writing this out by hand I see the scanner starting on: 42345 and it sets this to EmpID, then scanner advances past whitespace to
Bruch and it sets this to LastName, then scanner advances past whitespace to Max and it sets this to FirstName, then scanner advances past whitespace to 40 and should set this to Hours???? i am not following the scanner correctly?

I believe you need to use specific data type methods here :
EmpID = input.nextLine();
LastName = input.nextLine();
FirstName = input.nextLine();
try using nextInt/next instead of nextLine.As nextLine will read the entire line and when you try to assign it to an int value it throws InputMismatchException.

nextLine() won't fit in your requirement(because data in the file is separated by space not the new line).
Since It advances this scanner past the current line and returns the input that was skipped. This method returns the rest of the current line, excluding any line separator at the end. The position is set to the beginning of the next line.
So try this
public static void assignData(Scanner input)
{
empID = input.nextInt();
lastName = input.next();
firstName = input.next();
hours = input.nextDouble();
rate = input.nextDouble();
}
Note: I have changed your variables names to follow java naming convention.

You are calling nextLine() instead of next() which reads (and skips but doesn't consume line separators) the line each time. You have
EmpID = input.nextLine();
LastName = input.nextLine();
FirstName = input.nextLine();
(LINE 36)Hours = input.nextDouble();
Rate = input.nextDouble();
So
42345 Bruch Max 40 21.50 // EmpID
23456 Elgar Eddie 43 20.0 // LastName
34567 Bach John 30 30 // FirstName, but not the new line characters
12345 Wagner Rick 41 30
88888 Mozart Wolfie 36 40
65432 Chopin Fred 45 23.25
72345 Strauss Butch 50 25
See comments.
The javadoc for nextLine() states
This method returns the rest of the current line, excluding any line
separator at the end.
so the nextDouble() call is trying to read the line separator which isn't of type double and so throws an InputMismatchException.
You want each token on the line, use
EmpID = input.next();
LastName = input.next();
FirstName = input.next();
Hours = input.nextDouble();
Rate = input.nextDouble();
The javadoc for next() states
Finds and returns the next complete token from this scanner. A
complete token is preceded and followed by input that matches the
delimiter pattern.
where the delimiter by default is
Pattern.compile("\\p{javaWhitespace}+");
ie. whitespace characters.
Java naming conventions dictate that variable names should start with a lowercase alphabetic character.

Related

Java scanner delimiter causes my integer to not be read properly

So I'm creating a scanner to read off of a simple text file:
import java.io.*;
import java.util.Scanner;
public class Weather {
public static void main(String[] args) throws FileNotFoundException {
int a;
File weatherData = new File("C:\\Users\\taddi\\eclipse-workspace\\COS_160_ASSIGNMENT_10\\src\\PortlandWeather1941to2018.txt");
Scanner scnr = new Scanner(weatherData);
scnr.useDelimiter("//");
int totalCount = scnr.nextInt();// this reads the number at the beginning and uses it so I know how many times to run the loop
String throwAway1 = scnr.nextLine();//these statement are used to throw a way the rest of line 1, and all of line 2 and 3
String throwAway2 = scnr.nextLine();
String throwAway3 = scnr.nextLine();
int[] month = new int[totalCount];
int[] day = new int[totalCount];
int[] year = new int[totalCount];
int[] tmax = new int[totalCount];
int[] tmin = new int[totalCount];
for(a = 0; a < totalCount; a ++) {
month[a] = scnr.nextInt();
System.out.println(month[a]);
day[a] = scnr.nextInt();
System.out.println(day[a]);
year[a] = scnr.nextInt();
tmax[a] = scnr.nextInt();
tmin[a] = scnr.nextInt();
}
}
}
The first part of the text file is an integer I'm trying to read. For some reason, it only reads that integer when I comment out the scnr.useDelimiter("//"); line, otherwise I get an InputMismatchException
I'd love to just get rid of all the unnecessary words and slashes in the text file but that wouldn't satisfy the assignment. What's going wrong with the delimiter? How do I read the integer?
Your delimiter is a string, and it will not work in your use case the way you want.
I assume your sample data is like this (ignoring the header lines) ...
01/01/1941 38 25
01/02/1941 32 20
... so you are looking to get each number - the date elements and the tmax/tmin values - so a single delimiter character of '/' would only break up the date.
For example:
final String data =
"01/01/1941 38 25 \n"+
"01/02/1941 32 20 \n";
Scanner scnr = new Scanner(data);
scnr.useDelimiter("/");
while(scnr.hasNext()) {
System.out.println(scnr.next());
}
scnr.close();
outputs the following ...
01
01
1941 38 25
01
02
1941 32 20
showing that it splits on the date d/m/y slashes, but the year and tmax and tmin are bundled together.
Adjusting the scanner to use a Pattern delimiter allows us to split on the slashes and the spaces.
final String data =
"01/01/1941 38 25 \n"+
"01/02/1941 32 20 \n";
Scanner scnr = new Scanner(data);
scnr.useDelimiter(Pattern.compile("[/ ]+"));
while(scnr.hasNext()) {
System.out.println(scnr.next());
}
scnr.close();
}
giving the output I think you want:
01
01
1941
38
25
01
02
1941
32
20
However, note that in my example data I have trailing whitespace on each line and they are thus also returned as empty String tokens. If I was scanning for nextInt() I would get an java.util.InputMismatchException error. Depending on the exact formatting of your input you may need to cater for that.

How to use a scanner to return a line from text file if line contains scanner input?

I am wanting to store a line from a text file depending on if the input from a scanner is contained within the line of text.
However, the code below accepts all form of input, regardless of if the input is contained in the text file, so I am assuming the if else statement is completely ignored. I am unsure on how to fix this so any advice is appreciated.
Scanner editScanner = new Scanner(System.in);
String editScannerInput = editScanner.nextLine();
Scanner fileScanner = new Scanner(new File("src/FilmInfo.dat"));
String fileScannerLine = fileScanner.nextLine();
while (fileScanner.hasNext()) {
if (fileScannerLine.contains(editScannerInput.toLowerCase())) {
String chosenFilm = fileScanner.nextLine();
System.out.println(chosenFilm);
} else {
System.out.println("Film name is not recognised in your collection, please enter a film name that is in your collection.");
}
}
}
If I understand the problem correctly, one issue with your code is that you never update the fileScannerLine variable as you are looping. Here is a working code snippet (with some minor modifications):
System.out.print("Enter input: ");
Scanner editScanner = new Scanner(System.in);
String editScannerInput = editScanner.nextLine();
System.out.println("");
Scanner fileScanner = new Scanner(new File("src/FilmInfo.dat"));
while (fileScanner.hasNext()) {
String line = fileScanner.nextLine();
if (line.contains(editScannerInput.toLowerCase())) {
String chosenFilm = line;
System.out.println(chosenFilm);
} else {
System.out.println(String.format("The film '%s' is not recognised in your collection, please enter a film name that is in your collection.", line));
}
}
editScanner.close();
fileScanner.close();
Contrived test file:
1
2
3
11
22
33
111
222
333
Output:
1
The film '2' is not recognised in your collection, please enter a film name that is in your collection.
The film '3' is not recognised in your collection, please enter a film name that is in your collection.
11
The film '22' is not recognised in your collection, please enter a film name that is in your collection.
The film '33' is not recognised in your collection, please enter a film name that is in your collection.
111
The film '222' is not recognised in your collection, please enter a film name that is in your collection.
The film '333' is not recognised in your collection, please enter a film name that is in your collection.
This solution will loop through all lines of your file and print out each match. If you're looking for one match or to store all matches in a list, the code can be easily modified to do so.

Read multi line text file containing word and integer combinations, then calculate and display average

First time posting here, so please bear with me! I have a programming project due and I need help figuring out how to read through a text file (using a scanner) that contains multiple words and integers on a single line. The text file is a list of state names and their respective Average Family Incomes over a 3 year span. I need to get those values and calculate the average over the three years and display it all back in a nice table.
My problem is that I can get the average of the first few lines because they only have one word and three values. Using scanner.next() gets me past the first few lines, but there are multiple lines that contain 2 or more words and then the three values.
Currently, I get an InputMismatchException after the scanner reaches "District of Colombia" and it won't get the next value since scanner.next() only gets me to the word "of". Is there any way around this? Here is the first part of the project that just outputs all of the data (without an average):
Part 1 (works)
public class FamilyIncomeByState {
public void familyIncomeFile() throws IOException {
File income = new File ("src\\hw2p2\\FamilyIncome.txt");
Scanner scanner = new Scanner (income);
String year = scanner.nextLine();
System.out.println(year); System.out.println("--------------------------------------------");
while (scanner.hasNextLine()){
String line = scanner.nextLine();
System.out.println(line);
System.out.println(" ");
}
scanner.close();
}
}
Part 2 (doesn't work)
EDIT: Put in the wrong code the first time, this is the correct code.
public class AverageFamilyIncomeByState {
public void familyAverageIncomeFile() throws IOException {
File income = new File ("src\\hw2p2\\FamilyIncome.txt");
Scanner scanner = new Scanner (income);
String year = scanner.nextLine();
System.out.println(year + " Average");
System.out.println("-------------------------------------------------------");
while(scanner.hasNextLine()) {
String words = scanner.next();
double num1 = scanner.nextDouble();
double num2 = scanner.nextDouble();
double num3 = scanner.nextDouble();
double averageD = (num1 + num2 + num3) / 3;
BigDecimal average = BigDecimal.valueOf(averageD);
System.out.println(words + " " + average);
System.out.println(" ");
scanner.nextLine();
}
scanner.close();
}
}
And here is the content of the text file:
State 2002 2003 2004
Alabama 53754 54594 51451
Alaska 69868 71395 66874
Arizuna 56857 56067 55663
Arkansas 49551 47838 44537
California 65766 63761 63206
Colorado 68089 67634 66624
Connecticut 81891 82517 82702
Delaware 69469 73301 69360
District of Columbia 55692 61799 63406
Florida 57473 56824 55351
Georgia 60676 59497 59489
Hawaii 67564 66014 65872
Idaho 54279 51098 53722
Illinois 69168 66507 68117
Indiana 63022 63573 62079
Iowa 61238 61656 57921
Kanses 61926 61686 56784
Kentucky 54030 54319 51249
Louisiana 52299 51234 47363
Maine 58802 58425 56186
Maryland 77938 82879 77562
Massachusetts 78312 80247 78025
Michigan 67995 68337 68740
Minnesota 72379 72635 70553
Mississippi 47847 46810 46331
Missouri 59764 61036 61173
Montana 51791 48078 46142
Nebraska 60129 60626 57040
Nevada 59588 59283 59614
New Hampshire 72369 72606 71661
New Jersey 82406 80577 78560
New Mexico 48422 46596 47314
New York 65461 66498 64520
North Carolina 58227 56500 57203
North Dakta 57070 55138 53140
Ohio 63934 64282 62251
Oklahoma 51377 53949 48459
Oregon 60262 58737 58315
Pennsylvania 64310 66130 65411
Rhode Island 67646 70446 68418
South Carolina 56110 59212 56294
South Dakota 55359 59718 55150
Tennessee 55605 56052 54899
Texas 56278 56606 53513
Utah 59864 59035 57043
Vermont 62331 62938 59125
Virginia 66889 69616 68054
Warshington 66531 65997 63568
West Virginia 47550 49470 46270
Wisconsin 66988 65441 66725
Wyoming 57148 58541 55859
And here is my main method:
package hw2p2;
import java.io.IOException;
public class Launcher {
public static void main(String[] args) throws IOException {
FamilyIncomeByState familyIncomeByState = new FamilyIncomeByState();
familyIncomeByState.familyIncomeFile();
AverageFamilyIncomeByState familyAverageIncomeByState = new AverageFamilyIncomeByState();
familyAverageIncomeByState.familyAverageIncomeFile();
}
}
The part I'm stuck on should have an output that lists the Average values as a Fifth Column, but it just won't cycle past the 2nd word in a state name. Let me know if there's any more relevant information you need. Thanks!
This is just off the top of my head. But I think you should be able to use the split() function to split each line into strings separated by any white space. Then you can just take the last 3 strings in the array, converting each to an integer (or double) and then add those up. This way the number of words in the state is irrelevant.
int num1, num2, num3;
String[] tokens = scanner.nextLine().split("\\s+"); //split w/ delimeter
int length = tokens.length;
num 1 = Double.parseDouble(tokens[length - 1]); //last value of the array
num 2 = Double.parseDouble(tokens[length - 2]); //2nd last
num 3 = Double.parseDouble(tokens[length - 3]); //etc...
Hope this help! Let me know if you need any more clarification
sources:
whitespace delimeter:
How do I split a string with any whitespace chars as delimiters?
split function:
Splitting up data file in Java Scanner
By looking at the input format, I see that the columns are tab separated.
Use scanner.nextLine() to read the complete line, and then split the string on tab.
Hope it solves your issue
Since you said (in a comment) that the input file is tab separated you could use a StringTokenizer like this:
public void familyAverageIncomeFile() throws IOException {
File income = new File("src\\hw2p2\\FamilyIncome.txt");
Scanner scanner = new Scanner(income);
String year = scanner.nextLine();
System.out.println(year + " Average");
System.out.println("-------------------------------------------------------");
StringTokenizer tokenizer;
while(scanner.hasNextLine()) {
String words = scanner.nextLine();
tokenizer = new StringTokenizer(words, "\t");
String state = tokenizer.nextToken();
double num1 = Double.parseDouble(tokenizer.nextToken());
double num2 = Double.parseDouble(tokenizer.nextToken());
double num3 = Double.parseDouble(tokenizer.nextToken());
double averageD = (num1 + num2 + num3) / 3;
BigDecimal average = BigDecimal.valueOf(averageD);
System.out.println(words + "\t" + average);
System.out.println(" ");
}
scanner.close();
}
Output on my machine for the first few entries:
State 2002 2003 2004 Average
-------------------------------------------------------
Alabama 53754 54594 51451 53266.333333333336
Alaska 69868 71395 66874 69379.0
Arizuna 56857 56067 55663 56195.666666666664
Arkansas 49551 47838 44537 47308.666666666664
California 65766 63761 63206 64244.333333333336
Colorado 68089 67634 66624 67449.0
Connecticut 81891 82517 82702 82370.0
Delaware 69469 73301 69360 70710.0
District of Columbia 55692 61799 63406 60299.0
Hope this helps :) (Should work for the rest as well but a had to replace the tabs manually so I did only the first few and the one that caused your problem)

For-loop calculation of arbitrary times

I have a plain format txt file named enroll.txt which contains:
1997 2000
cs108 40 35
cs111 90 100
cs105 14 8
cs101 180 200
The first row shows the years of class
The second row first column shows the class name, and the following two columns show the number of students in the class in the years mentioned on the first row.
ex) In 1997, there were 40 students in class cs108.
My desired outcome: code prints as follows using
(i) split (ii) parseInt (iii) for-loop
student totals:
1997: 324
2000: 343
But this code should also work for any number of years (for example if I had student numbers for four years for each class instead of two, the code would still give me a similar output as below with student totals of say 1997, 2000, 2001, 2002 etc.)
What I have so far:
import java.util.*;
import java.io.*;
public class ProcessCourses{
public static void main(String[] args) throws FileNotFoundException{
Scanner console = new Scanner(System.in);
String fileName = console.nextLine();
Scanner input = new Scanner(new File(fileName));
while(input.hasNextLine()){
String line = input.nextLine();
String[] arr = line.split(" ");
//......????
}
}
}
What would go inside the //....????
So in the first line you have years, read them first :
Scanner input = new Scanner(new File(fileName));
String str = input.nextLine();
String[] years = str.split(" ");
Now you have set of student's information,
int[] total = new int[years.length];
while(input.hasNextLine()){
String line = input.nextLine();
String[] strength = line.split(" ");
int len = strength.length; // no of entries which includes course id + "years" no.of numbers.
for(int i=1;i<len;i++){ // from 1 because you don't care the course id
total[i-1] = total[i-1] + Integer.parseInt(strength[i]);
}
}
Then just print it :
for(int i=0;i<years.length;i++){
System.out.println(years[i]+ " : " + total[i]);
}

InputMismatchException while reading file with Scanner

I have file.txt:
7 10 5
ADD_FLIGHT SV221 Jeddah NewYork 30 7000
ADD_FLIGHT SV223 Jeddah London 30 4000
ADD_FLIGHT SV225 Jeddah Paris 30 3500
ADD_FLIGHT SV227 Jeddah Cairo 30 2000
ADD_PASS Mohammed Ali 33 M 0555788778
ADD_PASS Sara Maghrabi 30 F 0555111111
ADD_PASS Hani Ali 20 M 0555223344
ADD_PASS Mohammed Hafeth 33 M 0555889876
ADD_PASS Ahmad Sami 44 M 0555768768
ADD_FLIGHT SV332 Jeddah Riyadh 20 500
ADD_FLIGHT SV334 Jeddah Dammam 20 600
ADD_FLIGHT SV367 Jeddah Dubai 25 2000
ADD_PASS Salwa Ali 33 F 0555765672
ADD_PASS Faisal Amri 20 M 0555111111
ADD_PASS Mona Saleem 33 F 0555222112
ADD_PASS Ali Ali 33 M 0555743344
ADD_PASS Marwa Ahmad 33 F 0555545855
I want to read information flight from the file and put the information in an array of object if the file Contains ADD_flight statement .. Also the passengers read information passenger from file and put the information in an array of object if the file Contains ADD_PASD statement.
I don't know why I have error expiation in my code:
File fin = new File("input.txt");
Scanner input = new Scanner(fin);
int c=0;
while (input.hasNextLine()){
String s=input.nextLine();
if (input.hasNext("ADD_FLIGHT")){
inputFlight ( input, flight ,fin );
}
else if (input.hasNext("ADD_PASS")){
inputPass( input, passenger,fin );
listFlightDetails( flight);
listPassengerDetails(passenger);
}}}//end the mine
public static void inputFlight (Scanner input, Flight[] flight ,File fin ) throws IOException{
if (indexFlight<flight.length) {
flight[indexFlight]=new Flight();
String flightCode=input.next();
flight[indexFlight].setflightCod(flightCode);
String ctyfrom=input.next();
flight[indexFlight].setcityFrom(ctyfrom);
String ctyto=input.next();
flight[indexFlight].setCityTo(ctyto);
int total=input.nextInt();
flight[indexFlight].setTotalSeats(total);
double price=input.nextDouble();
flight[indexFlight].setprice(total);
indexFlight++;
}}
public static void inputPass( Scanner input, Passenger[] passenger ,File fin ) throws IOException{
if (indexPassenger<passenger.length) {
passenger[indexPassenger]=new Passenger();
String name=input.next();
passenger[indexPassenger].setname(name);
int age=input.nextInt();
passenger[indexPassenger].setage(age);
char gender=input.nextLine().charAt(0);
passenger[indexPassenger].setgender(gender);
String d=input.next();
passenger[indexPassenger].setphone(d);
indexPassenger++;
}}
public static void listFlightDetails(Flight[] flight) {
for (int i = 0; i < indexFlight; i++) {
if (flight[i].getflightCod() != null) {
System.out.println("Enter " + i + " for Flight code :" + flight[i].getflightCod() + " , " + flight[i].getcityFrom() + " , " + flight[i].getCityTo());
}}}
public static void listPassengerDetails(Passenger[] passenger) {
for (int i = 0; i < indexPassenger; i++) {
if (passenger[i].getname() != null) {
System.out.println("Enter " + i + " for Passenger :" + passenger[i].getname() + " , " + passenger[i].getgender());
}
}
}
How can I correct the code?
This error, which comes
Exception in thread "main" java.util.InputMismatchException
at java.util.Scanner.throwFor(Scanner.java:864)
at java.util.Scanner.next(Scanner.java:1485)
at java.util.Scanner.nextInt(Scanner.java:2117)
at java.util.Scanner.nextInt(Scanner.java:2076)
at FlightSystem.FlightSystem.inputFlight(FlightSystem.java:65)
at FlightSystem.FlightSystem.main(FlightSystem.java:34)
Java Result: 1
BUILD SUCCESSFUL (total time: 1 second)
This error for pass
Enter 0 for Flight code :SV223 , Jeddah , London
Enter 0 for Flight code :SV223 , Jeddah , London
Enter 0 for Flight code :SV223 , Jeddah , London
Enter 1 for Flight code :SV227 , Jeddah , Cairo
Enter 0 for Flight code :SV223 , Jeddah , London
Enter 1 for Flight code :SV227 , Jeddah , Cairo
Exception in thread "main" java.util.InputMismatchException
at java.util.Scanner.throwFor(Scanner.java:864)
at java.util.Scanner.next(Scanner.java:1485)
at java.util.Scanner.nextInt(Scanner.java:2117)
at java.util.Scanner.nextInt(Scanner.java:2076)
at FlightSystem.FlightSystem.main(FlightSystem.java:39)
Java Result: 1
To keep it simple, can we try something like :
while (input.hasNextLine()) {
String s=input.nextLine();
if(s.startsWith("ADD_FLIGHT")) {
// Add to list of Flight DTO
}
else if(s.startsWith("ADD_PASS")) {
// Add to list of passanger DTO
}
s = null;
}
I doubt for first line of your text file :
flightCode is coming as : ADD_FLIGHT
ctyfrom coming as : SV223
ctyto is coming as : Jeddah
and total is coming as "NewYork" which can't be converted into int.
You can put Sysout to verify it, or put a debug point as well.
If my doubt is correct then add input.next(); just before line String flightCode=input.next(); in method inputFlight()
Your code
if (input.hasNext("ADD_FLIGHT")){
inputFlight ( input, flight ,fin );
}
Points to this line of your file ADD_FLIGHT SV221 Jeddah NewYork 30 7000.
Now in your inputFlight(...) method, read the comments carefully of below code. I explained why you got InputMisMatchException.
public static void inputFlight (Scanner input, Flight[] flight ,File fin ) throws IOException{
if (indexFlight<flight.length) {
flight[indexFlight]=new Flight();
String flightCode=input.next();// This line takes ADD_FLIGHT instead of flight code SV221
flight[indexFlight].setflightCod(flightCode);
String ctyfrom=input.next();//This line takes SV221 instead of Jeddah
flight[indexFlight].setcityFrom(ctyfrom);
String ctyto=input.next();//This line takes Jeddah instead of NewYork
flight[indexFlight].setCityTo(ctyto);
int total=input.nextInt();//This line takes NewYork instead of 30 thus InputMisMatchException occurs.
flight[indexFlight].setTotalSeats(total);
double price=input.nextDouble();
flight[indexFlight].setprice(total);
indexFlight++;
}}
** int total=input.nextInt();//This line takes NewYork instead of 30 thus InputMisMatchException occurs. because your are trying to get Int but input gets a string from file.
To avoid the exception just add input.next(); before you reading other string. Here is the code.
public static void inputFlight (Scanner input, Flight[] flight ,File fin ) throws IOException{
if (indexFlight<flight.length) {
String not_in_use=input.next()//**for moving input cursor to next (flight code)**
flight[indexFlight]=new Flight();
String flightCode=input.next();
flight[indexFlight].setflightCod(flightCode);
String ctyfrom=input.next();
flight[indexFlight].setcityFrom(ctyfrom);
String ctyto=input.next();
flight[indexFlight].setCityTo(ctyto);
int total=input.nextInt();
flight[indexFlight].setTotalSeats(total);
double price=input.nextDouble();
flight[indexFlight].setprice(total);
indexFlight++;
}}
For inputPass(...) method, indicating this line ADD_PASS Salwa Ali 33 F 0555765672 of your file. Read the comment of below code carefully.
public static void inputPass( Scanner input, Passenger[] passenger ,File fin ) throws IOException{
if (indexPassenger<passenger.length) {
passenger[indexPassenger]=new Passenger();
String name=input.next();//Taking ADD_PASS instead of Salwa
passenger[indexPassenger].setname(name);
int age=input.nextInt();//Trying to take an integer but found string Salwa thus occurred InputMisMatchException.
passenger[indexPassenger].setage(age);
char gender=input.nextLine().charAt(0);
passenger[indexPassenger].setgender(gender);
String d=input.next();
passenger[indexPassenger].setphone(d);
indexPassenger++;
}}
** int age=input.nextInt();//Trying to take an integer but found string Salwa thus occurred InputMisMatchException.
Try this,
public static void inputPass( Scanner input, Passenger[] passenger ,File fin ) throws IOException{
if (indexPassenger<passenger.length) {
String not_in_use=input.next();//avoiding ADD_PASS
passenger[indexPassenger]=new Passenger();
String first_name=input.next();//taking first name
String last_name=input.next();//taking last name
passenger[indexPassenger].setname(first_name+" "+last_name);
int age=input.nextInt();//taking age
passenger[indexPassenger].setage(age);
String gender=input.next();//taking gender
passenger[indexPassenger].setgender(gender.toCharArray()[0]);
String d=input.next();//taking phone number
passenger[indexPassenger].setphone(d);
indexPassenger++;
}}
I have tried doing this with Regex. See below code:
List<String> filecontent = Files.readAllLines(Paths.get("abc.txt"), Charset.defaultCharset());
//regex for ADD_FLIGHT
Pattern addFlight = Pattern.compile("ADD_FLIGHT (.+) (.+) (.+) (.+) (.+)");
//regex for ADD_PASS
Pattern addPass = Pattern.compile("ADD_PASS (.+) (.+) (.+) (.+) (.+)");
for(int i=0;i<filecontent.size();i++)
{
Matcher m1 = addFlight.matcher(filecontent.get(i));
while(m1.find())
{
//System.out.println(m1.group(0));
//**Add each piece of data given in each line to your object array here**
System.out.println(m1.group(1)); //SV221
System.out.println(m1.group(2)); //Jeddah
System.out.println(m1.group(3)); //NewYork
System.out.println(m1.group(4)); //30
System.out.println(m1.group(5)); //7000
}
Matcher m2 = addPass.matcher(filecontent.get(i));
while(m2.find())
{
//**Add each piece of data given in each line to your object array here**
//System.out.println(m2.group(0)); //entire sentence
System.out.println(m2.group(1)); //marwa
System.out.println(m2.group(2)); //ahmad
System.out.println(m2.group(3)); //33
System.out.println(m2.group(4)); //F
System.out.println(m2.group(5)); //0555545855
}
}
Add each piece of information into an array of objects - obj.firstname, obj.lastname and so on. Pattern matching is performed on each line.
PS: Im not good with regex but this is working.

Categories