Форум программистов, компьютерный форум, киберфорум
Java: GUI, графика
Войти
Регистрация
Восстановить пароль
Карта форума Темы раздела Блоги Сообщество Поиск Заказать работу  
 
Рейтинг 4.86/7: Рейтинг темы: голосов - 7, средняя оценка - 4.86
0 / 0 / 0
Регистрация: 04.03.2022
Сообщений: 1
1

Переделать текстовый вывод из консоли в вывод с использованием GUI интерфейсов

28.04.2023, 08:20. Показов 1368. Ответов 6
Метки нет (Все метки)

Author24 — интернет-сервис помощи студентам
Здравствуйте форумчани !
Сделал код программы на Java с выводом в текстовом виде в консоль, сказали сделать с помощью GUI, а остальные функции которые я сделал в самой программе выполнены верно. Сильно прошу помочь так как я еще не до конца освоил этот язык и только пока начинающий, а время поджимает по таймлайну

Java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Scanner;
 
// Класс для хранения информации о растениях
class Plant {
    private String name;
    private String soil;
    private String origin;
    private Map<String, String> visualParameters;
    private Map<String, String> growingTips;
    private String multiplying;
 
    public Plant(String name, String soil, String origin, Map<String, String> visualParameters, Map<String, String> growingTips, String multiplying) {
        this.name = name;
        this.soil = soil;
        this.origin = origin;
        this.visualParameters = visualParameters;
        this.growingTips = growingTips;
        this.multiplying = multiplying;
    }
 
    public String getName() {
        return name;
    }
 
    public String getSoil() {
        return soil;
    }
 
    public String getOrigin() {
        return origin;
    }
 
    public Map<String, String> getVisualParameters() {
        return visualParameters;
    }
 
    public Map<String, String> getGrowingTips() {
        return growingTips;
    }
 
    public String getMultiplying() {
        return multiplying;
    }
 
    @Override
    public String toString() {
        return name + " (soil: " + soil + ", origin: " + origin + ")";
    }
}
 
// Класс для хранения информации об оранжерее и его растениях
class Greenhouse {
    private List<Plant> plantList;
 
    public Greenhouse() {
        this.plantList = new ArrayList<>();
    }
 
    public void addPlant(Plant plant) {
        plantList.add(plant);
        System.out.println(plant.getName() + " added to the greenhouse.");
    }
 
    public void removePlant(Plant plant) {
        plantList.remove(plant);
        System.out.println(plant.getName() + " removed from the greenhouse.");
    }
 
    public Plant getPlantByName(String name) {
        for (Plant plant : plantList) {
            if (plant.getName().equalsIgnoreCase(name)) {
                return plant;
            }
        }
        return null;
    }
 
    public List<Plant> getPlantsBySoilType(String soilType) {
        List<Plant> plants = new ArrayList<>();
        for (Plant plant : plantList) {
            if (plant.getSoil().equalsIgnoreCase(soilType)) {
                plants.add(plant);
            }
        }
        return plants;
    }
 
    public List<Plant> getAllPlants() {
        return plantList;
    }
}
 
// Класс для хранения информации о пользователях
class User {
    private String username;
    private String password;
    private boolean isAdmin;
 
    public User(String username, String password, boolean isAdmin) {
        this.username = username;
        this.password = password;
        this.isAdmin = isAdmin;
    }
 
    public String getUsername() {
        return username;
    }
 
    public String getPassword() {
        return password;
    }
 
    public boolean isAdmin() {
        return isAdmin;
    }
}
 
public class GreenhouseApp {
    private static final String ADMIN_USERNAME = "admin";
    private static final String ADMIN_PASSWORD = "admin123";
 
    private static Greenhouse greenhouse = new Greenhouse();
    private static List<User> users = new ArrayList<>();
 
    public static void main(String[] args) {
        // Добавление пользователей
        users.add(new User("user1", "password1", false));
        users.add(new User("user2", "password2", false));
        users.add(new User(ADMIN_USERNAME, ADMIN_PASSWORD, true));
 
        // Добавление растений в оранжерею
        Map<String, String> visualParameters1 = new HashMap<>();
        visualParameters1.put("stemColor", "green");
        visualParameters1.put("leafColor", "green");
        visualParameters1.put("size", "medium");
        Map<String, String> growingTips1 = new HashMap<>();
        growingTips1.put("temperature", "20-25");
        growingTips1.put("light", "tolerant");
        growingTips1.put("watering", "200");
        Plant plant1 = new Plant("Plant1", "podzolic", "Europe", visualParameters1, growingTips1, "seeds");
        greenhouse.addPlant(plant1);
 
        Map<String, String> visualParameters2 = new HashMap<>();
        visualParameters2.put("stemColor", "brown");
        visualParameters2.put("leafColor", "green");
        visualParameters2.put("size", "small");
        Map<String, String> growingTips2 = new HashMap<>();
        growingTips2.put("temperature", "25-30");
        growingTips2.put("light", "tolerant");
        growingTips2.put("watering", "150");
        Plant plant2 = new Plant("Plant2", "gravelly", "Asia", visualParameters2, growingTips2, "cuttings");
        greenhouse.addPlant(plant2);
 
        // Вход в систему
        User currentUser = login();
        if (currentUser == null) {
            System.out.println("Invalid username or password.");
            return;
        }
        System.out.println("Welcome, " + currentUser.getUsername() + "!");
 
        // Отображение доступных действий
        if (currentUser.isAdmin()) {
            showAdminActions();
        } else {
            showUserActions();
        }
 
        // Выбор действия
        Scanner scanner = new Scanner(System.in);
        int choice = scanner.nextInt();
        scanner.nextLine(); // Очистка буфера
 
        // Обработка выбранного действия
        switch (choice) {
            case 1:
                displayAllPlants();
                break;
            case 2:
                displayPlantsBySoilType();
                break;
            case 3:
                displayPlantDetails();
                break;
            case 4:
                if (currentUser.isAdmin()) {
                    addPlant();
                } else {
                    System.out.println("Invalid choice.");
                }
                break;
            case 5:
                if (currentUser.isAdmin()) {
                    removePlant();
                } else {
                    System.out.println("Invalid choice.");
                }
                break;
            default:
                System.out.println("Invalid choice.");
                break;
        }
    }
 
    // Метод для входа в систему
    private static User login() {
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter username: ");
        String username = scanner.nextLine();
        System.out.print("Enter password: ");
        String password = scanner.nextLine();
        for (User user : users) {
            if (user.getUsername().equalsIgnoreCase(username) && user.getPassword().equals(password)) {
                return user;
            }
        }
        return null;
    }
 
    // Метод для отображения доступных действий для администратора
    private static void showAdminActions() {
        System.out.println("Select an action:");
        System.out.println("1. Display all plants");
        System.out.println("2. Display plants by soil type");
        System.out.println("3. Display plant details");
        System.out.println("4. Add plant");
        System.out.println("5. Remove plant");
        System.out.print("Your choice: ");
    }
 
    // Метод для отображения доступных действий для пользователя
    private static void showUserActions() {
        System.out.println("Select an action:");
        System.out.println("1. Display all plants");
        System.out.println("2. Display plants by soil type");
        System.out.println("3. Display plant details");
        System.out.print("Your choice: ");
    }
 
    // Метод для отображения всех растений в оранжерее
    private static void displayAllPlants() {
        List<Plant> plants = greenhouse.getAllPlants();
        System.out.println("All plants in the greenhouse:");
        for (Plant plant : plants) {
            System.out.println("- " + plant.getName());
        }
    }
 
    // Метод для отображения растений в оранжерее по типу почвы
    private static void displayPlantsBySoilType() {
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter soil type: ");
        String soilType = scanner.nextLine();
        List<Plant> plants = greenhouse.getPlantsBySoilType(soilType);
        if (plants.isEmpty()) {
            System.out.println("No plants found with soil type " + soilType);
        } else {
            System.out.println("Plants in the greenhouse with soil type " + soilType + ":");
            for (Plant plant : plants) {
                System.out.println("- " + plant.getName());
            }
        }
    }
 
    // Метод для отображения подробной информации о растении
    private static void displayPlantDetails() {
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter plant name: ");
        String plantName = scanner.nextLine();
        Plant plant = greenhouse.getPlantByName(plantName);
        if (plant == null) {
            System.out.println("No plant found with name " + plantName);
        } else {
            System.out.println("Details of plant " + plantName + ":");
            System.out.println("- Soil type: " + plant.getSoil());
            System.out.println("- Origin: " + plant.getOrigin());
            System.out.println("- Visual parameters:");
            Map<String, String> visualParameters = plant.getVisualParameters();
            for (String parameter : visualParameters.keySet()) {
                System.out.println("  * " + parameter + ": " + visualParameters.get(parameter));
            }
            System.out.println("- Growing tips:");
            Map<String, String> growingTips = plant.getGrowingTips();
            for (String tip : growingTips.keySet()) {
                System.out.println("  * " + tip + ": " + growingTips.get(tip));
            }
            System.out.println("- Multiplying method: " + plant.getMultiplying());
        }
    }
 
    // Метод для добавления растения в оранжерею (доступно только администратору)
    private static void addPlant() {
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter plant name: ");
        String name = scanner.nextLine();
        System.out.print("Enter soil type: ");
        String soil = scanner.nextLine();
        System.out.print("Enter origin: ");
        String origin = scanner.nextLine();
        Map<String, String> visualParameters = new HashMap<>();
        System.out.print("Enter stem color: ");
        visualParameters.put("stemColor", scanner.nextLine());
        System.out.print("Enter leaf color: ");
        visualParameters.put("leafColor", scanner.nextLine());
        System.out.print("Enter size: ");
        visualParameters.put("size", scanner.nextLine());
        Map<String, String> growingTips = new HashMap<>();
        System.out.print("Enter preferred temperature: ");
        growingTips.put("temperature", scanner.nextLine());
        System.out.print("Is the plant light-tolerant (yes/no)? ");
        String light = scanner.nextLine();
        growingTips.put("light", light.equalsIgnoreCase("yes") ? "tolerant" : "non-tolerant");
        System.out.print("Enter preferred watering (ml per week): ");
        growingTips.put("watering", scanner.nextLine());
        System.out.print("Enter multiplying method (seeds/cuttings/leaves): ");
        String multiplying = scanner.nextLine();
        Plant plant = new Plant(name, soil, origin, visualParameters, growingTips, multiplying);
        greenhouse.addPlant(plant);
    }
 
    // Метод для удаления растения из оранжереи (доступно только администратору)
    private static void removePlant() {
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter plant name: ");
        String plantName = scanner.nextLine();
        Plant plant = greenhouse.getPlantByName(plantName);
        if (plant == null) {
            System.out.println("No plant found with name " + plantName);
        } else {
            greenhouse.removePlant(plant);
        }
    }
}
0
Programming
Эксперт
94731 / 64177 / 26122
Регистрация: 12.04.2006
Сообщений: 116,782
28.04.2023, 08:20
Ответы с готовыми решениями:

Вывод окна консоли с GUI
Подскажите как повесить вывод данных на окно консоли. К примеру, есть гуи и при нажатии на кнопку...

Как перенаправлять вывод консоли в GUI?
Если написать диалоговую программу, консультирующую пользователя по какому - либо вопросу, в виде...

Запрос от github с консоли на логи и пароль и вывод в GUI
Всем привет. Если кто устанавливал UnrealEngine4 из исходников то знают что нужно иметь...

Как переделать вывод консоли в TextBox?
Мне нужно сделать чтобы информация после введения возраста в textBox1 выводилась в textBox2 или...

Как переделать вывод консоли в TextBox WinForms
Мне нужно сделать чтобы информация после введения возраста в textBox1 выводилась в textBox2 или...

6
226 / 95 / 32
Регистрация: 01.10.2022
Сообщений: 664
Записей в блоге: 45
26.05.2023, 11:31 2
С горем пополам вход по логину и паролю сделал

Java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
import forum.greenhouseapp.GreenhouseGUI.EnterButtonListener;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Scanner;
 
public class GreenhouseApp {
 
    private static final String ADMIN_USERNAME = "admin";
    private static final String ADMIN_PASSWORD = "admin123";
 
    private static Greenhouse greenhouse = new Greenhouse();
    private static List<User> users = new ArrayList<>();
    
    static GreenhouseGUI ghg = new GreenhouseGUI();
    static GreenhouseGUI.EnterButtonListener ghgin1 = ghg.new EnterButtonListener();
    static GreenhouseGUI.ChoiсeButtonListener ghgin2 = ghg.new ChoiсeButtonListener();
 
    public static void main(String[] args) {
        GreenhouseGUI gg = new GreenhouseGUI();
        
        // Добавление пользователей
        users.add(new User("user1", "password1", false));
        users.add(new User("user2", "password2", false));
        users.add(new User(ADMIN_USERNAME, ADMIN_PASSWORD, true));
 
        // Добавление растений в оранжерею
        Map<String, String> visualParameters1 = new HashMap<>();
        visualParameters1.put("stemColor", "green");
        visualParameters1.put("leafColor", "green");
        visualParameters1.put("size", "medium");
        Map<String, String> growingTips1 = new HashMap<>();
        growingTips1.put("temperature", "20-25");
        growingTips1.put("light", "tolerant");
        growingTips1.put("watering", "200");
        Plant plant1 = new Plant("Plant1", "podzolic", "Europe", visualParameters1, growingTips1, "seeds");
        greenhouse.addPlant(plant1);
 
        Map<String, String> visualParameters2 = new HashMap<>();
        visualParameters2.put("stemColor", "brown");
        visualParameters2.put("leafColor", "green");
        visualParameters2.put("size", "small");
        Map<String, String> growingTips2 = new HashMap<>();
        growingTips2.put("temperature", "25-30");
        growingTips2.put("light", "tolerant");
        growingTips2.put("watering", "150");
        Plant plant2 = new Plant("Plant2", "gravelly", "Asia", visualParameters2, growingTips2, "cuttings");
        greenhouse.addPlant(plant2);
        
        gg.go();
 
        // Вход в систему
        
        //User currentUser = login();
//        if (gg.currentUser == null) {
//            System.out.println("Invalid username or password.");
//            ghg.incoming1.append("Invalid username or password.");
//            return;
//        }
//        System.out.println("Welcome, " + gg.currentUser.getUsername() + "!");
//        ghg.incoming1.append("Welcome\n");
 
        // Отображение доступных действий
        //GreenhouseGUI.currentUser = login();
//        if (GreenhouseGUI.currentUser.isAdmin()) {
//            showAdminActions();
//        } else {
//            showUserActions();
//        }
 
        // Выбор действия
        Scanner scanner = new Scanner(System.in);
        String choice = ghg.outgoing3.getText();
        int choiceInt = Integer.parseInt(choice);
        //scanner.nextLine(); // Очистка буфера
 
        // Обработка выбранного действия
        switch (choiceInt) {
            case 1:
                displayAllPlants();
                break;
            case 2:
                displayPlantsBySoilType();
                break;
            case 3:
                displayPlantDetails();
                break;
            case 4:
                if (GreenhouseGUI.currentUser.isAdmin()) {
                    addPlant();
                } else {
                    System.out.println("Invalid choice.");
                }
                break;
            case 5:
                if (GreenhouseGUI.currentUser.isAdmin()) {
                    removePlant();
                } else {
                    System.out.println("Invalid choice.");
                }
                break;
            default:
                System.out.println("Invalid choice.");
                break;
        }
    }
 
    // Метод для входа в систему
    public static User login() {
        GreenhouseGUI gg = new GreenhouseGUI();
        //gg.outgoing3.getText();
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter username: ");
        String username = EnterButtonListener.getMessage1();
        System.out.print("Enter password: ");
        String password = EnterButtonListener.getMessage2();
        for (User user : users) {
            if (user.getUsername().equalsIgnoreCase(username) && user.getPassword().equals(password)) {
                return user;
            }
        }
        return null;
    }
 
    // Метод для отображения доступных действий для администратора
    public static void showAdminActions() {
        System.out.println("Select an action:");
        System.out.println("1. Display all plants");
        System.out.println("2. Display plants by soil type");
        System.out.println("3. Display plant details");
        System.out.println("4. Add plant");
        System.out.println("5. Remove plant");
        System.out.print("Your choice: ");
        
        ghg.incoming2.setText("Select an action:" + '\n');
        ghg.incoming2.setText("1. Display all plants" + '\n');
        ghg.incoming2.setText("2. Display plants by soil type" + '\n');
        ghg.incoming2.setText("3. Display plant details" + '\n');
        ghg.incoming2.setText("4. Add plant" + '\n');
        ghg.incoming2.setText("5. Remove plant" + '\n');
        ghg.incoming2.setText("Your choice: " + '\n');
    }
 
    // Метод для отображения доступных действий для пользователя
    public static void showUserActions() {
        System.out.println("Select an action:");
        System.out.println("1. Display all plants");
        System.out.println("2. Display plants by soil type");
        System.out.println("3. Display plant details");
        System.out.print("Your choice: ");
        
        ghg.incoming2.setText("Select an action:" + '\n');
        ghg.incoming2.setText("1. Display all plants" + '\n');
        ghg.incoming2.setText("2. Display plants by soil type" + '\n');
        ghg.incoming2.setText("3. Display plant details" + '\n');
        ghg.incoming2.setText("Your choice: " + '\n');
    }
 
    // Метод для отображения всех растений в оранжерее
    private static void displayAllPlants() {
        List<Plant> plants = greenhouse.getAllPlants();
        System.out.println("All plants in the greenhouse:");
        for (Plant plant : plants) {
            System.out.println("- " + plant.getName());
        }
    }
 
    // Метод для отображения растений в оранжерее по типу почвы
    private static void displayPlantsBySoilType() {
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter soil type: ");
        String soilType = scanner.nextLine();
        List<Plant> plants = greenhouse.getPlantsBySoilType(soilType);
        if (plants.isEmpty()) {
            System.out.println("No plants found with soil type " + soilType);
        } else {
            System.out.println("Plants in the greenhouse with soil type " + soilType + ":");
            for (Plant plant : plants) {
                System.out.println("- " + plant.getName());
            }
        }
    }
 
    // Метод для отображения подробной информации о растении
    private static void displayPlantDetails() {
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter plant name: ");
        String plantName = scanner.nextLine();
        Plant plant = greenhouse.getPlantByName(plantName);
        if (plant == null) {
            System.out.println("No plant found with name " + plantName);
        } else {
            System.out.println("Details of plant " + plantName + ":");
            System.out.println("- Soil type: " + plant.getSoil());
            System.out.println("- Origin: " + plant.getOrigin());
            System.out.println("- Visual parameters:");
            Map<String, String> visualParameters = plant.getVisualParameters();
            for (String parameter : visualParameters.keySet()) {
                System.out.println("  * " + parameter + ": " + visualParameters.get(parameter));
            }
            System.out.println("- Growing tips:");
            Map<String, String> growingTips = plant.getGrowingTips();
            for (String tip : growingTips.keySet()) {
                System.out.println("  * " + tip + ": " + growingTips.get(tip));
            }
            System.out.println("- Multiplying method: " + plant.getMultiplying());
        }
    }
 
    // Метод для добавления растения в оранжерею (доступно только администратору)
    private static void addPlant() {
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter plant name: ");
        String name = scanner.nextLine();
        System.out.print("Enter soil type: ");
        String soil = scanner.nextLine();
        System.out.print("Enter origin: ");
        String origin = scanner.nextLine();
        Map<String, String> visualParameters = new HashMap<>();
        System.out.print("Enter stem color: ");
        visualParameters.put("stemColor", scanner.nextLine());
        System.out.print("Enter leaf color: ");
        visualParameters.put("leafColor", scanner.nextLine());
        System.out.print("Enter size: ");
        visualParameters.put("size", scanner.nextLine());
        Map<String, String> growingTips = new HashMap<>();
        System.out.print("Enter preferred temperature: ");
        growingTips.put("temperature", scanner.nextLine());
        System.out.print("Is the plant light-tolerant (yes/no)? ");
        String light = scanner.nextLine();
        growingTips.put("light", light.equalsIgnoreCase("yes") ? "tolerant" : "non-tolerant");
        System.out.print("Enter preferred watering (ml per week): ");
        growingTips.put("watering", scanner.nextLine());
        System.out.print("Enter multiplying method (seeds/cuttings/leaves): ");
        String multiplying = scanner.nextLine();
        Plant plant = new Plant(name, soil, origin, visualParameters, growingTips, multiplying);
        greenhouse.addPlant(plant);
    }
 
    // Метод для удаления растения из оранжереи (доступно только администратору)
    private static void removePlant() {
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter plant name: ");
        String plantName = scanner.nextLine();
        Plant plant = greenhouse.getPlantByName(plantName);
        if (plant == null) {
            System.out.println("No plant found with name " + plantName);
        } else {
            greenhouse.removePlant(plant);
        }
    }
}
Java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
import static forum.greenhouseapp.GreenhouseApp.ghg;
import java.awt.BorderLayout;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.io.BufferedReader;
import java.io.PrintWriter;
import java.net.Socket;
import javax.swing.BoxLayout;
import javax.swing.JButton;
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JList;
import javax.swing.JPanel;
import javax.swing.JScrollPane;
import javax.swing.JTextArea;
import javax.swing.JTextField;
import javax.swing.ScrollPaneConstants;
 
 
 
public class GreenhouseGUI {
    JTextArea incoming1;
    JTextArea incoming2;
    JTextField outgoing1;
    JTextField outgoing2;
    JTextField outgoing3;
    JList list;
    JLabel label1 = new JLabel("Логин:");
    JLabel label2 = new JLabel("Пароль:");
    public static User currentUser;
    
    public void go() {
        JFrame frame = new JFrame("Prog1");
        JPanel mainpanel = new JPanel();
        incoming1 = new JTextArea(10,30);
        JScrollPane qScroller1 = new JScrollPane(incoming1);
        qScroller1.setVerticalScrollBarPolicy(ScrollPaneConstants.VERTICAL_SCROLLBAR_ALWAYS);
        qScroller1.setHorizontalScrollBarPolicy(ScrollPaneConstants.HORIZONTAL_SCROLLBAR_NEVER);
        incoming2 = new JTextArea(10,30);
        JScrollPane qScroller2 = new JScrollPane(incoming2);
        qScroller2.setVerticalScrollBarPolicy(ScrollPaneConstants.VERTICAL_SCROLLBAR_ALWAYS);
        qScroller2.setHorizontalScrollBarPolicy(ScrollPaneConstants.HORIZONTAL_SCROLLBAR_NEVER);
        
        outgoing1 = new JTextField(20);
        outgoing2 = new JTextField(20);
        outgoing3 = new JTextField(20);
        outgoing1.setSize(10, 3);
        String name = "Login";
        outgoing1.setName(name);
        
        JButton enterButton = new JButton("Войти");
        enterButton.addActionListener(new EnterButtonListener());
        JButton choiсeButton = new JButton("Выбрать");
        choiсeButton.addActionListener(new ChoiсeButtonListener());
        //mainpanel.setLayout(new BoxLayout(mainpanel, BoxLayout.Y_AXIS));
        //mainpanel.add(qScroller1);
        mainpanel.add(label1);
        mainpanel.add(outgoing1);
        mainpanel.add(label2);
        mainpanel.add(outgoing2);
        mainpanel.add(outgoing3);
        mainpanel.add(enterButton);
        mainpanel.add(qScroller2);
        mainpanel.add(choiсeButton);
        frame.getContentPane().add(BorderLayout.NORTH, qScroller1);
        frame.getContentPane().add(BorderLayout.WEST, mainpanel);
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.setSize(1000, 900);
        frame.setVisible(true);
        
        
    }
    
    
    public class EnterButtonListener implements ActionListener {
        public static String message1, message2;
        @Override
        public void actionPerformed(ActionEvent e) {
            
            
            message1 = outgoing1.getText();
            message2 = outgoing2.getText();
            System.out.println("Прочитано message1 " + message1);
            System.out.println("Прочитано message2 " + message2);
            //incoming.setText(message + "\n");
            incoming1.append(message1 + "\n");
            incoming1.append(message2 + "\n");
            
            outgoing1.setText("");
            outgoing2.setText("");
            outgoing1.requestFocus();
            outgoing2.requestFocus();
            
            GreenhouseApp ga = new GreenhouseApp();
            currentUser = GreenhouseApp.login();
            //System.out.println("currentUser.getUsername() = " + currentUser.getUsername());
            if (currentUser == null) {
            System.out.println("Invalid username or password.");
            incoming1.append("Invalid username or password.");
            return;
        }
        System.out.println("Welcome, " + currentUser.getUsername() + "!");
        incoming1.append("Welcome\n");
        
        if (currentUser.isAdmin()) {
            GreenhouseApp.showAdminActions();
        } else {
            GreenhouseApp.showUserActions();
        }
        }
        public static String getMessage1() {
            return message1;
        } 
        public static String getMessage2() {
            return message2;
        }   
    }
    public class ChoiсeButtonListener implements ActionListener {
        public static String message1, message2, message3;
 
        @Override
        public void actionPerformed(ActionEvent e) {
            message3 = outgoing3.getText();
            System.out.println("Прочитано message3 " + message3);
            incoming1.append(message3 + "\n");
            outgoing3.setText("");
            outgoing3.requestFocus();
            incoming1.append("IIInvalid username or password.");
            //incoming1.getText();
        }
        public String getMessage3() {
            return message3;
        } 
        
    }
}
0
226 / 95 / 32
Регистрация: 01.10.2022
Сообщений: 664
Записей в блоге: 45
28.06.2023, 12:19 3
Черновой вариант сделал!
Если будет необходимость, то доработаем по деталям!

Java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
import java.util.ArrayList;
import java.util.List;
 
public class Greenhouse {
    private List<Plant> plantList;
 
    public Greenhouse() {
        this.plantList = new ArrayList<>();
    }
 
    public void addPlant(Plant plant) {
        plantList.add(plant);
        System.out.println(plant.getName() + " added to the greenhouse.");
    }
 
    public void removePlant(Plant plant) {
        plantList.remove(plant);
        System.out.println(plant.getName() + " removed from the greenhouse.");
    }
 
    public Plant getPlantByName(String name) {
        for (Plant plant : plantList) {
            if (plant.getName().equalsIgnoreCase(name)) {
                return plant;
            }
        }
        return null;
    }
 
    public List<Plant> getPlantsBySoilType(String soilType) {
        List<Plant> plants = new ArrayList<>();
        for (Plant plant : plantList) {
            if (plant.getSoil().equalsIgnoreCase(soilType)) {
                plants.add(plant);
            }
        }
        //GreenhouseGUI.incoming1.append("Мы в Greenhouse displayPlantsBySoilType \n");
        return plants;
    }
 
    public List<Plant> getAllPlants() {
        return plantList;
    }
}
Java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
import forum.greenhouseapp.GreenhouseGUI.EnterButtonListener;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Scanner;
import javax.swing.JList;
 
public class GreenhouseApp {
 
    private static final String ADMIN_USERNAME = "admin";
    private static final String ADMIN_PASSWORD = "admin123";
 
    private static Greenhouse greenhouse = new Greenhouse();
    private static List<User> users = new ArrayList<>();
    
    static GreenhouseGUI ghg = new GreenhouseGUI();
    static GreenhouseGUI.EnterButtonListener ghgin1 = ghg.new EnterButtonListener();
    static GreenhouseGUI.ChoiсeButtonListener ghgin2 = ghg.new ChoiсeButtonListener();
 
    public static void main(String[] args) {
        GreenhouseGUI gg = new GreenhouseGUI();
        System.out.println("Проверка1 - начало main");
        // Добавление пользователей
        users.add(new User("user1", "password1", false));
        users.add(new User("user2", "password2", false));
        users.add(new User(ADMIN_USERNAME, ADMIN_PASSWORD, true));
 
        // Добавление растений в оранжерею
        Map<String, String> visualParameters1 = new HashMap<>();
        visualParameters1.put("stemColor", "green");
        visualParameters1.put("leafColor", "green");
        visualParameters1.put("size", "medium");
        Map<String, String> growingTips1 = new HashMap<>();
        growingTips1.put("temperature", "20-25");
        growingTips1.put("light", "tolerant");
        growingTips1.put("watering", "200");
        Plant plant1 = new Plant("Plant1", "podzolic", "Europe", visualParameters1, growingTips1, "seeds");
        greenhouse.addPlant(plant1);
 
        Map<String, String> visualParameters2 = new HashMap<>();
        visualParameters2.put("stemColor", "brown");
        visualParameters2.put("leafColor", "green");
        visualParameters2.put("size", "small");
        Map<String, String> growingTips2 = new HashMap<>();
        growingTips2.put("temperature", "25-30");
        growingTips2.put("light", "tolerant");
        growingTips2.put("watering", "150");
        Plant plant2 = new Plant("Plant2", "gravelly", "Asia", visualParameters2, growingTips2, "cuttings");
        greenhouse.addPlant(plant2);
        
        gg.go();
        //System.out.println("Проверка1 - это main, мы после метода Гоу");
        // Вход в систему
        
        //User currentUser = login();
//        if (gg.currentUser == null) {
//            System.out.println("Invalid username or password.");
//            ghg.incoming1.append("Invalid username or password.");
//            return;
//        }
//        System.out.println("Welcome, " + gg.currentUser.getUsername() + "!");
//        ghg.incoming1.append("Welcome\n");
 
        // Отображение доступных действий
        //GreenhouseGUI.currentUser = login();
//        if (GreenhouseGUI.currentUser.isAdmin()) {
//            showAdminActions();
//        } else {
//            showUserActions();
//        }
 
        // Выбор действия
        Scanner scanner = new Scanner(System.in);
        String choice = scanner.nextLine();
        int choiceInt = Integer.parseInt(choice);
        //scanner.nextLine(); // Очистка буфера
 
        // Обработка выбранного действия
//        switch (choiceInt) {
//            case 1:
//                displayAllPlants();
//                break;
//            case 2:
//                displayPlantsBySoilType();
//                break;
//            case 3:
//                displayPlantDetails();
//                break;
//            case 4:
//                if (GreenhouseGUI.currentUser.isAdmin()) {
//                    addPlant();
//                } else {
//                    System.out.println("Invalid choice.");
//                }
//                break;
//            case 5:
//                if (GreenhouseGUI.currentUser.isAdmin()) {
//                    removePlant();
//                } else {
//                    System.out.println("Invalid choice.");
//                }
//                break;
//            default:
//                System.out.println("Invalid choice.");
//                break;
//        }
        //System.out.println("Проверка1 - мы в конце метода main");
    }
 
    // Метод для входа в систему
    public static User login() {
        GreenhouseGUI gg = new GreenhouseGUI();
        //gg.outgoing3.getText();
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter username: ");
        String username = EnterButtonListener.getMessage1();
        System.out.print("Enter password: ");
        String password = EnterButtonListener.getMessage2();
        for (User user : users) {
            if (user.getUsername().equalsIgnoreCase(username) && user.getPassword().equals(password)) {
                return user;
            }
        }
        return null;
    }
 
    // Метод для отображения доступных действий для администратора
    public static void showAdminActions() {
        //String list;
        
        System.out.println("Select an action:");
        System.out.println("1. Display all plants");
        System.out.println("2. Display plants by soil type");
        System.out.println("3. Display plant details");
        System.out.println("4. Add plant");
        System.out.println("5. Remove plant");
        System.out.print("Your choice: ");
        
        
        
        GreenhouseGUI.incoming2.setText("Select an action:" + '\n');
        GreenhouseGUI.incoming2.setText("1. Display all plants" + '\n');
        GreenhouseGUI.incoming2.setText("2. Display plants by soil type" + '\n');
        GreenhouseGUI.incoming2.setText("3. Display plant details" + '\n');
        GreenhouseGUI.incoming2.setText("4. Add plant" + '\n');
        GreenhouseGUI.incoming2.setText("5. Remove plant" + '\n');
        GreenhouseGUI.incoming2.setText("Your choice: " + '\n');
        
        
    }
 
    // Метод для отображения доступных действий для пользователя
    public static void showUserActions() {
        System.out.println("Select an action:");
        System.out.println("1. Display all plants");
        System.out.println("2. Display plants by soil type");
        System.out.println("3. Display plant details");
        System.out.print("Your choice: ");
        
        ghg.incoming2.setText("Select an action:" + '\n');
        ghg.incoming2.setText("1. Display all plants" + '\n');
        ghg.incoming2.setText("2. Display plants by soil type" + '\n');
        ghg.incoming2.setText("3. Display plant details" + '\n');
        ghg.incoming2.setText("Your choice: " + '\n');
    }
 
    // Метод для отображения всех растений в оранжерее
    public static void displayAllPlants() {
        List<Plant> plants = greenhouse.getAllPlants();
        System.out.println("\nAll plants in the greenhouse:");
        GreenhouseGUI.incoming1.append("\nAll plants in the greenhouse:");
        GreenhouseGUI.incoming1.append("\n");
        for (Plant plant : plants) {
            System.out.println("- " + plant.getName());
            GreenhouseGUI.incoming1.append(plant.getName() + "\n");
        }
    }
 
    // Метод для отображения растений в оранжерее по типу почвы
    public static void displayPlantsBySoilType() {
        //GreenhouseGUI.incoming1.append("Мы в начале displayPlantsBySoilType GreenhouseApp\n");
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter soil type: ");
        GreenhouseGUI.incoming1.append("\nEnter soil type:\n");
        //String soilType = scanner.nextLine();
        String soilType = GreenhouseGUI.outgoing3.getText();
        System.out.println("Вывод " + soilType);
        GreenhouseGUI.incoming1.append(soilType);
        GreenhouseGUI.outgoing3.setText("");
        List<Plant> plants = greenhouse.getPlantsBySoilType(soilType);
        if (plants.isEmpty()) {
            System.out.println("No plants found with soil type " + soilType);
            GreenhouseGUI.incoming1.append("No plants found with soil type ");
            GreenhouseGUI.incoming1.append(soilType + "\n");
        } else {
            System.out.println("Plants in the greenhouse with soil type " + soilType + ":");
            GreenhouseGUI.incoming1.append("\nPlants in the greenhouse with soil type " + soilType + ":\n");
            for (Plant plant : plants) {
                System.out.println("- " + plant.getName());
                GreenhouseGUI.incoming1.append("- " + plant.getName() + ":\n");
            }
        }
        //GreenhouseGUI.incoming1.append("Мы в конце displayPlantsBySoilType GreenhouseApp\n");
    }
 
    // Метод для отображения подробной информации о растении
    public static void displayPlantDetails() {
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter plant name: ");
        //String plantName = scanner.nextLine();
        String plantName = GreenhouseGUI.outgoing3.getText();
        System.out.print("Проверка! plantName = " + plantName + "\n");
        Plant plant = greenhouse.getPlantByName(plantName);
        //GreenhouseGUI.incoming1.append("\nplant = " + plant.getName() + ":\n");
        GreenhouseGUI.outgoing3.setText("");
        if (plant == null) {
            System.out.println("No plant found with name " + plantName);
            GreenhouseGUI.incoming1.append("\nNo plants found with name " + plantName + "\n");
        } else {
            System.out.println("Details of plant " + plantName + ":");
            GreenhouseGUI.incoming1.append("\nDetails of plant " + plantName + ":\n");
            System.out.println("- Soil type: " + plant.getSoil());
            GreenhouseGUI.incoming1.append("- Soil type: " + plant.getSoil() + "\n");
            System.out.println("- Origin: " + plant.getOrigin());
            GreenhouseGUI.incoming1.append("- Origin: " + plant.getOrigin() + "\n");
            System.out.println("- Visual parameters:");
            GreenhouseGUI.incoming1.append("- Visual parameters:\n");
            Map<String, String> visualParameters = plant.getVisualParameters();
            for (String parameter : visualParameters.keySet()) {
                System.out.println("  * " + parameter + ": " + visualParameters.get(parameter));
                GreenhouseGUI.incoming1.append("  * " + parameter + ": " + visualParameters.get(parameter) + "\n");
            }
            System.out.println("- Growing tips:");
            GreenhouseGUI.incoming1.append("- Growing tips:\n");
            Map<String, String> growingTips = plant.getGrowingTips();
            for (String tip : growingTips.keySet()) {
                System.out.println("  * " + tip + ": " + growingTips.get(tip));
                GreenhouseGUI.incoming1.append("  * " + tip + ": " + growingTips.get(tip) + "\n");
            }
            System.out.println("- Multiplying method: " + plant.getMultiplying());
            GreenhouseGUI.incoming1.append("- Multiplying method: " + plant.getMultiplying() + "\n");
        }
    }
 
    // Метод для добавления растения в оранжерею (доступно только администратору)
    public static void addPlant() {
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter plant name: ");
        //String name = scanner.nextLine();
        GreenhouseGUI.incoming1.append("Enter plant name: \n");
        String name = GreenhouseGUI.addName.getText();
        GreenhouseGUI.addName.setText("");
        System.out.print("Enter soil type: ");
        //String soil = scanner.nextLine();
        GreenhouseGUI.incoming1.append("Enter soil type: \n");
        String soil = GreenhouseGUI.addSoilType.getText();
        GreenhouseGUI.addSoilType.setText("");
        System.out.print("Enter origin: ");
        //String origin = scanner.nextLine();
        GreenhouseGUI.incoming1.append("Enter origin: \n");
        //String origin = GreenhouseGUI.outgoing3.getText();
        String origin = "origin";
        GreenhouseGUI.outgoing3.setText("");
        Map<String, String> visualParameters = new HashMap<>();
        System.out.print("Enter stem color: ");
        GreenhouseGUI.incoming1.append("\nEnter stem color: \n");
        //visualParameters.put("stemColor", scanner.nextLine());
        //visualParameters.put("stemColor", GreenhouseGUI.outgoing3.getText());
        visualParameters.put("stemColor", "leafColor-1");
        GreenhouseGUI.outgoing3.setText("");
        System.out.print("Enter leaf color: ");
        //visualParameters.put("leafColor", scanner.nextLine());
        visualParameters.put("leafColor", "leafColor-2");
        System.out.print("Enter size: ");
        //visualParameters.put("size", scanner.nextLine());
        visualParameters.put("size", "size-1");
        Map<String, String> growingTips = new HashMap<>();
        System.out.print("Enter preferred temperature: ");
        //growingTips.put("temperature", scanner.nextLine());
        growingTips.put("temperature", "temperature-1");
        System.out.print("Is the plant light-tolerant (yes/no)? ");
        String light = "yes";
        growingTips.put("light", light.equalsIgnoreCase("yes") ? "tolerant" : "non-tolerant");
        System.out.print("Enter preferred watering (ml per week): ");
        growingTips.put("watering", "week");
        System.out.print("Enter multiplying method (seeds/cuttings/leaves): ");
        String multiplying = "seeds";
        Plant plant = new Plant(name, soil, origin, visualParameters, growingTips, multiplying);
        greenhouse.addPlant(plant);
    }
 
    // Метод для удаления растения из оранжереи (доступно только администратору)
    public static void removePlant() {
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter plant name: ");
        //String plantName = scanner.nextLine();
        String plantName = GreenhouseGUI.outgoing3.getText();
        GreenhouseGUI.incoming1.append(plantName + '\n');
        Plant plant = greenhouse.getPlantByName(plantName);
        if (plant == null) {
            System.out.println("No plant found with name " + plantName);
            GreenhouseGUI.incoming1.append("No plant found with name " + plantName);
        } else {
            greenhouse.removePlant(plant);
        }
    }
}
Java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
package forum.greenhouseapp;
 
// Класс для хранения информации о растениях
 
import java.util.Map;
 
public class Plant {
    private String name;
    private String soil;
    private String origin;
    private Map<String, String> visualParameters;
    private Map<String, String> growingTips;
    private String multiplying;
 
    public Plant(String name, String soil, String origin, Map<String, String> visualParameters, Map<String, String> growingTips, String multiplying) {
        this.name = name;
        this.soil = soil;
        this.origin = origin;
        this.visualParameters = visualParameters;
        this.growingTips = growingTips;
        this.multiplying = multiplying;
    }
 
    public String getName() {
        return name;
    }
 
    public String getSoil() {
        return soil;
    }
 
    public String getOrigin() {
        return origin;
    }
 
    public Map<String, String> getVisualParameters() {
        return visualParameters;
    }
 
    public Map<String, String> getGrowingTips() {
        return growingTips;
    }
 
    public String getMultiplying() {
        return multiplying;
    }
 
    @Override
    public String toString() {
        return name + " (soil: " + soil + ", origin: " + origin + ")";
    }
}
Java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
package forum.greenhouseapp;
 
// Класс для хранения информации о пользователях
public class User {
    private String username;
    private String password;
    private boolean isAdmin;
 
    public User(String username, String password, boolean isAdmin) {
        this.username = username;
        this.password = password;
        this.isAdmin = isAdmin;
    }
 
    public String getUsername() {
        return username;
    }
 
    public String getPassword() {
        return password;
    }
 
    public boolean isAdmin() {
        return isAdmin;
    }
}
Миниатюры
Переделать текстовый вывод из консоли в вывод с использованием GUI интерфейсов   Переделать текстовый вывод из консоли в вывод с использованием GUI интерфейсов  
0
226 / 95 / 32
Регистрация: 01.10.2022
Сообщений: 664
Записей в блоге: 45
28.06.2023, 12:20 4
Правда пришлось пожертвовать некоторым принципам инкапсуляции и применять везде статические переменные и методы.
Но это у меня вторая программка связанная с GUI.

Java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
package forum.greenhouseapp;
 
import static forum.greenhouseapp.GreenhouseApp.ghg;
import java.awt.BorderLayout;
import java.awt.FlowLayout;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.io.BufferedReader;
import java.io.PrintWriter;
import java.net.Socket;
import javax.swing.BoxLayout;
import javax.swing.JButton;
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JList;
import javax.swing.JPanel;
import javax.swing.JScrollPane;
import javax.swing.JTextArea;
import javax.swing.JTextField;
import javax.swing.ListSelectionModel;
import javax.swing.ScrollPaneConstants;
import javax.swing.event.ListSelectionEvent;
import javax.swing.event.ListSelectionListener;
 
 
 
public class GreenhouseGUI {
    static JTextArea incoming1;
    static JTextArea incoming2;
    JTextField outgoing1;
    JTextField outgoing2;
    static JTextField addName;
    static JTextField addSoilType;
    static JTextField outgoing3;
    JTextField outgoing5;
    JTextField outgoing6;
    JPanel mainpanel2;
    JList list;
    JLabel label1 = new JLabel("Логин:");
    JLabel label2 = new JLabel("Пароль:");
    JLabel label3 = new JLabel("Поле ввода:");
    JLabel label4 = new JLabel(" ");
    JLabel label5 = new JLabel("Name");
    JLabel label6 = new JLabel("Soil type");
    JFrame frame = new JFrame("Prog1");
    
    public static User currentUser;
    
    public void go() {
        //JFrame frame = new JFrame("Prog1");
        JPanel mainpanel = new JPanel();
        mainpanel2 = new JPanel();
        incoming1 = new JTextArea(10,30);
        incoming1.getScrollableTracksViewportHeight();
        incoming1.requestFocus();
        JScrollPane qScroller1 = new JScrollPane(incoming1);
        qScroller1.setVerticalScrollBarPolicy(ScrollPaneConstants.VERTICAL_SCROLLBAR_ALWAYS);
        qScroller1.setHorizontalScrollBarPolicy(ScrollPaneConstants.HORIZONTAL_SCROLLBAR_NEVER);
        incoming2 = new JTextArea(10,30);
        JScrollPane qScroller2 = new JScrollPane(incoming2);
        qScroller2.setVerticalScrollBarPolicy(ScrollPaneConstants.VERTICAL_SCROLLBAR_ALWAYS);
        qScroller2.setHorizontalScrollBarPolicy(ScrollPaneConstants.HORIZONTAL_SCROLLBAR_NEVER);
//        String[] listEntries = {"1. Display all plants", "2. Display plants by soil type",
//         "3. Display plant details", "4. Add plant", "5. Remove plant"};
//        list = new JList(listEntries);
//        list.setVisibleRowCount(5);
//        list.setSize(5, 3);
        
        
        outgoing1 = new JTextField(20);
        outgoing2 = new JTextField(20);
        outgoing3 = new JTextField(20);
        outgoing5 = new JTextField(20);
        outgoing6 = new JTextField(20);
        addName = new JTextField(20);
        addSoilType = new JTextField(20);
        
        outgoing1.setSize(10, 3);
        String name = "Login";
        outgoing1.setName(name);
        String name3 = "Выбрать";
        outgoing3.setName(name3);
        
        JButton enterButton = new JButton("Войти");
        enterButton.addActionListener(new EnterButtonListener());
        JButton choiсeButton = new JButton("Выбрать");
        choiсeButton.addActionListener(new ChoiсeButtonListener());
        JButton addDelButton = new JButton("Добавить/Удалить");
        addDelButton.addActionListener(new AddDelButtonListener());
        //list.addListSelectionListener(new ChoiceListSelectionListener());
        mainpanel.setLayout(new BoxLayout(mainpanel, BoxLayout.Y_AXIS));
        mainpanel2.setLayout(new BoxLayout(mainpanel2, BoxLayout.Y_AXIS));
        //mainpanel.setLayout(new FlowLayout(mainpanel, FlowLayout.LEFT));
        //mainpanel.add(qScroller1);
        mainpanel.add(label1);
        mainpanel.add(outgoing1);
        mainpanel.add(label2);
        mainpanel.add(outgoing2);
        mainpanel.add(enterButton);
        mainpanel.add(label4);
        mainpanel.add(label3);
        mainpanel.add(outgoing3);
        mainpanel.add(choiсeButton);
        mainpanel.add(addDelButton);
        //mainpanel.add(qScroller2);
        mainpanel2.add(label5);
        mainpanel2.add(addName);
        mainpanel2.add(label6);
        mainpanel2.add(addSoilType);
        
        frame.getContentPane().add(BorderLayout.NORTH, qScroller1);
        frame.getContentPane().add(BorderLayout.WEST, mainpanel);
        //frame.getContentPane().add(BorderLayout.EAST, mainpanel2);
        //frame.getContentPane().add(BorderLayout.CENTER, list);
        
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.setSize(1000, 400);
        frame.setVisible(true);
        
        System.out.println("Проверка3 - мы в методе Гоу, в конце");
    }
    
    
    public class EnterButtonListener implements ActionListener {
        public static String message1, message2;
        @Override
        public void actionPerformed(ActionEvent e) {
            
            //System.out.println("Мы в actionPerformed");
            message1 = outgoing1.getText();
            message2 = outgoing2.getText();
            System.out.println("Прочитано message1 " + message1);
            System.out.println("Прочитано message2 " + message2);
            //incoming.setText(message + "\n");
            incoming1.append(message1 + "\n");
            incoming1.append(message2 + "\n");
            
            outgoing1.setText("");
            outgoing2.setText("");
            outgoing1.requestFocus();
            outgoing2.requestFocus();
            
            GreenhouseApp ga = new GreenhouseApp();
            currentUser = GreenhouseApp.login();
            //System.out.println("currentUser.getUsername() = " + currentUser.getUsername());
            if (currentUser == null) {
            System.out.println("Invalid username or password.");
            incoming1.append("Invalid username or password.");
            return;
            }
        System.out.println("Welcome, " + currentUser.getUsername() + "!");
        incoming1.append("Welcome\n" + currentUser.getUsername());
        
        if (currentUser.isAdmin()) {
            System.out.println("Мы в isAdmin");
            GreenhouseApp.showAdminActions();
            
            //frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            
            String[] listEntries = {"1. Display all plants", "2. Display plants by soil type",
               "3. Display plant details", "4. Add plant", "5. Remove plant"};
            list = new JList(listEntries);
            list.setSelectionMode(ListSelectionModel.SINGLE_SELECTION);
            list.addListSelectionListener(new ChoiceListSelectionListener());
            frame.getContentPane().add(BorderLayout.CENTER, list);
            frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            frame.setSize(1000, 400);
            frame.setVisible(true);
            
            
            //GreenhouseApp.displayAllPlants();
        } else {
            System.out.println("Мы в showUserActions");
            GreenhouseApp.showUserActions();
            
            String[] listEntries = {"1. Display all plants", "2. Display plants by soil type",
               "3. Display plant details"};
            list = new JList(listEntries);
            list.setSelectionMode(ListSelectionModel.SINGLE_SELECTION);
            list.addListSelectionListener(new ChoiceListSelectionListener());
            frame.getContentPane().add(BorderLayout.CENTER, list);
            frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            frame.setSize(1000, 400);
            frame.setVisible(true);
        }
        
        
        
        //list = new JList(listEntries);
        }
        
        public static String getMessage1() {
            return message1;
        } 
        public static String getMessage2() {
            return message2;
        }   
    }
    public class ChoiсeButtonListener implements ActionListener {
        public static String message1, message2, message3;
 
        @Override
        public void actionPerformed(ActionEvent e) {
            message3 = outgoing3.getText();
            System.out.println("Прочитано message3 " + message3);
            incoming1.append(message3 + "\n");
            //outgoing3.setText("");
            outgoing3.requestFocus();
            //incoming1.append("IIInvalid username or password.");
            //incoming1.getText();
            if (list.getSelectedValue() == "2. Display plants by soil type") {
                GreenhouseApp.displayPlantsBySoilType();
            } else if (list.getSelectedValue() == "4. Add plant") {
                //GreenhouseApp.addPlant();
            }
            
        }
        
        public String getMessage3() {
            return message3;
        } 
        
    }
    public class ChoiceListSelectionListener implements ListSelectionListener {
        public static String selection;
        public static boolean key1 = true, key2 = true, key3 = true;
        @Override
        public void valueChanged(ListSelectionEvent e) {
            if (!e.getValueIsAdjusting()) {
                selection = (String) list.getSelectedValue();
            }
            //selection = (String) list.getSelectedValue();
            System.out.println("Мы в valueChanged!, ");
            System.out.println("selection = " + selection);
            
            switch (selection) {
            case "1. Display all plants":
                //GreenhouseGUI.incoming1.append("Мы в SWITCH запускаем displayAllPlants \n");
                if (key1) {
                    key1 = false;
                    GreenhouseApp.displayAllPlants();
                    key2 = true;
                    key3 = true;
                }
                break;
            case "2. Display plants by soil type":
               //GreenhouseGUI.incoming1.append("Мы в GUI запускаем displayPlantsBySoilType \n");
//                if (list.getSelectedValue() == "2. Display plants by soil type") {
//                    GreenhouseApp.displayPlantsBySoilType();
//                }
                if (key2) {
                    key2 = false;
                    GreenhouseApp.displayPlantsBySoilType();
                    key1 = true;
                    key3 = true;
                }
               
               break;
            case "3. Display plant details":
                if (key3) {
                    GreenhouseApp.displayPlantDetails();
                    key1 = true;
                    key2 = true;
                    key3 = false;
                }
                
                //mainpanel2.removeAll();
                break;
            case "4. Add plant":
                if (GreenhouseGUI.currentUser.isAdmin()) {
                    GreenhouseApp.addPlant();
                    frame.getContentPane().add(BorderLayout.EAST, mainpanel2);
                    frame.setSize(1000, 400);
                    frame.setVisible(true);
                } else {
                    System.out.println("Invalid choice.");
                }
                break;
            case "5. Remove plant":
                if (GreenhouseGUI.currentUser.isAdmin()) {
                    GreenhouseApp.removePlant();
                } else {
                    System.out.println("Invalid choice.");
                }
                break;
            default:
                System.out.println("Invalid choice.");
                break;
            }
        }
    }
    
    public class AddDelButtonListener implements ActionListener {
 
        @Override
        public void actionPerformed(ActionEvent e) {
            if (GreenhouseGUI.ChoiceListSelectionListener.selection == "4. Add plant") {
                GreenhouseApp.addPlant();
            }
            else if (GreenhouseGUI.ChoiceListSelectionListener.selection == "5. Remove plant") {
                GreenhouseApp.removePlant();
            } 
        }
        
    }
 
}
0
226 / 95 / 32
Регистрация: 01.10.2022
Сообщений: 664
Записей в блоге: 45
12.07.2023, 09:01 5
Может кто подскажет, не получается сделать рабочее меню из Листа.

так все работает:
Java
1
2
3
4
5
6
7
8
9
10
11
12
public class ChoiceListSelectionListener implements ListSelectionListener {
        public static String selection;
 
@Override
        public void valueChanged(ListSelectionEvent e) {
            
            
                if (!e.getValueIsAdjusting()) {
                        selection = (String) list.getSelectedValue();
                }
                       
                System.out.println("selection = " + selection);
а когда я пытаюсь пройти по менюшке повторно, selection присваевается значение null
Почему такое происходит, не пойму?

Добавлено через 3 минуты
Ну вернее не повторно, повторно все работает, а когда грубо говоря заново создается список и заново нужно пройти по менюшке?

Вот так создается список:

Java
1
2
3
4
5
6
7
8
9
String[] listEntries = {"1. Display all plants", "2. Display plants by soil type",
               "3. Display plant details", "4. Add plant", "5. Remove plant"};
            list = new JList(listEntries);
            list.setSelectionMode(ListSelectionModel.SINGLE_SELECTION);
            list.addListSelectionListener(new ChoiceListSelectionListener());
            frame.getContentPane().add(BorderLayout.CENTER, list);
            frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            frame.setSize(1000, 400);
            frame.setVisible(true);
0
226 / 95 / 32
Регистрация: 01.10.2022
Сообщений: 664
Записей в блоге: 45
09.08.2023, 23:54 6
Избавился от кучи статических методов, но от статических объектов избавиться не получается
Java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
import java.util.ArrayList;
import java.util.List;
 
public class Greenhouse {
    private List<Plant> plantList;
 
    public Greenhouse() {
        this.plantList = new ArrayList<>();
    }
 
    public void addPlant(Plant plant) {
        plantList.add(plant);
        System.out.println(plant.getName() + " added to the greenhouse.");
    }
 
    public void removePlant(Plant plant) {
        plantList.remove(plant);
        System.out.println(plant.getName() + " removed from the greenhouse.");
        
    }
 
    public Plant getPlantByName(String name) {
        for (Plant plant : plantList) {
            if (plant.getName().equalsIgnoreCase(name)) {
                return plant;
            }
        }
        return null;
    }
 
    public List<Plant> getPlantsBySoilType(String soilType) {
        List<Plant> plants = new ArrayList<>();
        for (Plant plant : plantList) {
            if (plant.getSoil().equalsIgnoreCase(soilType)) {
                plants.add(plant);
            }
        }
        //GreenhouseGUI.incoming1.append("Мы в Greenhouse displayPlantsBySoilType \n");
        return plants;
    }
 
    public List<Plant> getAllPlants() {
        return plantList;
    }
}
Java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
import forum.greenhouseapp1.GreenhouseGUI.EnterButtonListener;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Scanner;
import javax.swing.JList;
 
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Scanner;
 
public class GreenhouseApp1 {
 
    private static final String ADMIN_USERNAME = "admin";
    private static final String ADMIN_PASSWORD = "admin123";
 
    private static Greenhouse greenhouse = new Greenhouse();
    private static List<User> users = new ArrayList<>();;
    //public static GreenhouseApp1 gh1 = new GreenhouseApp1();
    public static GreenhouseGUI gg = new GreenhouseGUI();
//    static GreenhouseGUI ghg = new GreenhouseGUI();
//    static GreenhouseGUI.EnterButtonListener ghgin1 = ghg.new EnterButtonListener();
//    static GreenhouseGUI.ChoiсeButtonListener ghgin2 = ghg.new ChoiсeButtonListener();
 
    public static void main(String[] args) {
        
        
        System.out.println("Проверка1 - начало main");
        // Добавление пользователей
        users.add(new User("user1", "password1", false));
        users.add(new User("user2", "password2", false));
        users.add(new User(ADMIN_USERNAME, ADMIN_PASSWORD, true));
        //users.add(new User("user1", "password1", false));
        //users.add(new User("user2", "password2", false));
        //users.add(new User(ADMIN_USERNAME, ADMIN_PASSWORD, true));
 
        // Добавление растений в оранжерею
        Map<String, String> visualParameters1 = new HashMap<>();
        visualParameters1.put("stemColor", "green");
        visualParameters1.put("leafColor", "green");
        visualParameters1.put("size", "medium");
        Map<String, String> growingTips1 = new HashMap<>();
        growingTips1.put("temperature", "20-25");
        growingTips1.put("light", "tolerant");
        growingTips1.put("watering", "200");
        Plant plant1 = new Plant("Plant1", "podzolic", "Europe", visualParameters1, growingTips1, "seeds");
        greenhouse.addPlant(plant1);
 
        Map<String, String> visualParameters2 = new HashMap<>();
        visualParameters2.put("stemColor", "brown");
        visualParameters2.put("leafColor", "green");
        visualParameters2.put("size", "small");
        Map<String, String> growingTips2 = new HashMap<>();
        growingTips2.put("temperature", "25-30");
        growingTips2.put("light", "tolerant");
        growingTips2.put("watering", "150");
        Plant plant2 = new Plant("Plant2", "gravelly", "Asia", visualParameters2, growingTips2, "cuttings");
        greenhouse.addPlant(plant2);
        
        gg.go();
        //System.out.println("Проверка1 - это main, мы после метода Гоу");
        // Вход в систему
        
        //User currentUser = login();
//        if (gg.currentUser == null) {
//            System.out.println("Invalid username or password.");
//            ghg.incoming1.append("Invalid username or password.");
//            return;
//        }
//        System.out.println("Welcome, " + gg.currentUser.getUsername() + "!");
//        ghg.incoming1.append("Welcome\n");
 
        // Отображение доступных действий
        //GreenhouseGUI.currentUser = login();
//        if (GreenhouseGUI.currentUser.isAdmin()) {
//            showAdminActions();
//        } else {
//            showUserActions();
//        }
 
        // Выбор действия
        Scanner scanner = new Scanner(System.in);
        String choice = scanner.nextLine();
        int choiceInt = Integer.parseInt(choice);
        //scanner.nextLine(); // Очистка буфера
 
        // Обработка выбранного действия
//        switch (choiceInt) {
//            case 1:
//                displayAllPlants();
//                break;
//            case 2:
//                displayPlantsBySoilType();
//                break;
//            case 3:
//                displayPlantDetails();
//                break;
//            case 4:
//                if (GreenhouseGUI.currentUser.isAdmin()) {
//                    addPlant();
//                } else {
//                    System.out.println("Invalid choice.");
//                }
//                break;
//            case 5:
//                if (GreenhouseGUI.currentUser.isAdmin()) {
//                    removePlant();
//                } else {
//                    System.out.println("Invalid choice.");
//                }
//                break;
//            default:
//                System.out.println("Invalid choice.");
//                break;
//        }
        //System.out.println("Проверка1 - мы в конце метода main");
    }
 
    // Метод для входа в систему
    public User login() {
        //GreenhouseGUI gg = new GreenhouseGUI();
        //gg.outgoing3.getText();
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter username: ");
        String username = EnterButtonListener.getMessage1();
        System.out.print("Enter password: ");
        String password = EnterButtonListener.getMessage2();
        
        for (User user : users) {
            if (user.getUsername().equalsIgnoreCase(username) && user.getPassword().equals(password)) {
                return user;
            }
        }
        return null;
    }
 
    // Метод для отображения доступных действий для администратора
    public void showAdminActions() {
        //String list;
        
        System.out.println("Select an action:");
        System.out.println("1. Display all plants");
        System.out.println("2. Display plants by soil type");
        System.out.println("3. Display plant details");
        System.out.println("4. Add plant");
        System.out.println("5. Remove plant");
        System.out.print("Your choice: ");
        
        
        
//        GreenhouseGUI.incoming2.setText("Select an action:" + '\n');
//        GreenhouseGUI.incoming2.setText("1. Display all plants" + '\n');
//        GreenhouseGUI.incoming2.setText("2. Display plants by soil type" + '\n');
//        GreenhouseGUI.incoming2.setText("3. Display plant details" + '\n');
//        GreenhouseGUI.incoming2.setText("4. Add plant" + '\n');
//        GreenhouseGUI.incoming2.setText("5. Remove plant" + '\n');
//        GreenhouseGUI.incoming2.setText("Your choice: " + '\n');
        
        
    }
 
    // Метод для отображения доступных действий для пользователя
    public void showUserActions() {
        System.out.println("Select an action:");
        System.out.println("1. Display all plants");
        System.out.println("2. Display plants by soil type");
        System.out.println("3. Display plant details");
        System.out.print("Your choice: ");
        
//        ghg.incoming2.setText("Select an action:" + '\n');
//        ghg.incoming2.setText("1. Display all plants" + '\n');
//        ghg.incoming2.setText("2. Display plants by soil type" + '\n');
//        ghg.incoming2.setText("3. Display plant details" + '\n');
//        ghg.incoming2.setText("Your choice: " + '\n');
    }
 
    // Метод для отображения всех растений в оранжерее
    public void displayAllPlants() {
        List<Plant> plants = greenhouse.getAllPlants();
        System.out.println("\nAll plants in the greenhouse:");
        gg.incoming1.append("\nAll plants in the greenhouse:");
        gg.incoming1.append("\n");
        for (Plant plant : plants) {
            System.out.println("- " + plant.getName());
            gg.incoming1.append(plant.getName() + "\n");
        }
    }
 
    // Метод для отображения растений в оранжерее по типу почвы
    public void displayPlantsBySoilType() {
        //GreenhouseGUI.incoming1.append("Мы в начале displayPlantsBySoilType GreenhouseApp\n");
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter soil type: ");
        gg.incoming1.append("\nEnter soil type:\n");
        //String soilType = scanner.nextLine();
        String soilType = gg.outgoing3.getText();
        System.out.println("Вывод " + soilType);
        gg.incoming1.append(soilType);
        gg.outgoing3.setText("");
        List<Plant> plants = greenhouse.getPlantsBySoilType(soilType);
        if (plants.isEmpty()) {
            System.out.println("No plants found with soil type " + soilType);
            gg.incoming1.append("\nNo plants found with soil type ");
            gg.incoming1.append(soilType + "\n");
        } else {
            System.out.println("Plants in the greenhouse with soil type " + soilType + ":");
            gg.incoming1.append("\nPlants in the greenhouse with soil type " + soilType + ":\n");
            for (Plant plant : plants) {
                System.out.println("- " + plant.getName());
                gg.incoming1.append("- " + plant.getName() + ":\n");
            }
        }
        //GreenhouseGUI.incoming1.append("Мы в конце displayPlantsBySoilType GreenhouseApp\n");
    }
 
    // Метод для отображения подробной информации о растении
    public void displayPlantDetails() {
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter plant name: ");
        //String plantName = scanner.nextLine();
        String plantName = gg.outgoing3.getText();
        System.out.print("Проверка! plantName = " + plantName + "\n");
        Plant plant = greenhouse.getPlantByName(plantName);
        //GreenhouseGUI.incoming1.append("\nplant = " + plant.getName() + ":\n");
        gg.outgoing3.setText("");
        if (plant == null) {
            System.out.println("No plant found with name " + plantName);
            gg.incoming1.append("\nNo plants found with name " + plantName + "\n");
        } else {
            System.out.println("Details of plant " + plantName + ":");
            gg.incoming1.append("\nDetails of plant " + plantName + ":\n");
            System.out.println("- Soil type: " + plant.getSoil());
            gg.incoming1.append("- Soil type: " + plant.getSoil() + "\n");
            System.out.println("- Origin: " + plant.getOrigin());
            gg.incoming1.append("- Origin: " + plant.getOrigin() + "\n");
            System.out.println("- Visual parameters:");
            gg.incoming1.append("- Visual parameters:\n");
            Map<String, String> visualParameters = plant.getVisualParameters();
            for (String parameter : visualParameters.keySet()) {
                System.out.println("  * " + parameter + ": " + visualParameters.get(parameter));
                gg.incoming1.append("  * " + parameter + ": " + visualParameters.get(parameter) + "\n");
            }
            System.out.println("- Growing tips:");
            gg.incoming1.append("- Growing tips:\n");
            Map<String, String> growingTips = plant.getGrowingTips();
            for (String tip : growingTips.keySet()) {
                System.out.println("  * " + tip + ": " + growingTips.get(tip));
                gg.incoming1.append("  * " + tip + ": " + growingTips.get(tip) + "\n");
            }
            System.out.println("- Multiplying method: " + plant.getMultiplying());
            gg.incoming1.append("- Multiplying method: " + plant.getMultiplying() + "\n");
        }
    }
 
    // Метод для добавления растения в оранжерею (доступно только администратору)
    public void addPlant() {
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter plant name: ");
        //String name = scanner.nextLine();
        //GreenhouseGUI.incoming1.append("Enter plant name: \n");
        String name = gg.addName.getText();
        gg.addName.setText("");
        System.out.print("Enter soil type: ");
        //String soil = scanner.nextLine();
        //GreenhouseGUI.incoming1.append("Enter soil type: \n");
        String soil = gg.addSoilType.getText();
        gg.addSoilType.setText("");
        System.out.print("Enter origin: ");
        //String origin = scanner.nextLine();
        //GreenhouseGUI.incoming1.append("Enter origin: \n");
        //String origin = GreenhouseGUI.outgoing3.getText();
        String origin = "origin";
        gg.outgoing3.setText("");
        Map<String, String> visualParameters = new HashMap<>();
        System.out.print("Enter stem color: ");
        //GreenhouseGUI.incoming1.append("\nEnter stem color: \n");
        //visualParameters.put("stemColor", scanner.nextLine());
        //visualParameters.put("stemColor", GreenhouseGUI.outgoing3.getText());
        visualParameters.put("stemColor", "leafColor-1");
        gg.outgoing3.setText("");
        System.out.print("Enter leaf color: ");
        //visualParameters.put("leafColor", scanner.nextLine());
        visualParameters.put("leafColor", "leafColor-2");
        System.out.print("Enter size: ");
        //visualParameters.put("size", scanner.nextLine());
        visualParameters.put("size", "size-1");
        Map<String, String> growingTips = new HashMap<>();
        System.out.print("Enter preferred temperature: ");
        //growingTips.put("temperature", scanner.nextLine());
        growingTips.put("temperature", "temperature-1");
        System.out.print("Is the plant light-tolerant (yes/no)? ");
        String light = "yes";
        growingTips.put("light", light.equalsIgnoreCase("yes") ? "tolerant" : "non-tolerant");
        System.out.print("Enter preferred watering (ml per week): ");
        growingTips.put("watering", "week");
        System.out.print("Enter multiplying method (seeds/cuttings/leaves): ");
        String multiplying = "seeds";
        if (name.equals("") || soil.equals("")) {
            System.out.print("Name = "+ name + " Soil = " + soil + " Invalid choice: ");
            gg.incoming1.append("\nName = "+ name + " Soil = " + soil + " Invalid choice \n");
        }
        else {
            Plant plant = new Plant(name, soil, origin, visualParameters, growingTips, multiplying);
            greenhouse.addPlant(plant);
            System.out.print("Plant was added \n");
            gg.incoming1.append(" \nPlant " + name + " " + soil + " was added \n");
            //GreenhouseGUI.incoming1.append("Name = "+ name + " Soil = " + soil);
        }
        
    }
 
    // Метод для удаления растения из оранжереи (доступно только администратору)
    public void removePlant() {
        Scanner scanner = new Scanner(System.in);
        System.out.print("Enter plant name removePlant: ");
        //String plantName = scanner.nextLine();
        String plantName = gg.outgoing3.getText();
        gg.outgoing3.setText("");
        //gg.incoming1.append(plantName + '\n');
        Plant plant = greenhouse.getPlantByName(plantName);
        if (plant == null) {
            System.out.println("No plant found with name " + plantName);
            gg.incoming1.append("No plant found with name " + plantName);
        } else {
            greenhouse.removePlant(plant);
            gg.incoming1.append(" \nPlant " + plant.getName() + " " + plant.getSoil() + " was deleted \n");
        }
    }
}
0
226 / 95 / 32
Регистрация: 01.10.2022
Сообщений: 664
Записей в блоге: 45
09.08.2023, 23:54 7
продолжение
Java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
//import static forum.greenhouseapp1.GreenhouseApp1.ghg;
import java.awt.BorderLayout;
import java.awt.FlowLayout;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.io.BufferedReader;
import java.io.PrintWriter;
import java.net.Socket;
import javax.swing.BoxLayout;
import javax.swing.JButton;
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JList;
import javax.swing.JPanel;
import javax.swing.JScrollPane;
import javax.swing.JTextArea;
import javax.swing.JTextField;
import javax.swing.ListSelectionModel;
import javax.swing.ScrollPaneConstants;
import javax.swing.event.ListSelectionEvent;
import javax.swing.event.ListSelectionListener;
 
 
 
public class GreenhouseGUI {
    public JTextArea incoming1;
    JTextArea incoming2;
    JTextField outgoing1;
    JTextField outgoing2;
    JTextField addName;
    JTextField addSoilType;
    JTextField outgoing3;
    JTextField outgoing5;
    JTextField outgoing6;
    JPanel mainpanel2;
    JList list;
    //public static String selection;
    JLabel label1 = new JLabel("Логин:");
    JLabel label2 = new JLabel("Пароль:");
    JLabel label3 = new JLabel("Поле ввода:");
    JLabel label4 = new JLabel(" ");
    JLabel label5 = new JLabel("Name");
    JLabel label6 = new JLabel("Soil type");
    JFrame frame = new JFrame("Prog1");
    GreenhouseApp1 gh = new GreenhouseApp1();
    
    public User currentUser;
    
    public void go() {
        //JFrame frame = new JFrame("Prog1");
        JPanel mainpanel = new JPanel();
        mainpanel2 = new JPanel();
        incoming1 = new JTextArea(10,30);
        incoming1.getScrollableTracksViewportHeight();
        incoming1.requestFocus();
        JScrollPane qScroller1 = new JScrollPane(incoming1);
        qScroller1.setVerticalScrollBarPolicy(ScrollPaneConstants.VERTICAL_SCROLLBAR_ALWAYS);
        qScroller1.setHorizontalScrollBarPolicy(ScrollPaneConstants.HORIZONTAL_SCROLLBAR_NEVER);
        incoming2 = new JTextArea(10,30);
        JScrollPane qScroller2 = new JScrollPane(incoming2);
        qScroller2.setVerticalScrollBarPolicy(ScrollPaneConstants.VERTICAL_SCROLLBAR_ALWAYS);
        qScroller2.setHorizontalScrollBarPolicy(ScrollPaneConstants.HORIZONTAL_SCROLLBAR_NEVER);
//        String[] listEntries = {"1. Display all plants", "2. Display plants by soil type",
//         "3. Display plant details", "4. Add plant", "5. Remove plant"};
//        list = new JList(listEntries);
//        list.setVisibleRowCount(5);
//        list.setSize(5, 3);
        
        
        outgoing1 = new JTextField(20);
        outgoing2 = new JTextField(20);
        outgoing3 = new JTextField(20);
        outgoing5 = new JTextField(20);
        outgoing6 = new JTextField(20);
        addName = new JTextField(20);
        addSoilType = new JTextField(20);
        
        outgoing1.setSize(10, 3);
        String name = "Login";
        outgoing1.setName(name);
        String name3 = "Выбрать";
        outgoing3.setName(name3);
        
        JButton enterButton = new JButton("Войти");
        enterButton.addActionListener(new EnterButtonListener());
        JButton choiсeButton = new JButton("Выбрать");
        choiсeButton.addActionListener(new ChoiсeButtonListener());
        JButton addDelButton = new JButton("Добавить/Удалить");
        addDelButton.addActionListener(new AddDelButtonListener());
        //list.addListSelectionListener(new ChoiceListSelectionListener());
        mainpanel.setLayout(new BoxLayout(mainpanel, BoxLayout.Y_AXIS));
        mainpanel2.setLayout(new BoxLayout(mainpanel2, BoxLayout.Y_AXIS));
        //mainpanel.setLayout(new FlowLayout(mainpanel, FlowLayout.LEFT));
        //mainpanel.add(qScroller1);
        mainpanel.add(label1);
        mainpanel.add(outgoing1);
        mainpanel.add(label2);
        mainpanel.add(outgoing2);
        mainpanel.add(enterButton);
        mainpanel.add(label4);
        mainpanel.add(label3);
        mainpanel.add(outgoing3);
        mainpanel.add(choiсeButton);
        mainpanel.add(addDelButton);
        //mainpanel.add(qScroller2);
        mainpanel2.add(label5);
        mainpanel2.add(addName);
        mainpanel2.add(label6);
        mainpanel2.add(addSoilType);
        
        frame.getContentPane().add(BorderLayout.NORTH, qScroller1);
        frame.getContentPane().add(BorderLayout.WEST, mainpanel);
        //frame.getContentPane().add(BorderLayout.EAST, mainpanel2);
        //frame.getContentPane().add(BorderLayout.CENTER, list);
        
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.setSize(1000, 400);
        frame.setVisible(true);
        
        System.out.println("Проверка3 - мы в методе Гоу, в конце");
    }
    
    
    public class EnterButtonListener implements ActionListener {
        public static String message1, message2;
        @Override
        public void actionPerformed(ActionEvent e) {
            
            //System.out.println("Мы в actionPerformed");
            message1 = outgoing1.getText();
            message2 = outgoing2.getText();
            System.out.println("Прочитано message1 " + message1);
            System.out.println("Прочитано message2 " + message2);
            //incoming.setText(message + "\n");
            incoming1.append(message1 + "\n");
            incoming1.append(message2 + "\n");
            
            outgoing1.setText("");
            outgoing2.setText("");
            outgoing1.requestFocus();
            outgoing2.requestFocus();
            
            
            currentUser = gh.login();
            //currentUser = gh.login();
            System.out.println("currentUser.getUsername() = " + currentUser.getUsername());
            if (currentUser == null) {
               System.out.println("Invalid username or password.");
               incoming1.append("Invalid username or password.");
               return;
            }
            System.out.println("Welcome, " + currentUser.getUsername() + "!");
            incoming1.append("Welcome\n" + currentUser.getUsername());
        
        if (currentUser.isAdmin()) {
            System.out.println("Мы в isAdmin");
            gh.showAdminActions();
            
            //frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            
            //list.clearSelection();
            String[] listEntries = {"1. Display all plants", "2. Display plants by soil type",
               "3. Display plant details", "4. Add plant", "5. Remove plant"};
            list = new JList(listEntries);
            list.setSelectionMode(ListSelectionModel.SINGLE_SELECTION);
            list.addListSelectionListener(new ChoiceListSelectionListener());
            frame.getContentPane().add(BorderLayout.CENTER, list);
            frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            frame.setSize(1000, 400);
            frame.setVisible(true);
            System.out.println("Мы в showAdminActions, listEntries передан в List");
            //list.clearSelection();
            //GreenhouseApp.displayAllPlants();
        } else {
            System.out.println("Мы в showUserActions");
            gh.showUserActions();
            
            String[] listEntries = {"1. Display all plants", "2. Display plants by soil type",
               "3. Display plant details"};
            list = new JList(listEntries);
            list.setSelectionMode(ListSelectionModel.SINGLE_SELECTION);
            list.addListSelectionListener(new ChoiceListSelectionListener());
            frame.getContentPane().add(BorderLayout.CENTER, list);
            frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            frame.setSize(1000, 400);
            frame.setVisible(true);
            System.out.println("Мы в showUserActions, listEntries передан в List");
        }
        
        
        
        //list = new JList(listEntries);
        }
        
        public static String getMessage1() {
            return message1;
        } 
        public static String getMessage2() {
            return message2;
        }   
    }
    public class ChoiсeButtonListener implements ActionListener {
        public static String message1, message2, message3;
 
        @Override
        public void actionPerformed(ActionEvent e) {
            message3 = outgoing3.getText();
            System.out.println("Прочитано message3 " + message3);
            incoming1.append(message3 + "\n");
            //outgoing3.setText("");
            outgoing3.requestFocus();
            //incoming1.append("IIInvalid username or password.");
            //incoming1.getText();
            if (list.getSelectedValue() == "2. Display plants by soil type") {
            gh.displayPlantsBySoilType();
            } else if (list.getSelectedValue() == "3. Display plant details") {
                gh.displayPlantDetails();
            } 
            
        }
        
        public String getMessage3() {
            return message3;
        } 
        
    }
    public class ChoiceListSelectionListener implements ListSelectionListener {
        public static String selection;
        public static boolean key1 = true, key2 = true, key3 = true, key4 = true, key5 = true;
        static int key = 0;
        @Override
        public void valueChanged(ListSelectionEvent e) {
            
            
                if (!e.getValueIsAdjusting()) {
                //list.clearSelection();
                //selection = "aaa";
                selection = (String) list.getSelectedValue();
            
                
            
                
            }
            
            //selection = (String) list.getSelectedValue();
            System.out.println("------------------------\nМы в valueChanged!, ");
            System.out.println("selection = " + selection);
//            if (selection == null)
//                selection = "1. Display all plants";
            
            switch (selection) {
            case "1. Display all plants" -> {
                //GreenhouseGUI.incoming1.append("Мы в SWITCH запускаем displayAllPlants \n");
                if (key1) {
                    key1 = false;
                    key2 = true;
                    key3 = true;
                    key4 = true;
                    key5 = true;
                    gh.displayAllPlants();
                    
                }
                }
            case "2. Display plants by soil type" -> {
                //GreenhouseGUI.incoming1.append("Мы в GUI запускаем displayPlantsBySoilType \n");
//                if (list.getSelectedValue() == "2. Display plants by soil type") {
//                    GreenhouseApp.displayPlantsBySoilType();
//                }
if (key2) {
    key2 = false;
    //GreenhouseApp.displayPlantsBySoilType();
    key1 = true;
    key3 = true;
    key4 = true;
    key5 = true;
}
                }
            case "3. Display plant details" -> {
                    if (key3) {
                        //GreenhouseApp.displayPlantDetails();
                        key1 = true;
                        key2 = true;
                        key3 = false;
                        key4 = true;
                        key5 = true;
                    }
                    //mainpanel2.removeAll();
                }
            case "4. Add plant" -> {
                    if (key4) {
                        key1 = true;
                        key2 = true;
                        key3 = true;
                        key4 = false;
                        key5 = true;
                        System.out.println("\nМы в Add Plant, key4 = " + key4 + "\n");
                        if (currentUser.isAdmin()) {
                            //GreenhouseApp.addPlant();
                            frame.getContentPane().add(BorderLayout.EAST, mainpanel2);
                            frame.setSize(1000, 400);
                            frame.setVisible(true);
                        } else {
                            System.out.println("Invalid choice.");
                            incoming1.append("Invalid choice. \n");
                        }   }
                    //System.out.println("\nМы в Add Plant, selection = " + selection + "\n");
                }
            
                
            case "5. Remove plant" -> {
                if (key5) {
                    key1 = true;
                    key2 = true;
                    key3 = true;
                    key4 = true;
                    key5 = false;
                    
                    
                    if (currentUser.isAdmin()) {
                        //GreenhouseApp.removePlant();
                    } else {
                        System.out.println("Invalid choice.");
                    }
                }
                }
            default -> System.out.println("Invalid choice.");
            }
        }
    }
    
    public class AddDelButtonListener implements ActionListener {
 
        @Override
        public void actionPerformed(ActionEvent e) {
            if (GreenhouseGUI.ChoiceListSelectionListener.selection == "4. Add plant") {
                gh.addPlant();
            }
            else if (GreenhouseGUI.ChoiceListSelectionListener.selection == "5. Remove plant") {
                gh.removePlant();
            } 
        }
        
    }
 
}
Java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
import java.util.Map;
 
public class Plant {
    private String name;
    private String soil;
    private String origin;
    private Map<String, String> visualParameters;
    private Map<String, String> growingTips;
    private String multiplying;
 
    public Plant(String name, String soil, String origin, Map<String, String> visualParameters, Map<String, String> growingTips, String multiplying) {
        this.name = name;
        this.soil = soil;
        this.origin = origin;
        this.visualParameters = visualParameters;
        this.growingTips = growingTips;
        this.multiplying = multiplying;
    }
 
    public String getName() {
        return name;
    }
 
    public String getSoil() {
        return soil;
    }
 
    public String getOrigin() {
        return origin;
    }
 
    public Map<String, String> getVisualParameters() {
        return visualParameters;
    }
 
    public Map<String, String> getGrowingTips() {
        return growingTips;
    }
 
    public String getMultiplying() {
        return multiplying;
    }
 
    @Override
    public String toString() {
        return name + " (soil: " + soil + ", origin: " + origin + ")";
    }
}
Java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
// Класс для хранения информации о пользователях
public class User {
    private String username;
    private String password;
    private boolean isAdmin;
 
    public User(String username, String password, boolean isAdmin) {
        this.username = username;
        this.password = password;
        this.isAdmin = isAdmin;
    }
 
    public String getUsername() {
        return username;
    }
 
    public String getPassword() {
        return password;
    }
 
    public boolean isAdmin() {
        return isAdmin;
    }
}
0
09.08.2023, 23:54
IT_Exp
Эксперт
87844 / 49110 / 22898
Регистрация: 17.06.2006
Сообщений: 92,604
09.08.2023, 23:54
Помогаю со студенческими работами здесь

Переделать программу, чтобы вывод осуществлялся в текстовый файл
Здравствуйте. Помогите, пожалуйста, переделать программу, чтобы ввод и вывод данных осуществлялся в...

Переделать программу с использованием интерфейсов
Тут такое дело, написал лёгкую прожку, хочу переделать её с помощью интерфейсов, как это правильно...

Вывод массива в текстовый файл с использованием табуляции
Доброго чего-бы-то-ни-было. Суть задачи: существует текстовый файл, в котором хранятся значения...

Переделать программу с использованием подпрограмм: генерирование, обработка и вывод массива
Нужно переделать программу создав подпрограммы: генерирование массива, обработка массива, вывод...

Переделать программу: вывод матрицы с использованием функции, переворот столбцов - другой функцией
#include &quot;stdafx.h&quot; #include &lt;iostream&gt; #include &lt;conio.h&gt; #include &lt;cstdlib&gt; #include...


Искать еще темы с ответами

Или воспользуйтесь поиском по форуму:
7
Ответ Создать тему
КиберФорум - форум программистов, компьютерный форум, программирование
Powered by vBulletin
Copyright ©2000 - 2024, CyberForum.ru