Форум программистов, компьютерный форум, киберфорум
Java SE (J2SE)
Войти
Регистрация
Восстановить пароль
Блоги Сообщество Поиск Заказать работу  
 
Рейтинг 4.80/5: Рейтинг темы: голосов - 5, средняя оценка - 4.80
0 / 0 / 0
Регистрация: 26.03.2016
Сообщений: 54

Сериализация объектов в игре

16.05.2017, 19:48. Показов 998. Ответов 2
Метки нет (Все метки)

Студворк — интернет-сервис помощи студентам
Здравствуйте!
Помогите пожалуйста, сам сериализацию не понимаю!!!


Нужно сохранить объекты (Ball (координаты, скорость (ySpeed, xSpeed)), Board (getX, getY, playerWidth, playerHeight), Score (p1Score, p2Score)) в поток байтов и обратно восстановить их.
Например, нажимаю на клавишу "T" и происходит сохранение, а если нажать на "Y", то восстановление того состояния, которое мы сохранили.

Pong.java
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
import java.awt.Point;
import java.awt.Rectangle;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.awt.event.KeyEvent;
import java.awt.event.KeyListener;
import java.util.Random;
 
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.Timer;
 
public class Pong implements ActionListener, KeyListener{
    
    public static final int boardHeight = 300;
    public static final int scoreDisplacement = 30;
    public static final int boardWidth = 500;
    public static final int playerHeight = 75;
    public static final int playerWidth = 10;
    public static final int ballDiameter = 20;
    private static final int speed = 2;
    private static final int playerOffsetFromSide = 30;
    private static final int maxYSpeed = 3;
    private static final int constantXSpeed = 1;
    
    private static int timeDelay = 5;
    private static int xSpeed;
    private static int ySpeed;
    
    public static int p1Score;
    public static int p2Score;
    public static JLabel label;
    public static Pong game;
    
    public final Timer timer = new Timer(timeDelay, this);
    
    public PongBoard frame;
    public Rectangle playerOne;
    public Rectangle playerTwo;
    public Random randomGenerator;
    public boolean playerOneUp;
    public boolean playerOneDown;
    public boolean playerTwoUp;
    public boolean playerTwoDown;
    public Point ball;
    public JFrame board;
    
    private void initializeBoard() {
        board = new JFrame("Pong");
        board.setVisible(true);
        board.addKeyListener(this);
        board.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        board.setSize(boardWidth, boardHeight);
        board.setResizable(false);
        board.setLocationRelativeTo(null);
        
        frame = new PongBoard();
        board.add(frame);
    }
    
    private void initializePlayersAndBall() {
        playerOne = new Rectangle(playerWidth, playerHeight);
        playerOne.setLocation(playerOffsetFromSide, (boardHeight - playerHeight)/2);
        
        playerTwo = new Rectangle(playerWidth, playerHeight);
        playerTwo.setLocation(boardWidth - playerOffsetFromSide - playerWidth, (boardHeight - playerHeight)/2);
        
        ball = new Point(boardWidth/2, boardHeight/2);
        ySpeed = randomGenerator.nextInt(maxYSpeed * 2);
        xSpeed = constantXSpeed;
 
        timer.start();
    }
    
    private boolean playerOneCollision() {
        int ballX = (int)ball.getX();
        int ballY = (int)ball.getY();
        if (ballX - ballDiameter/2 == playerOffsetFromSide + playerWidth && Math.abs(ballY - (int)playerOne.getY() - playerHeight/2) <= playerHeight/2) return true;
        return false;
    }
    
    private boolean playerTwoCollision() {
        int ballX = (int)ball.getX();
        int ballY = (int)ball.getY();
        if (ballX + ballDiameter/2 == boardWidth - playerOffsetFromSide - playerWidth && Math.abs(ballY - (int)playerTwo.getY() - playerHeight/2) <= playerHeight/2) return true;
        return false;
    }
    
    private boolean shouldReflectBall() {
        if (xSpeed > 0) return playerTwoCollision();
        return playerOneCollision();
    }
    
    public Pong() {
        label = new JLabel();
        randomGenerator = new Random();
        initializeBoard();
        initializePlayersAndBall();
    }
    
    public static void main(String[] args) {
        p1Score = 0;
        p2Score = 0;
        game = new Pong();
    }
 
    @Override
    public void keyTyped(KeyEvent e) {
        
    }
 
    @Override
    public void keyPressed(KeyEvent e) {
        switch (e.getKeyCode()) {
            case KeyEvent.VK_S:
                playerOneDown = true;
                break;
            case KeyEvent.VK_W:
                playerOneUp = true;
                break;
            case KeyEvent.VK_UP:
                playerTwoUp = true;
                break;
            case KeyEvent.VK_DOWN:
                playerTwoDown = true;
        }
    }
 
    @Override
    public void keyReleased(KeyEvent e) {
        switch (e.getKeyCode()) {
            case KeyEvent.VK_S:
                playerOneDown = false;
                break;
            case KeyEvent.VK_W:
                playerOneUp = false;
                break;
            case KeyEvent.VK_UP:
                playerTwoUp = false;
                break;
            case KeyEvent.VK_DOWN:
                playerTwoDown = false;
        }
    }
 
    @Override
    public void actionPerformed(ActionEvent e) {
        if (playerOneDown) {
            if (playerOne.getY() + playerOne.getHeight() < boardHeight) playerOne.setLocation((int)playerOne.getX(), (int)playerOne.getY() + speed);
        }
        if (playerOneUp) {
            if (playerOne.getY() > 0) playerOne.setLocation((int)playerOne.getX(), (int)playerOne.getY() - speed);
        }
        
        if (playerTwoDown) {
            if (playerTwo.getY() + playerTwo.getHeight() < boardHeight) playerTwo.setLocation((int)playerTwo.getX(), (int)playerTwo.getY() + speed);
        }
        if (playerTwoUp) {
            if (playerTwo.getY() > 0) playerTwo.setLocation((int)playerTwo.getX(), (int)playerTwo.getY() - speed);
        }
        if (ball.getY() < 0) ball.setLocation(ball.getX(), scoreDisplacement);
        if (ball.getY() - ballDiameter/2 <= 0 || ball.getY() >= boardHeight - 2 * ballDiameter) {
            boolean isTop = ySpeed < 0;
            if (isTop) {
                ySpeed = randomGenerator.nextInt(maxYSpeed);
            } else {
                ySpeed = -randomGenerator.nextInt(maxYSpeed);
            }
            System.out.println("ySpeed = " + ySpeed);
        }
        ball.setLocation(ball.getX() + xSpeed, ball.getY() + ySpeed);
        if (shouldReflectBall()) {
            xSpeed = -xSpeed;
            ySpeed = randomGenerator.nextInt(maxYSpeed) - maxYSpeed/2;
        }
        if (ball.getX() <= 0) { 
            p2Score++;
            initializePlayersAndBall();
        }
        if (ball.getX() >= boardWidth) { 
            p1Score++;
            initializePlayersAndBall();
        }
        frame.repaint();
    }
 
}
PongBoard.java
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
import java.awt.Color;
import java.awt.Graphics;
 
import javax.swing.JPanel;
 
@SuppressWarnings("serial")
public class PongBoard extends JPanel {
    protected void paintComponent(Graphics g) {
        Pong game = Pong.game;
        super.paintComponent(g);
        g.setColor(Color.BLACK);
        g.fillRect(0, 0, Pong.boardWidth, Pong.boardHeight);
        
        g.setColor(Color.RED);
        g.fillRect((int)game.playerOne.getX(), (int)game.playerOne.getY(), Pong.playerWidth, Pong.playerHeight);
        
        g.setColor(Color.BLUE);
        g.fillRect((int)game.playerTwo.getX(), (int)game.playerTwo.getY(), Pong.playerWidth, Pong.playerHeight);
        
        g.setColor(Color.WHITE);
        g.fillOval((int)game.ball.getX() - Pong.ballDiameter/2, (int)game.ball.getY() - Pong.ballDiameter/2, Pong.ballDiameter, Pong.ballDiameter);
        
        String scores = "Player 1: " + Pong.p1Score + " Player 2: " + Pong.p2Score;
        g.drawString(scores, Pong.scoreDisplacement, Pong.scoreDisplacement);
    }
}
Serialization.java
Java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
import java.io.*;
 
public class Serialization{
 
    public static void main(String args[]){
 
        try
        {
            FileInputStream aFileInStream = new FileInputStream("save.ser");
            ObjectInputStream aObjectInStream = new ObjectInputStream(aFileInStream);
 
        }
        catch(Exception e)
        {
 
        }
    }
}
0
Programming
Эксперт
39485 / 9562 / 3019
Регистрация: 12.04.2006
Сообщений: 41,671
Блог
16.05.2017, 19:48
Ответы с готовыми решениями:

Сериализация графа объектов
Только только начал изучать сериализацию и сериализацию в xml. Предположим у нас есть класс &quot;компания&quot;. У компании есть поля...

Не работает сериализация Объектов класса
Есть класс vector он наследуется от класса Section(Отрезок) И при вызове метода oos.writeObject(vec); Выкидывает исключение IOEception ...

XmlJava. Сериализация класса с полем - массивом объектов другого класса
Есть 2 класса Студент и Академ.группа(с полем - массивом студентов). Необходимо выполнить сериализацию и десереализацию в XML. Для этого...

2
164 / 170 / 139
Регистрация: 28.11.2016
Сообщений: 301
17.05.2017, 15:19
Class Pong
Кликните здесь для просмотра всего текста
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
import javax.swing.*;
import java.awt.*;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.awt.event.KeyEvent;
import java.awt.event.KeyListener;
import java.io.Serializable;
import java.util.Random;
 
public class Pong implements ActionListener, KeyListener, Serializable {
 
    public static final int boardHeight = 300;
    public static final int scoreDisplacement = 30;
    public static final int boardWidth = 500;
    public static int playerHeight = 75;
    public static int playerWidth = 10;
    public static final int ballDiameter = 20;
    private static final int speed = 2;
    private static final int playerOffsetFromSide = 30;
    private static final int maxYSpeed = 3;
    private static final int constantXSpeed = 1;
 
    private static int timeDelay = 5;
    private static int xSpeed;
    private static int ySpeed;
 
    public static int p1Score;
    public static int p2Score;
    public static JLabel label;
    public static Pong game;
 
    public final Timer timer = new Timer(timeDelay, this);
 
    public PongBoard frame;
    public Rectangle playerOne;
    public Rectangle playerTwo;
    public Random randomGenerator;
    public boolean playerOneUp;
    public boolean playerOneDown;
    public boolean playerTwoUp;
    public boolean playerTwoDown;
    public Point ball;
    public JFrame board;
 
    private void initializeBoard() {
        board = new JFrame("Pong");
        board.setVisible(true);
        board.addKeyListener(this);
        board.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        board.setSize(boardWidth, boardHeight);
        board.setResizable(false);
        board.setLocationRelativeTo(null);
 
        frame = new PongBoard();
        board.add(frame);
 
 
    }
 
    private void initializePlayersAndBall() {
        playerOne = new Rectangle(playerWidth, playerHeight);
        playerOne.setLocation(playerOffsetFromSide, (boardHeight - playerHeight) / 2);
 
        playerTwo = new Rectangle(playerWidth, playerHeight);
        playerTwo.setLocation(boardWidth - playerOffsetFromSide - playerWidth, (boardHeight - playerHeight) / 2);
 
        ball = new Point(boardWidth / 2, boardHeight / 2);
        ySpeed = randomGenerator.nextInt(maxYSpeed * 2);
        xSpeed = constantXSpeed;
 
        timer.start();
    }
 
    private boolean playerOneCollision() {
        int ballX = (int) ball.getX();
        int ballY = (int) ball.getY();
        if (ballX - ballDiameter / 2 == playerOffsetFromSide + playerWidth && Math.abs(ballY - (int) playerOne.getY() - playerHeight / 2) <= playerHeight / 2)
            return true;
        return false;
    }
 
    private boolean playerTwoCollision() {
        int ballX = (int) ball.getX();
        int ballY = (int) ball.getY();
        if (ballX + ballDiameter / 2 == boardWidth - playerOffsetFromSide - playerWidth && Math.abs(ballY - (int) playerTwo.getY() - playerHeight / 2) <= playerHeight / 2)
            return true;
        return false;
    }
 
    private boolean shouldReflectBall() {
        if (xSpeed > 0) return playerTwoCollision();
        return playerOneCollision();
    }
 
    public Pong() {
        label = new JLabel();
        randomGenerator = new Random();
        initializeBoard();
        initializePlayersAndBall();
    }
 
    public static void main(String[] args) {
        p1Score = 0;
        p2Score = 0;
        game = new Pong();
    }
 
    @Override
    public void keyTyped(KeyEvent e) {
    }
 
    @Override
    public void keyPressed(KeyEvent e) {
        switch (e.getKeyCode()) {
            case KeyEvent.VK_S:
                playerOneDown = true;
                break;
            case KeyEvent.VK_W:
                playerOneUp = true;
                break;
            case KeyEvent.VK_UP:
                playerTwoUp = true;
                break;
            case KeyEvent.VK_DOWN:
                playerTwoDown = true;
        }
    }
 
    @Override
    public void keyReleased(KeyEvent e) {
        switch (e.getKeyCode()) {
            case KeyEvent.VK_S:
                playerOneDown = false;
                break;
            case KeyEvent.VK_W:
                playerOneUp = false;
                break;
            case KeyEvent.VK_UP:
                playerTwoUp = false;
                break;
            case KeyEvent.VK_DOWN:
                playerTwoDown = false;
                break;
            case KeyEvent.VK_T:
            case (KeyEvent.VK_T+KeyEvent.VK_SPACE):
                Serialization sPong = new Serialization(this); // сохраняем данные
                try {
                    Serialization.serializer(sPong);
                    System.out.println("saved");
                } catch (Exception ex) {
                    throw new RuntimeException(ex);
                }
                break;
            case KeyEvent.VK_Y:
            case (KeyEvent.VK_Y+KeyEvent.VK_SPACE):
                try {
                    Serialization sPong2 = Serialization.deserializer();
                    sPong2.restorePong(this);
                    System.out.println("restored");
                } catch (Exception ex) {
                    throw new RuntimeException(ex);
                }
                break;
        }
    }
 
    @Override
    public void actionPerformed(ActionEvent e) {
        if (playerOneDown) {
            if (playerOne.getY() + playerOne.getHeight() < boardHeight)
                playerOne.setLocation((int) playerOne.getX(), (int) playerOne.getY() + speed);
        }
        if (playerOneUp) {
            if (playerOne.getY() > 0) playerOne.setLocation((int) playerOne.getX(), (int) playerOne.getY() - speed);
        }
 
        if (playerTwoDown) {
            if (playerTwo.getY() + playerTwo.getHeight() < boardHeight)
                playerTwo.setLocation((int) playerTwo.getX(), (int) playerTwo.getY() + speed);
        }
        if (playerTwoUp) {
            if (playerTwo.getY() > 0) playerTwo.setLocation((int) playerTwo.getX(), (int) playerTwo.getY() - speed);
        }
        if (ball.getY() < 0) ball.setLocation(ball.getX(), scoreDisplacement);
        if (ball.getY() - ballDiameter / 2 <= 0 || ball.getY() >= boardHeight - 2 * ballDiameter) {
            boolean isTop = ySpeed < 0;
            if (isTop) {
                ySpeed = randomGenerator.nextInt(maxYSpeed);
            } else {
                ySpeed = -randomGenerator.nextInt(maxYSpeed);
            }
            System.out.println("ySpeed = " + ySpeed);
        }
        ball.setLocation(ball.getX() + xSpeed, ball.getY() + ySpeed);
        if (shouldReflectBall()) {
            xSpeed = -xSpeed;
            ySpeed = randomGenerator.nextInt(maxYSpeed) - maxYSpeed / 2;
        }
        if (ball.getX() <= 0) {
            p2Score++;
            initializePlayersAndBall();
        }
        if (ball.getX() >= boardWidth) {
            p1Score++;
            initializePlayersAndBall();
        }
        frame.repaint();
    }
 
    //serialization support
    public static int getxSpeed() {
        return xSpeed;
    }
 
    public static void setxSpeed(int xSpeed) {
        Pong.xSpeed = xSpeed;
    }
 
    public static int getySpeed() {
        return ySpeed;
    }
 
    public static void setySpeed(int ySpeed) {
        Pong.ySpeed = ySpeed;
    }
 
    public static int getP1Score() {
        return p1Score;
    }
 
    public static void setP1Score(int p1Score) {
        Pong.p1Score = p1Score;
    }
 
    public static int getP2Score() {
        return p2Score;
    }
 
    public static void setP2Score(int p2Score) {
        Pong.p2Score = p2Score;
    }
 
    public static int getPlayerHeight() {
        return playerHeight;
    }
 
    public static void setPlayerHeight(int playerHeight) {
        Pong.playerHeight = playerHeight;
    }
 
    public static int getPlayerWidth() {
        return playerWidth;
    }
 
    public static void setPlayerWidth(int playerWidth) {
        Pong.playerWidth = playerWidth;
    }
}

Class Serialization
Кликните здесь для просмотра всего текста
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
import java.io.*;
 
public class Serialization  implements Serializable{
    private static String fileName = "C:\\Temp\\save.ser";
//static variables
    private double ballX;
    private double ballY;
 
    private int xSpeed;
    private int ySpeed;
 
    private int p1Score;
    private int p2Score;
 
    private int boardX;
    private int boardY;
    public  int playerHeight;
    public  int playerWidth;
 
 
    public Serialization(Pong pong) {
        this.ballX = pong.ball.getX();
        this.ballY = pong.ball.getY();
        this.xSpeed = Pong.getxSpeed();
        this.ySpeed = Pong.getySpeed();
        this.p1Score = Pong.getP1Score();
        this.p2Score = Pong.getP2Score();
        this.boardX = pong.board.getX();
        this.boardY = pong.board.getY();
        this.playerHeight = Pong.getPlayerHeight();
        this.playerWidth = Pong.getPlayerWidth();
    }
 
    public void restorePong(Pong pong) {
        pong.ball.setLocation(ballX,ballY);
        Pong.setxSpeed(xSpeed);
        Pong.setySpeed(ySpeed);
        Pong.setP1Score(p1Score);
        Pong.setP2Score(p2Score);
        pong.board.setLocation(boardX,boardY);
        Pong.setPlayerHeight(playerHeight);
        Pong.setPlayerWidth(playerWidth);
 
    }
 
    public static void serializer(Serialization sPong) throws Exception {
        ObjectOutputStream sOut = new ObjectOutputStream(new FileOutputStream(fileName)); // пишем в файл worm.dat
        sOut.writeObject(sPong);
        sOut.close();
    }
 
    public static Serialization deserializer() throws Exception {
        ObjectInputStream sIn = new ObjectInputStream(new FileInputStream(fileName));
        Serialization sPong = (Serialization) sIn.readObject(); // нисходящее преобразование
        return sPong;
    }
}

Запись, чтение идет в файл C:\Temp\save.ser
Визуально по шарику видно что восстановление идет, правда я сделал обновление переменных в лоб,
не уверен что корректно.
1
0 / 0 / 0
Регистрация: 26.03.2016
Сообщений: 54
17.05.2017, 18:15  [ТС]
v777779, Огромное Вам спасибо!!!
0
Надоела реклама? Зарегистрируйтесь и она исчезнет полностью.
inter-admin
Эксперт
29715 / 6470 / 2152
Регистрация: 06.03.2009
Сообщений: 28,500
Блог
17.05.2017, 18:15
Помогаю со студенческими работами здесь

Сериализация объектов (Serialization).
Идея заключается в том, что бы создав объект, записать его на жесткий диск, для того, что бы его можно было при следующем старте програмы...

LinkedList составленный из объектов класса, как обратиться к полям объектов
Не могу сообразить как обратиться к полям объектов, добавленных в LinkedList. Суть такая: есть класс, имеющий 4 поля (разные типы - String...

Сериализация объектов
Доброго времени суток!!! Помогите разобраться с сериализацией ((( есть класс using System; using...

Сериализация объектов
Всем добрый день\вечер. Подскажите пожалуйста как реализовать. Не получается. Задание: 1)Сделайте форму с двумя полями: x и y. Также...

XML-сериализация объектов
Всем привет. Имеем следующий класс: public class C { public B Items = new B { new B(), new B(),...


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

Или воспользуйтесь поиском по форуму:
3
Ответ Создать тему
Новые блоги и статьи
Первый деплой
lagorue 16.01.2026
Не спеша развернул своё 1ое приложение в kubernetes. А дальше мне интересно создать 1фронтэнд приложения и 2 бэкэнд приложения развернуть 2 деплоя в кубере получится 2 сервиса и что-бы они. . .
Расчёт переходных процессов в цепи постоянного тока
igorrr37 16.01.2026
/ * Дана цепь постоянного тока с R, L, C, k(ключ), U, E, J. Программа составляет систему уравнений по 1 и 2 законам Кирхгофа, решает её и находит токи на L и напряжения на C в установ. режимах до и. . .
Восстановить юзерскрипты Greasemonkey из бэкапа браузера
damix 15.01.2026
Если восстановить из бэкапа профиль Firefox после переустановки винды, то список юзерскриптов в Greasemonkey будет пустым. Но восстановить их можно так. Для этого понадобится консольная утилита. . .
Изучаю kubernetes
lagorue 13.01.2026
А пригодятся-ли мне знания kubernetes в России?
Сукцессия микоризы: основная теория в виде двух уравнений.
anaschu 11.01.2026
https:/ / rutube. ru/ video/ 7a537f578d808e67a3c6fd818a44a5c4/
WordPad для Windows 11
Jel 10.01.2026
WordPad для Windows 11 — это приложение, которое восстанавливает классический текстовый редактор WordPad в операционной системе Windows 11. После того как Microsoft исключила WordPad из. . .
Classic Notepad for Windows 11
Jel 10.01.2026
Old Classic Notepad for Windows 11 Приложение для Windows 11, позволяющее пользователям вернуть классическую версию текстового редактора «Блокнот» из Windows 10. Программа предоставляет более. . .
Почему дизайн решает?
Neotwalker 09.01.2026
В современном мире, где конкуренция за внимание потребителя достигла пика, дизайн становится мощным инструментом для успеха бренда. Это не просто красивый внешний вид продукта или сайта — это. . .
КиберФорум - форум программистов, компьютерный форум, программирование
Powered by vBulletin
Copyright ©2000 - 2026, CyberForum.ru