华为机试---参数解析

题目描述

在命令行输入如下命令:

xcopy /s c:\ d:\,

各个参数如下: 

参数1:命令字xcopy 

参数2:字符串/s

参数3:字符串c:\

参数4: 字符串d:\

请编写一个参数解析程序,实现将命令行各个参数解析出来。

 

解析规则: 

1.参数分隔符为空格 
2.对于用“”包含起来的参数,如果中间有空格,不能解析为多个参数。比如在命令行输入xcopy /s “C:\program files” “d:\”时,参数仍然是4个,第3个参数应该是字符串C:\program files,而不是C:\program,注意输出参数时,需要将“”去掉,引号不存在嵌套情况。
3.参数不定长 
4.输入由用例保证,不会出现不符合要求的输入 

 


输入描述:

输入一行字符串,可以有空格

输出描述:

输出参数个数,分解后的参数,每个参数都独占一行

输入例子:
xcopy /s c:\\ d:\\
输出例子:
4
xcopy
/s
c:\\
d:\\

import java.util.ArrayList;

import java.util.List;
import java.util.Scanner;

public class Main {
public static void main(String[] args) {
Scanner scan = new Scanner(System.in);
while (scan.hasNext()) {
String str = scan.nextLine();
parsingParameter(str);
}//endwhile
scan.close();
}
/**
* 参数解析函数
* */
private static void parsingParameter(String str){
int length = str.length();
//System.out.println((int)'"');  双引号的ASCII码34
//System.out.println((int)' ');  双引号的ASCII码32
int match_quotes_flag = 0;//引号匹配标记
List<String> list = new ArrayList<String>();
String temp_str = "";
char temp_char = '*';
for(int i = 0 ; i < length ; i++){
temp_char = str.charAt(i);
//如果当前字符是双引号
//如果当前双引号标记是匹配的,说明是一个参数的开始,修改引号匹配标记
if(temp_char == 34 && match_quotes_flag % 2 == 0){
match_quotes_flag++;
}
//如果当前字符是空格
if(temp_char == 32){
//双引号内的空格
if(match_quotes_flag % 2 == 1){
temp_str += temp_char;
}else{
//双引号外的空格
list.add(temp_str);
temp_str = "";
}
}
if(temp_char != 34 && temp_char != 32){
temp_str += temp_char;
}
}//endfor
//将最后一个参数也保存到list中
if(temp_str != ""){
list.add(temp_str);
}
System.out.println(list.size());
for(String list_element : list){
System.out.println(list_element);
}
}
}



你可能感兴趣的:(java,华为)