前往小程序,Get更优阅读体验!
立即前往
首页
学习
活动
专区
工具
TVP
发布
社区首页 >专栏 >颠覆你的想象:这模拟日志显示工具不仅好玩,还能摸鱼

颠覆你的想象:这模拟日志显示工具不仅好玩,还能摸鱼

作者头像
万猫学社
发布2024-03-11 11:16:56
650
发布2024-03-11 11:16:56
举报

模拟日志显示工具

除了编写代码,程序员最常浏览的就是日志文件。那么,接下来让我们来写一个模拟日志显示的工具吧。

日志字体颜色

为了增加日志的视觉吸引力,我们为日志字体添加了丰富多彩的颜色。

编写一个函数,用于生成具有特定字体颜色的日志文本字符串:

代码语言:javascript
复制
    /**
     * 字体颜色:30白色 31红色 32绿色 33黄色 34蓝色 35紫色 36青色  37灰色
     * 背景色:40黑色 41红色 42绿色 43黄色 44蓝色 45紫色 46青色 47灰色  
     *
     * @param color   颜色
     * @param content 内容
     * @return
     */
    public static String getColoredString(int color, String content) {
        return String.format("\033[%dm%s\033[0m", color, content);
    }

在大多数情况下,日志由以下几个主要部分构成:

  • 记录日志的时间
  • 日志的级别
  • 记录日志的线程名
  • 产生日志的类名
  • 日志的具体内容

下面,我们将依次创建每一个组成部分。

记录日志的时间

编写一个函数,根据当前时间生成记录日志的时间:

代码语言:javascript
复制
    public final static SimpleDateFormat DATA_TIME_FORMAT = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss.SSS");

    public static String getTime() {
        return DATA_TIME_FORMAT.format(new Date());
    }

日志级别

编写一个函数,用于生成具有特定字体颜色的日志级别:

代码语言:javascript
复制
    public static String getLogLevel() {
        int random = ThreadLocalRandom.current().nextInt(, );
        if (random <= ) {
            // 5%概率
            return getColoredString(, "ERROR");
        } else if (random <= ) {
            // 10%概率
            return getColoredString(, "WARN");
        } else if (random <= ) {
            // 60%概率
            return getColoredString(, "INFO");
        } else {
            // 25%概率
            return getColoredString(, "DEBUG");
        }
    }

日志级别主要包括INFO、DEBUG、ERROR、WARN四种,它们会根据特定的概率生成。为了更直观地区分各级别,每个级别的日志都设定了不同的颜色,使得整体视觉效果更加鲜明,同时也增强了用户体验。

记录日志的线程名

编写一个函数,用于生成记录日志的线程名:

代码语言:javascript
复制
    public static String getThreadName() {
        return String.format("[http-nio-8080-exec-%d]", ThreadLocalRandom.current().nextInt(, ));
    }

线程的命名可以保持简洁,只需确保线程的编号是随机生成的即可。

产生日志的类名

编写一个函数,用于生成具有特定字体颜色的产生日志的类名:

代码语言:javascript
复制
    public static String getClassName() {
        int count = ThreadLocalRandom.current().nextInt(, );
        StringBuilder className = new StringBuilder();
        for (int i = ; i < count; i++) {
            if (className.length() > ) {
                className.append('.');
            }
            className.append((char) ThreadLocalRandom.current().nextInt('a', 'e'));
        }
        className.append('.');
        className.append(CLASS_NAME_ARRAY[ThreadLocalRandom.current().nextInt(CLASS_NAME_ARRAY.length)]);
        return getColoredString(, className.toString());
    }

先生成一个长度在3到5之间的随机数,然后根据这个随机数生成一个由小写字母a到e组成的字符串,每个字母之间用点号"."分隔,把它作为包名。 最后,从预定义的CLASS_NAME_ARRAY数组中随机选择一个作为类名。

日志的具体内容

编写一个函数,用于生成日志的具体内容:

代码语言:javascript
复制
    public static String getLogContent() {
        return LOG_CONTENT_ARRAY[ThreadLocalRandom.current().nextInt(LOG_CONTENT_ARRAY.length)];
    }

就是从预定义的LOG_CONTENT_ARRAY数组中随机选择一个作为日志的具体内容。

无限循环显示日志

编写一个main函数,用于无限循环显示日志:

代码语言:javascript
复制
    public static void main(String[] args) throws InterruptedException {
        int count = , speed = ;
        while (true) {
            String logString = getTime() + "\t" + getLogLevel() + "\t" + getThreadName() + " " + getClassName() + "\t"
                    + getLogContent();
            System.out.println(logString);

            if (count <= ) {
                speed = ThreadLocalRandom.current().nextInt(, );
                count = ThreadLocalRandom.current().nextInt(, ) * ( - speed);
            }
            count--;
            Thread.sleep(ThreadLocalRandom.current().nextInt(, ) + speed * );
        }
    }

首先构造一个日志字符串,该字符串上述的几个主要构成部分。然后,将这个日志字符串打印到控制台。 还设置了3个随机的日志显示速度,还有日志显示速度对应的日志数量,这样就是更见逼真的模拟日志的显示过程。

模拟显示日志工具运行效果

模拟日志显示工具的应用

有些人可能会好奇地问:“这个高仿日志工具除了提供一些娱乐效果,增添一些趣味性,还有其他实际用途吗?”

实际上,这个工具绝对是一个摸鱼的神器。想象一下,当你偷偷刷手机的时候,当你在享受带薪拉屎的时候,你的屏幕上正在运行着这个高仿日志工具。即使你人不在,导看到的也是你正在运行代码的画面,老板都会赞赏你是个尽职尽责的模范员工。

最后:模拟日志显示工具的完整代码

代码语言:javascript
复制
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.ThreadLocalRandom;

public class OneMoreLog {

    public static void main(String[] args) throws InterruptedException {
        int count = , speed = ;
        while (true) {
            String logString = getTime() + "\t" + getLogLevel() + "\t" + getThreadName() + " " + getClassName() + "\t"
                    + getLogContent();
            System.out.println(logString);

            if (count <= ) {
                speed = ThreadLocalRandom.current().nextInt(, );
                count = ThreadLocalRandom.current().nextInt(, ) * ( - speed);
            }
            count--;
            Thread.sleep(ThreadLocalRandom.current().nextInt(, ) + speed * );
        }
    }

    /**
     * 字体颜色:30白色 31红色 32绿色 33黄色 34蓝色 35紫色 36青色  37灰色
     * 背景色:40黑色 41红色 42绿色 43黄色 44蓝色 45紫色 46青色 47灰色
     *
     * @param color   颜色
     * @param content 内容
     * @return
     */
    public static String getColoredString(int color, String content) {
        return String.format("\033[%dm%s\033[0m", color, content);
    }


    public final static SimpleDateFormat DATA_TIME_FORMAT = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss.SSS");

    public static String getTime() {
        return DATA_TIME_FORMAT.format(new Date());
    }

    public static String getLogLevel() {
        int random = ThreadLocalRandom.current().nextInt(, );
        if (random <= ) {
            // 5%概率
            return getColoredString(, "ERROR");
        } else if (random <= ) {
            // 10%概率
            return getColoredString(, "WARN");
        } else if (random <= ) {
            // 60%概率
            return getColoredString(, "INFO");
        } else {
            // 25%概率
            return getColoredString(, "DEBUG");
        }
    }

    public static String getThreadName() {
        return String.format("[http-nio-8080-exec-%d]", ThreadLocalRandom.current().nextInt(, ));
    }


    public final static String[] CLASS_NAME_ARRAY = new String[]{
            "AuthenticationRequestHandler", "UserRegistrationService", "EmailNotificationSender",
            "PasswordEncryptionUtility", "DatabaseConnectionManager", "ProductInventoryController",
            "UserProfileModificationService", "OrderProcessingSystem", "PaymentGatewayIntegration",
            "ShoppingCartManagement", "CustomerSupportChatbot", "DataEncryptionDecryption",
            "ServerRequestResponseLogger", "UserSessionManagement", "ProductRecommendationEngine",
            "DataSynchronizationService", "MultiThreadTaskExecutor", "ErrorHandlingMechanism",
            "UserPermissionValidation", "DataCompressionUtility", "PerformanceMonitoringSystem",
            "SecurityTokenGenerator", "DataMigrationAssistant", "SocialMediaIntegration", "RealTimeNotificationSystem",
            "SoftwareUpdateManager", "CloudStorageConnector", "ApplicationDebuggerTool", "WebsiteTrafficAnalyser",
            "ApplicationDeploymentManager", "MultiLanguageSupportService", "SystemHealthCheckUtility",
            "APIRequestRateLimiter", "DataBackupRestorationService", "DynamicContentLoader", "UserActivityTracker",
            "AutomatedTestingFramework", "SearchEngineOptimization", "MobileDeviceCompatibilityChecker",
            "ServerLoadBalancer", "DatabaseNormalizationHelper", "UserFeedbackCollector", "ContentManagementSystem",
            "TransactionCompletionChecker", "BatchProcessingSystem", "GraphicalUserInterfaceTester",
            "ObjectRelationalMapper", "DistributedSystemCoordinator", "MemoryLeakageDetector",
            "ApplicationSecurityAuditor"
    };

    public static String getClassName() {
        int count = ThreadLocalRandom.current().nextInt(, );
        StringBuilder className = new StringBuilder();
        for (int i = ; i < count; i++) {
            if (className.length() > ) {
                className.append('.');
            }
            className.append((char) ThreadLocalRandom.current().nextInt('a', 'e'));
        }
        className.append('.');
        if (ThreadLocalRandom.current().nextInt() == ) {
            className.append("OneMore");
        }
        className.append(CLASS_NAME_ARRAY[ThreadLocalRandom.current().nextInt(CLASS_NAME_ARRAY.length)]);
        return getColoredString(, className.toString());
    }

    public final static String[] LOG_CONTENT_ARRAY = new String[]{
            "User authentication successful. The user with username 'JohnDoe' has successfully logged into the system. The authentication process took 0.23 seconds. The system is now ready for further operations.",
            "Database connection established. The system has successfully connected to the PostgreSQL database instance 'db_prod'. The connection process took 1.2 seconds. The system is now ready to perform database operations.",
            "Data migration completed. The system has successfully migrated 10000 rows of data from the 'users' table to the 'archive_users' table. The migration process took 5.6 seconds. The system is now ready for further operations.",
            "System shutdown initiated. The system is now shutting down as per the scheduled task. All running operations have been successfully completed. The shutdown process will take approximately 10 seconds.",
            "System startup successful. The system has successfully started up and is now ready for operations. All modules have been initialized and are functioning as expected. The startup process took 12.3 seconds.",
            "File upload successful. The user with username 'JaneDoe' has successfully uploaded a file named 'report.pdf'. The file size is 2.3 MB. The upload process took 1.5 seconds.",
            "API call successful. The system has successfully made a call to the external API 'https://api.example.com'. The API responded with a status code of 200. The API call took 0.8 seconds.",
            "Data backup successful. The system has successfully backed up the 'orders' table to the backup server. The backup process took 3.4 seconds. The system is now ready for further operations.",
            "Email sent successfully. The system has successfully sent an email to 'johndoe@example.com'. The email was sent through the SMTP server 'smtp.example.com'. The email sending process took 0.5 seconds.",
            "Software update successful. The system has successfully updated the software to version '1.2.3'. The update process took 15.3 seconds. The system is now ready for further operations.",
            "The development team is currently working on the user authentication module for the customer portal. This involves writing Java code for user login, registration, and password recovery functions.",
            "The team has completed writing the initial Java classes for the database connection pool. These classes are responsible for managing a pool of database connections, reducing the overhead of establishing a connection for each query.",
            "Today, we focused on implementing a Java servlet that handles form submission from the front end. This servlet processes the form data and interacts with the database.",
            "Currently working on a Java-based image processing application. The software will be able to apply various filters and transformations to images.",
            "Developed a batch processing system in Java that allows data to be processed in large batches. This improves efficiency, particularly for larger data sets.",
            "Implemented a Java function that performs a complex calculation for a financial application. The function has been tested with a variety of input values to ensure accuracy.",
            "Worked on a Java program that scrapes data from websites. The software can be used to gather information from a variety of different types of websites.",
            "Completed the development of a Java application that manages customer relationships for a small business. The application tracks customer interactions and history.",
            "Created a Java module for real-time data streaming. This module can handle large volumes of data, making it ideal for applications such as video streaming or real-time analytics.",
            "Worked on a Java-based web crawler. This is a program that visits websites and collects information automatically.",
            "Developed a Java algorithm that optimizes route planning for a logistics company. The algorithm takes into account factors such as distance, traffic, and delivery time.",
            "Implemented a Java class that handles encryption and decryption for a secure messaging application. The class uses a variety of cryptographic techniques to ensure the security of messages.",
            "Worked on a Java library that aids in the development of graphical user interfaces. The library provides a variety of components, such as buttons, text fields, and panels.",
            "Implemented a Java package for handling XML data. This package includes classes for parsing XML, as well as classes for creating and modifying XML documents.",
            "Created a Java utility that converts files between different formats. The utility supports a variety of file formats, including text, PDF, and Word.",
            "Developed a Java function for a machine learning application. The function is used to train a model based on a set of input data.",
            "Worked on a Java program that simulates the behavior of a complex system. The program uses mathematical models to generate realistic results.",
            "Implemented a Java class that provides an interface to a database. The class includes methods for querying, updating, and deleting data.",
            "Completed the development of a Java application that provides a user-friendly interface for a database. The application includes features such as search, sort, and filter.",
            "Created a Java function that calculates the distance between two geographical locations. The function takes into account the curvature of the Earth.",
            "Initiating sequence for data migration from legacy system to new platform. Backup will be created for the existing data before proceeding with the operation.",
            "Initiated the process of API integration with third-party services. OAuth authentication has been set up successfully.",
            "Running comprehensive unit tests on the new feature developed for user account management. The feature includes password reset and account recovery options.",
            "Initiated the database schema update. The update will reflect the changes in the User Entity and will include new fields for user preferences.",
            "Completed the process of code review for the new modules developed. The code is in line with the coding standards of the project.",
            "Implemented caching for the application to improve performance. The caching strategy used is Least Recently Used (LRU).",
            "Running the final version of the application on the staging server for the QA team to perform the acceptance tests.",
            "Started the security audit process. The audit includes checking the application for common security vulnerabilities like SQL Injection, XSS, CSRF, etc.",
            "Updating the continuous integration/continuous deployment (CI/CD) pipeline for the new requirements. The pipeline includes stages like build, test, and deploy.",
            "Refactoring the codebase to improve code quality. The refactoring includes removal of dead code, simplification of complex code, and addition of comments for better understanding.",
            "Completed the process of requirement gathering for the new feature. The new feature will allow users to customize their home page.",
            "Preparing for the system demo scheduled for the end of the week. The demo will include showcasing all the new features developed in the current sprint.",
            "Conducting a root cause analysis for the recent system outage. The analysis includes checking server logs, database logs, and application logs.",
            "Completed the implementation of the payment gateway integration. The integration supports major credit cards and PayPal.",
            "Initiated the performance tuning process. The process includes profiling the application, identifying performance bottlenecks, and optimizing the code.",
            "Initializing user interface components for the new feature of exporting data to CSV file. This operation was successful and all associated tasks were executed without any issue.",
            "Implemented a multithreading operation which significantly reduced the processing time of the batch operations. All the scheduled tasks were completed successfully.",
            "Changed the application's connection pool settings due to increased user traffic. Monitoring the application to ensure optimal performance and reliability.",
            "Fixed a bug in the payment gateway feature which was giving incorrect results due to a calculation error in the discount logic.",
            "Started the automating testing of the new API endpoints which were added recently. The automation scripts are running as expected without any issue.",
            "Updated the application server settings to handle the large volume of data. The server is running smoothly after this update.",
            "Implemented a new security feature which encrypts the user data before saving it to the database. Tested this feature and found it to be working as expected.",
            "Integrated the application with a third-party email service for sending notifications to the users. The integration was successful and the notifications are being sent without any delay.",
            "Added a new feature which allows users to upload large files to the server. The feature is working as expected without any issues or delays.",
            "Updated the data validation logic in the signup form to prevent spam users from registering to the application. The form is now more secure and robust.",
            "Performed a database migration operation to move the data from the old schema to the new schema. The operation was successful and all the data has been migrated.",
            "Implemented a caching mechanism to improve the performance of the application. The response time has been significantly reduced after this implementation.",
            "Added error handling mechanisms for all the operations in the application. This has made the application more robust and reliable.",
            "Created a new rest API endpoint for fetching user details. The endpoint is working as expected and returning the correct data.",
            "Fixed a memory leak in the application which was causing the server to crash. The server is now stable and running smoothly.",
            "Implemented a new feature which allows users to schedule tasks. The feature is working as expected and the tasks are being scheduled without any issue.",
            "Performed a code review and found some areas of improvement. Made the necessary changes and the code is now more efficient and readable.",
            "Integrated the application with a third-party logging service to monitor the application logs. The service is working as expected and all the logs are being monitored.",
            "Updated the database schema to accommodate the new features. The schema is now more efficient and scalable.",
            "Implemented a data backup feature to prevent data loss. The feature is working as expected and the data is being backed up without any issue.",
            "Completing the task of designing the user interface. This includes the creation of navigation buttons, dropdown menus, search bars and other UI components that are essential for user interaction.",
            "Implementing the user registration module. The module includes fields for entering username, password, email, full name and other necessary information. Also incorporated are the security checks for password strength and email validity.",
            "Working on the login module which includes the creation of session cookies upon successful login. This also involves the implementation of security measures to prevent unauthorized access.",
            "Creating a database connection using JDBC. This involves the setup of database parameters and the management of database connections. Also ensuring that all database queries are executed successfully.",
            "Developing the logic for the search functionality. This involves the use of advanced algorithms to provide accurate and relevant search results to the users.",
            "Handling file upload and download functionality. This includes the creation of relevant APIs, ensuring proper file conversion and storage, and the delivery of files to the user upon request.",
            "Working on the implementation of the shopping cart functionality. This involves the creation of necessary data structures and algorithms to manage the items in the cart.",
            "Building the payment gateway integration. This includes the setup of necessary APIs, handling of transactions and ensuring the security of user's financial details.",
            "Incorporating the user profile management feature. This includes the creation of APIs to handle the updating, retrieval and deletion of user profile data.",
            "Developing and testing the error handling capability of the application. This involves the creation of custom error messages and ensuring that they are displayed properly when an error occurs.",
            "Implementing the logout functionality. This includes the invalidation of session cookies and ensuring that the user is redirected to the login page upon logout.",
            "Creating a RESTful API for the mobile application. This involves the setup of necessary endpoints and ensuring the successful exchange of data between the server and the mobile application.",
            "Working on real-time notification feature. This involves setting up a WebSocket connection between the client and the server to enable real-time communication.",
            "Incorporated social media login capabilities like Facebook and Google. This includes managing access tokens and retrieving user information from these platforms.",
            "Creating automated unit tests for each module. This involves the creation of test cases to ensure that each module functions as expected.",
            "Setting up a continuous integration/continuous deployment pipeline. This involves the automation of code building, testing and deployment processes.",
            "Performance tuning of the application. This involves the optimization of code and database queries to ensure that the application runs as efficiently as possible.",
            "Implementing measures to ensure the security of user data. This involves the encryption of sensitive data and the implementation of measures to prevent SQL injection and cross-site scripting attacks.",
            "Initializing the user interface for the application. The user interface elements such as buttons, text fields, and labels have been successfully created. The layout is also set for these elements.",
            "Creating the database connections. The system has successfully established a connection with the database. The connection parameters are being set and the database is now ready to use.",
            "Implementing the business logic for the software. The methods and functions for the business logic have been created. The logic is working as expected and passing all the test cases.",
            "Starting the server and listening on port 8080. The server has started without any issues and it's ready to serve the incoming requests. The server is running smoothly and efficiently.",
            "Implementing the payment gateway for the application. The payment gateway has been integrated successfully. The transaction tests have been carried out and all the transactions are successful.",
            "Performing the stress testing of the software. The software is able to handle the load and is performing well under stress. The performance metrics are being recorded for further analysis.",
            "Deploying the software on the production environment. The deployment process has been successful. The software is running properly on the production environment and all the functionalities are working as expected.",
            "Performing the unit testing of the software. All the modules and components of the software are being tested individually. The test results are positive and all the components are working properly.",
            "Implementing the security features for the software. The software is now more secure and resistant to threats. The encryption and decryption methods are working properly and the data is secure.",
            "Closing the database connections. The database connections have been closed successfully. The system resources have been freed and the software is ready to be shut down.",
            "Initiated application startup in 3.9 seconds. Application is now up and running with Process ID: 4756. Total memory usage: 500MB. Current Thread count: 14. User Session count: 2. Active JDBC connections: 20.",
            "Application successfully completed the scheduled task: Data Backup at 01:00 AM. Total records backed up: 20000. Backup file size: 500MB. Backup file is saved at location: '/data/backups/db/backup_20210530.zip'.",
            "System successfully processed the batch job: 'Invoice generator'. Total invoices generated: 1000. Total time taken: 45 minutes. The generated invoices are saved at location: '/files/invoices/invoices_20210530.csv'.",
            "Completed the API Request: GET /api/v1/users. Total records fetched: 500. Response time: 200ms. The response is sent back to the client with status code: 200. Next scheduled execution: 30 minutes.",
            "Application went through the Update Process. Current version: 1.1.0. Previous version: 1.0.0. Update timestamp: 2021-05-30 03:00:00. The update includes fixes for 5 bugs and 3 new features.",
            "System executed the automatic cleanup task. Total disk space freed: 2GB. Number of files deleted: 250. The cleanup task will run again in 24 hours. The next cleanup is scheduled at: 2021-05-31 04:00:00.",
            "Application successfully processed user request: 'Password Reset'. User ID: 2001. Request processed in: 1 second. An email has been sent to the user with reset instructions. The email was sent at: 2021-05-30 05:00:00.",
            "System processed the data synchronization task: 'Database Sync'. Total records synchronized: 10000. Time taken: 10 minutes. The next synchronization is scheduled for: 2021-05-31 06:00:00."
    };

    public static String getLogContent() {
        return LOG_CONTENT_ARRAY[ThreadLocalRandom.current().nextInt(LOG_CONTENT_ARRAY.length)];
    }
}
本文参与 腾讯云自媒体分享计划,分享自微信公众号。
原始发表:2024-03-07,如有侵权请联系 cloudcommunity@tencent.com 删除

本文分享自 万猫学社 微信公众号,前往查看

如有侵权,请联系 cloudcommunity@tencent.com 删除。

本文参与 腾讯云自媒体分享计划  ,欢迎热爱写作的你一起参与!

评论
登录后参与评论
0 条评论
热度
最新
推荐阅读
目录
  • 模拟日志显示工具
    • 日志字体颜色
      • 记录日志的时间
        • 日志级别
          • 记录日志的线程名
            • 产生日志的类名
              • 日志的具体内容
                • 无限循环显示日志
                • 模拟显示日志工具运行效果
                • 模拟日志显示工具的应用
                • 最后:模拟日志显示工具的完整代码
                相关产品与服务
                Serverless HTTP 服务
                Serverless HTTP 服务基于腾讯云 API 网关 和 Web Cloud Function(以下简称“Web Function”)建站云函数(云函数的一种类型)的产品能力,可以支持各种类型的 HTTP 服务开发,实现了 Serverless 与 Web 服务最优雅的结合。用户可以快速构建 Web 原生框架,把本地的 Express、Koa、Nextjs、Nuxtjs 等框架项目快速迁移到云端,同时也支持 Wordpress、Discuz Q 等现有应用模版一键快速创建。
                领券
                问题归档专栏文章快讯文章归档关键词归档开发者手册归档开发者手册 Section 归档