- iOS/Objective-C 元类和类别
- objective-c - -1001 错误,当 NSURLSession 通过 httpproxy 和/etc/hosts
- java - 使用网络类获取 url 地址
- ios - 推送通知中不播放声音
我必须向应用程序添加一个面板,这个面板将记录应用程序的错误。我创建了一个扩展 AppenderBase 的类,并且配置了 xml 文件以使用此类。
所以当我在应用程序中记录一些东西时,他调用了 appender。
但目前我不知道如何将我的 appender 链接到我的面板。
你能指导我吗?
最佳答案
工作解决方案:
自定义附加程序类:
package br.com.mobhub.fdv.sync.utils;
import br.com.mobhub.fdv.sync.App;
import ch.qos.logback.classic.Level;
import ch.qos.logback.classic.PatternLayout;
import ch.qos.logback.classic.spi.ILoggingEvent;
import ch.qos.logback.core.AppenderBase;
import javax.swing.*;
import javax.swing.text.*;
import java.awt.*;
/**
* @author Rodrigo Garcia Lima (email: rodgarcialima@gmail.com | github: rodgarcialima)
* @see ch.qos.logback.core.AppenderBase
*/
public class Appender extends AppenderBase<ILoggingEvent> {
/**
* Utilizo para formatar a mensagem de log
*/
private PatternLayout patternLayout;
/**
* Cada nível de log tem um estilo próprio
*/
private static SimpleAttributeSet ERROR_ATT, WARN_ATT, INFO_ATT, DEBUG_ATT, TRACE_ATT, RESTO_ATT;
/**
* Definição dos estilos de log
*/
static {
// ERROR
ERROR_ATT = new SimpleAttributeSet();
ERROR_ATT.addAttribute(StyleConstants.CharacterConstants.Bold, Boolean.TRUE);
ERROR_ATT.addAttribute(StyleConstants.CharacterConstants.Italic, Boolean.FALSE);
ERROR_ATT.addAttribute(StyleConstants.CharacterConstants.Foreground, new Color(153, 0, 0));
// WARN
WARN_ATT = new SimpleAttributeSet();
WARN_ATT.addAttribute(StyleConstants.CharacterConstants.Bold, Boolean.FALSE);
WARN_ATT.addAttribute(StyleConstants.CharacterConstants.Italic, Boolean.FALSE);
WARN_ATT.addAttribute(StyleConstants.CharacterConstants.Foreground, new Color(153, 76, 0));
// INFO
INFO_ATT = new SimpleAttributeSet();
INFO_ATT.addAttribute(StyleConstants.CharacterConstants.Bold, Boolean.FALSE);
INFO_ATT.addAttribute(StyleConstants.CharacterConstants.Italic, Boolean.FALSE);
INFO_ATT.addAttribute(StyleConstants.CharacterConstants.Foreground, new Color(0, 0, 153));
// DEBUG
DEBUG_ATT = new SimpleAttributeSet();
DEBUG_ATT.addAttribute(StyleConstants.CharacterConstants.Bold, Boolean.FALSE);
DEBUG_ATT.addAttribute(StyleConstants.CharacterConstants.Italic, Boolean.TRUE);
DEBUG_ATT.addAttribute(StyleConstants.CharacterConstants.Foreground, new Color(64, 64, 64));
// TRACE
TRACE_ATT = new SimpleAttributeSet();
TRACE_ATT.addAttribute(StyleConstants.CharacterConstants.Bold, Boolean.FALSE);
TRACE_ATT.addAttribute(StyleConstants.CharacterConstants.Italic, Boolean.TRUE);
TRACE_ATT.addAttribute(StyleConstants.CharacterConstants.Foreground, new Color(153, 0, 76));
// RESTO
RESTO_ATT = new SimpleAttributeSet();
RESTO_ATT.addAttribute(StyleConstants.CharacterConstants.Bold, Boolean.FALSE);
RESTO_ATT.addAttribute(StyleConstants.CharacterConstants.Italic, Boolean.TRUE);
RESTO_ATT.addAttribute(StyleConstants.CharacterConstants.Foreground, new Color(0, 0, 0));
}
@Override
public void start() {
patternLayout = new PatternLayout();
patternLayout.setContext(getContext());
patternLayout.setPattern("%d{HH:mm:ss.SSS} [%thread] %-5level %logger{36} - %msg%n");
patternLayout.start();
super.start();
}
@Override
protected void append(ILoggingEvent event) {
// Formata mensagem do log
String formattedMsg = patternLayout.doLayout(event);
// Forma segura de atualizar o JTextpane
SwingUtilities.invokeLater(() -> {
// Alias para o JTextPane no frame da aplicação
JTextPane textPane = App.MAIN_FORM.getTextPane();
try {
// Trunca linhas para economizar memória
// Quando atingir 2000 linhas, eu quero que
// apague as 500 primeiras linhas
int limite = 1000;
int apaga = 200;
if (textPane.getDocument().getDefaultRootElement().getElementCount() > limite) {
int end = getLineEndOffset(textPane, apaga);
replaceRange(textPane, null, 0, end);
}
// Decide qual atributo (estilo) devo usar de acordo com o nível o log
if (event.getLevel() == Level.ERROR)
textPane.getDocument().insertString(textPane.getDocument().getLength(), formattedMsg, ERROR_ATT);
else if (event.getLevel() == Level.WARN)
textPane.getDocument().insertString(textPane.getDocument().getLength(), formattedMsg, WARN_ATT);
else if (event.getLevel() == Level.INFO)
textPane.getDocument().insertString(textPane.getDocument().getLength(), formattedMsg, INFO_ATT);
else if (event.getLevel() == Level.DEBUG)
textPane.getDocument().insertString(textPane.getDocument().getLength(), formattedMsg, DEBUG_ATT);
else if (event.getLevel() == Level.TRACE)
textPane.getDocument().insertString(textPane.getDocument().getLength(), formattedMsg, TRACE_ATT);
else
textPane.getDocument().insertString(textPane.getDocument().getLength(), formattedMsg, RESTO_ATT);
} catch (BadLocationException e) {
// Faz nada
}
// Vai para a última linha
textPane.setCaretPosition(textPane.getDocument().getLength());
});
}
/**
* Código copiado do {@link JTextArea#getLineCount()}
* @param textPane de onde quero as linhas contadas
* @return quantidade de linhas > 0
*/
private int getLineCount(JTextPane textPane) {
return textPane.getDocument().getDefaultRootElement().getElementCount();
}
/**
* Código copiado do {@link JTextArea#getLineEndOffset(int)}
* @param textPane de onde quero o offset
* @param line the line >= 0
* @return the offset >= 0
* @throws BadLocationException Thrown if the line is
* less than zero or greater or equal to the number of
* lines contained in the document (as reported by
* getLineCount)
*/
private int getLineEndOffset(JTextPane textPane, int line) throws BadLocationException {
int lineCount = getLineCount(textPane);
if (line < 0) {
throw new BadLocationException("Negative line", -1);
} else if (line >= lineCount) {
throw new BadLocationException("No such line", textPane.getDocument().getLength()+1);
} else {
Element map = textPane.getDocument().getDefaultRootElement();
Element lineElem = map.getElement(line);
int endOffset = lineElem.getEndOffset();
// hide the implicit break at the end of the document
return ((line == lineCount - 1) ? (endOffset - 1) : endOffset);
}
}
/**
* Código copiado do {@link JTextArea#replaceRange(String, int, int)}<br>
*
* Replaces text from the indicated start to end position with the
* new text specified. Does nothing if the model is null. Simply
* does a delete if the new string is null or empty.<br>
*
* @param textPane de onde quero substituir o texto
* @param str the text to use as the replacement
* @param start the start position >= 0
* @param end the end position >= start
* @exception IllegalArgumentException if part of the range is an invalid position in the model
*/
private void replaceRange(JTextPane textPane, String str, int start, int end) throws IllegalArgumentException {
if (end < start) {
throw new IllegalArgumentException("end before start");
}
Document doc = textPane.getDocument();
if (doc != null) {
try {
if (doc instanceof AbstractDocument) {
((AbstractDocument)doc).replace(start, end - start, str, null);
}
else {
doc.remove(start, end - start);
doc.insertString(start, str, null);
}
} catch (BadLocationException e) {
throw new IllegalArgumentException(e.getMessage());
}
}
}
}
JTextPane 实例示例:
public class App {
private static final Logger logger = LoggerFactory.getLogger(App.class);
public static final MainForm MAIN_FORM;
static {
// Look and Feel
try {
UIManager.setLookAndFeel(new NimbusLookAndFeel());
} catch (UnsupportedLookAndFeelException e) {
logger.error("Erro ao configurar NimbusLookAndFeel");
}
// Esse painel do form principal está sendo usando em outros lugares da aplicação
MAIN_FORM = new MainForm();
}
public static void main(String[] args) {
...
// Chama o form principal
SwingUtilities.invokeLater(() -> {
JFrame frame = new JFrame("Força de Vendas (Sync)");
frame.setJMenuBar(criaMenus(frame));
frame.setContentPane(MAIN_FORM.$$$getRootComponent$$$());
frame.setResizable(true);
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.pack();
frame.setLocationRelativeTo(null);
frame.setVisible(true);
});
...
}
...
}
和:
public class MainForm {
private static final Logger logger = LoggerFactory.getLogger(MainForm.class);
private JPanel contentPanel;
private JButton iniciarButton;
private JTextPane textPane;
private JButton pararButton;
private JButton limparLogButton;
...
public JTextPane getTextPane() {
return textPane;
}
...
}
logback.xml:
<?xml version="1.0" encoding="UTF-8"?>
<configuration>
<property file="config.properties" />
<!-- Console -->
<appender name="CONSOLE" class="ch.qos.logback.core.ConsoleAppender">
<encoder>
<pattern>%d{HH:mm:ss.SSS} [%thread] %-5level %logger{36} - %msg%n</pattern>
</encoder>
</appender>
<!-- File -->
<appender name="FILE" class="ch.qos.logback.core.rolling.RollingFileAppender">
<file>${logging.path}${logging.file}</file>
<rollingPolicy class="ch.qos.logback.core.rolling.TimeBasedRollingPolicy">
<fileNamePattern>${logging.path}${logging.file}-%d{yyyy-MM-dd}</fileNamePattern>
<maxHistory>${logging.maxHistory}</maxHistory>
</rollingPolicy>
<encoder>
<pattern>%date %level [%thread] %logger{10} [%file:%line] %msg%n</pattern>
</encoder>
</appender>
<!-- Form -->
<appender name="FORM" class="br.com.mobhub.fdv.sync.utils.Appender" />
<!--<logger name="br.com.mobhub.fdv.sync.App" level="DEBUG"/>-->
<root level="${logging.level}">
<appender-ref ref="FILE" />
<appender-ref ref="CONSOLE" />
<appender-ref ref="FORM" />
</root>
</configuration>
关于java - 如何在 Swing 应用程序中从 Logback 链接日志?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/9395358/
这是真的: log(A) + log(B) = log(A * B) [0] 这也是真的吗? O(log(A)) + O(log(B)) = O(log(A * B)) [1] 据我了解 O(f
0 引言 我常以为 配置 INFO 日志级别时, 应用程序代码中日志器(logger) debug 级的日志代码,不会被执行(比如,实验1中的printTestLog函数)。但今天线上的问题,
日志 日志是构建工具的主要界面。如果日志太多,真正的警告和问题容易被隐藏。另一方面,如果出了错,你需要找出相关的信息。Gradle 定义了6个日志级别,如表 18.1,“日志级别”所示。除了那些您通
日志 关键进程日志如下…(将 替换为启动服务的用户,将 替换为计算机名称) NameNode: $ HADOOP_HOME / logs / hadoop- -namenode- .log Da
我正在探索项目的 git 历史 FFMpeg .我在提交之间对每个文件执行了更改 517573a67088b5c7a25c18373434e3448892ee93和 80bb65fafab1d2f5f
我不知道如何在 loggly 中使用正则表达式进行搜索。例如,使用表达式 /24nonstop.+7554/ 记录我想查找的内容. { "level_name": "WARNING", "ex
有没有办法为 API 调用打开日志记录? 我们有一个第三方应用程序在使用我们的商店时遇到问题,希望获得一些调试信息。 ~我已经搜索了 bt 一无所获。 我正在使用 1.7 最佳答案 在一段受控的时间内
我正在尝试获取 SVN 中所有副本/移动/等的固定路径的日志历史记录(如果可能的话,递归地)。实际上,我试图避免 peg revisions ,并将日志应用于路径而不是对象。 svn 手册提出了这个问
如何在命令行中运行 NAnt 脚本并在日志文件中获取每个任务的时间? using nant task or NAnt -buildfile:testscript.build testnanttarg
是否有任何默认方式来记录哪些用户代理访问了您的服务器?我需要编制一份访问我们网站的浏览器列表,以便我们知道我们最能支持什么。 谢谢! 最佳答案 日志CGI.HTTP_USER_AGENT ,也许在 A
我在我的应用程序中使用 Spring 发送电子邮件。 我想在发送电子邮件时记录 imap 服务器操作。 我尝试按如下方式在我的 applicationContext.xml 中实现日志:
我已经运行一个 pod 一个多星期了,从开始到现在没有重启过。但是,我仍然无法查看自它启动以来的日志,它只提供最近两天的日志。容器是否有任何日志轮换策略以及如何根据大小或日期控制轮换? 我尝试了以下命
背景: 我正在设置我的第一个 flex 堆栈,尽管我将开始简单,但是我想确保我从良好的体系结构开始。我最终希望有以下解决方案:托管指标,服务器日志(expressjs APM),单页应用程序监视(AP
常规的 hg log 命令给出每个变更集至少 4 行的输出。例如 changeset: 238:03a214f2a1cf user: My Name date: Th
我在我的项目中使用 Spring iBatis 框架。然后使用 logback 进行记录。然后,在检查日志文件时,我可以看到系统正在使用的数据库...出于安全目的我想隐藏它 这是示例日志.. 12:2
我想使用 hg log 生成一个简短的变更日志,涵盖最新版本的变更。发行版标有“v”前缀,例如“v0.9.1”或“v1.0”。是否可以使用 revsets 选择以“v”开头的最后两个标签之间的范围,不
我是 PHP 的新手,所以如果有一个简单的答案,请原谅我。我在 stackoverflow 中搜索过任何类似的问题,但找不到任何帮助。 我正在开发一个现有的基于 php 的应用程序,我只需要能够将对象
我有一个名为 Radius 的程序可以验证用户登录。运行在CentOS服务器上 日志在/var/log/radius.log 中 它们如下 Mon Jul 24 22:17:08 2017 : Aut
我最近从使用“日志”切换到“日志”。 到目前为止,还不错,但我缺少一项关键功能——在运行时更改最低级别的能力。 在“logging',我可以调用 myLogger.setLevel(logging.I
假设我们有速度关键的系统(例如统计/分析、套接字编程等),我们如何设计跟踪和日志。 更具体地说,日志和跟踪通常会降低性能(即使我们有关闭机制或冗长的扩展机制)。在这种情况下,是否有任何关于如何“放置”
我是一名优秀的程序员,十分优秀!