电商系统商品库的基本功能设计与实现

电商系统商品库的基本功能设计与实现

需求

    1. 商品类(编号,名称,类别,单价,库存量,生产地)
    1. 商品管理类
  • 要求在管理类中完成如下功能:
    1. 商品添加
    1. 查询指定价格范围的商品并显示
    1. 根据编号查询商品信息并显示
    1. 根据编号修改商品的单价和库存
    1. 显示所有商品信息
    1. 查询所有库存量低于指定数的商品信息

定义并初始化 商品类、索引

package com.softeem.lesson08.homework;

import java.util.Scanner;

public class GoodsManagement {
    Goods[] goods;
	int index;
	Scanner sc;

	public GoodsManagement() {
		goods = new Goods[10000];
		index = 0;
		sc = new Scanner(System.in);
	}
}

商品添加

public void add(Goods g) {
		goods[index++] = g;
		System.out.println("添加成功");
	}

显示指定下标的商品(private方法,仅用于方便其他方法的实现)

private void show(int index) {
		if (goods[index] != null) {
			System.out.println(goods[index].getNo() + "\t" + 
		goods[index].getName() + "\t" + 
					goods[index].getType() + "\t" + 
		goods[index].getPrice() + "\t" + 
					goods[index].getNumber() + "\t" + 
		goods[index].getAddress());

		} else {
			System.out.println("商品不存在");
		}
	}

查询指定价格范围的商品并显示

public void showByPrice(int plow,int phigh){
		for (int i = 0; i < goods.length; i++) {
			if (goods[i] != null) {
				if (goods[i].getPrice() > plow && goods[i].getPrice() < phigh) {
					show(i);
				}
			}
		}
	}

根据编号查询商品信息并显示

public void showByNo(String no) {
		for (int i = 0; i < goods.length; i++) {
			if (goods[i] != null) {
				if (goods[i].getNo() == no) {
					show(i);
					return;
				}
			}
		}
		System.out.println("商品不存在");
	}

根据编号修改商品单价和库存

public void setByNo(String no) {
		for (int i = 0; i < goods.length; i++) {
			if (goods[i] != null) {
				if (goods[i].getNo() == no) {
					System.out.print("请修改单价");
					int p = sc.nextInt();
					goods[i].setPrice(p);
					System.out.print("请修改库存");
					int n = sc.nextInt();
					goods[i].setNumber(n);
					System.out.println("修改成功,信息如下>>>>>>>>>>");
					show(i);
					return;
				}
			}
		}
		System.out.println("商品不存在");
	}

显示所有商品信息

public void showAll() {
		for (int i = 0; i < goods.length; i++) {
			if (goods[i] != null) {
				show(i);
			}
		}
	}

查询所有库存量低于指定数的商品信息

public void showLow(int n) {
		for (int i = 0; i < goods.length; i++) {
			if (goods[i] != null) {
				if (goods[i].getNumber() < n) {
					show(i);
				}
			}
		}
	}

你可能感兴趣的:(功能实现,java)