java.util.logging.Logger.log()方法的使用及代码示例

x33g5p2x  于2022-01-17 转载在 其他  
字(13.4k)|赞(0)|评价(0)|浏览(413)

本文整理了Java中java.util.logging.Logger.log()方法的一些代码示例,展示了Logger.log()的具体用法。这些代码示例主要来源于Github/Stackoverflow/Maven等平台,是从一些精选项目中提取出来的代码,具有较强的参考意义,能在一定程度帮忙到你。Logger.log()方法的具体详情如下:
包路径:java.util.logging.Logger
类名称:Logger
方法名:log

Logger.log介绍

[英]Log a message, with no arguments.

If the logger is currently enabled for the given message level then the given message is forwarded to all the registered output Handler objects.
[中]记录消息,不带参数。
如果记录器当前已针对给定消息级别启用,则给定消息将转发到所有已注册的输出处理程序对象。

代码示例

代码示例来源:origin: jenkinsci/jenkins

  1. private void _cleanUpPluginServletFilters(List<Throwable> errors) {
  2. LOGGER.log(Level.FINE, "Stopping filters");
  3. try {
  4. PluginServletFilter.cleanUp();
  5. } catch (OutOfMemoryError e) {
  6. // we should just propagate this, no point trying to log
  7. throw e;
  8. } catch (LinkageError e) {
  9. LOGGER.log(SEVERE, "Failed to stop filters", e);
  10. // safe to ignore and continue for this one
  11. } catch (Throwable e) {
  12. LOGGER.log(SEVERE, "Failed to stop filters", e);
  13. // save for later
  14. errors.add(e);
  15. }
  16. }

代码示例来源:origin: jenkinsci/jenkins

  1. /**
  2. * Called when a plugin is installed, but there was already a plugin installed which optionally depended on that plugin.
  3. * The class loader of the existing depending plugin should be updated
  4. * to load classes from the newly installed plugin.
  5. * @param depender plugin depending on dependee.
  6. * @param dependee newly loaded plugin.
  7. * @since 1.557
  8. */
  9. // TODO an @Abstract annotation with a matching processor could make it a compile-time error to neglect to override this, without breaking binary compatibility
  10. default void updateDependency(PluginWrapper depender, PluginWrapper dependee) {
  11. Logger.getLogger(PluginStrategy.class.getName()).log(Level.WARNING, "{0} does not yet implement updateDependency", getClass());
  12. }
  13. }

代码示例来源:origin: jenkinsci/jenkins

  1. private void notifyRejected(@CheckForNull Class<?> clazz, @CheckForNull String clazzName, String message) {
  2. Throwable cause = null;
  3. if (LOGGER.isLoggable(Level.FINE)) {
  4. cause = new SecurityException("Class rejected by the class filter: " +
  5. (clazz != null ? clazz.getName() : clazzName));
  6. }
  7. LOGGER.log(Level.WARNING, message, cause);
  8. // TODO: add a Telemetry implementation (JEP-304)
  9. }
  10. }

代码示例来源:origin: jenkinsci/jenkins

  1. /**
  2. * Gets the information about the queue item for the given project.
  3. *
  4. * @return null if the project is not in the queue.
  5. * @since 1.607
  6. */
  7. private List<Item> liveGetItems(Task t) {
  8. lock.lock();
  9. try {
  10. List<Item> result = new ArrayList<Item>();
  11. result.addAll(blockedProjects.getAll(t));
  12. result.addAll(buildables.getAll(t));
  13. // Do not include pendings—we have already finalized WorkUnitContext.actions.
  14. if (LOGGER.isLoggable(Level.FINE)) {
  15. List<BuildableItem> thePendings = pendings.getAll(t);
  16. if (!thePendings.isEmpty()) {
  17. LOGGER.log(Level.FINE, "ignoring {0} during scheduleInternal", thePendings);
  18. }
  19. }
  20. for (Item item : waitingList) {
  21. if (item.task.equals(t)) {
  22. result.add(item);
  23. }
  24. }
  25. return result;
  26. } finally {
  27. lock.unlock();
  28. }
  29. }

代码示例来源:origin: 4thline/cling

  1. protected void addParsedValue(DLNAHeader.Type type, UpnpHeader value) {
  2. log.log(Level.FINE, "Adding parsed header: {0}", value);
  3. List<UpnpHeader> list = parsedDLNAHeaders.get(type);
  4. if (list == null) {
  5. list = new LinkedList<>();
  6. parsedDLNAHeaders.put(type, list);
  7. }
  8. list.add(value);
  9. }

代码示例来源:origin: google/guava

  1. /** Causes teardown to execute. */
  2. public final void runTearDown() {
  3. List<Throwable> exceptions = new ArrayList<>();
  4. List<TearDown> stackCopy;
  5. synchronized (stack) {
  6. stackCopy = Lists.newArrayList(stack);
  7. stack.clear();
  8. }
  9. for (TearDown tearDown : stackCopy) {
  10. try {
  11. tearDown.tearDown();
  12. } catch (Throwable t) {
  13. if (suppressThrows) {
  14. logger.log(Level.INFO, "exception thrown during tearDown", t);
  15. } else {
  16. exceptions.add(t);
  17. }
  18. }
  19. }
  20. if (!suppressThrows && (exceptions.size() > 0)) {
  21. throw ClusterException.create(exceptions);
  22. }
  23. }
  24. }

代码示例来源:origin: jMonkeyEngine/jmonkeyengine

  1. /**
  2. * Directly registers a class for a specific ID. Generally, use the regular
  3. * registerClass() method. This method is intended for framework code that might
  4. * be maintaining specific ID maps across client and server.
  5. */
  6. public static SerializerRegistration registerClassForId( short id, Class cls, Serializer serializer ) {
  7. if( locked ) {
  8. throw new RuntimeException("Serializer registry locked trying to register class:" + cls);
  9. }
  10. SerializerRegistration reg = new SerializerRegistration(serializer, cls, id);
  11. idRegistrations.put(id, reg);
  12. classRegistrations.put(cls, reg);
  13. log.log( Level.FINE, "Registered class[" + id + "]:{0} to:" + serializer, cls );
  14. serializer.initialize(cls);
  15. // Add the class after so that dependency order is preserved if the
  16. // serializer registers its own classes.
  17. registrations.add(reg);
  18. return reg;
  19. }

代码示例来源:origin: jMonkeyEngine/jmonkeyengine

  1. private List<TextureOptionValue> parseTextureOptions(final List<String> values) {
  2. final List<TextureOptionValue> matchList = new ArrayList<TextureOptionValue>();
  3. if (values.isEmpty() || values.size() == 1) {
  4. return matchList;
  5. }
  6. // Loop through all but the last value, the last one is going to be the path.
  7. for (int i = 0; i < values.size() - 1; i++) {
  8. final String value = values.get(i);
  9. final TextureOption textureOption = TextureOption.getTextureOption(value);
  10. if (textureOption == null && !value.contains("\\") && !value.contains("/") && !values.get(0).equals("Flip") && !values.get(0).equals("Repeat")) {
  11. logger.log(Level.WARNING, "Unknown texture option \"{0}\" encountered for \"{1}\" in material \"{2}\"", new Object[]{value, key, material.getKey().getName()});
  12. } else if (textureOption != null){
  13. final String option = textureOption.getOptionValue(value);
  14. matchList.add(new TextureOptionValue(textureOption, option));
  15. }
  16. }
  17. return matchList;
  18. }

代码示例来源:origin: jenkinsci/jenkins

  1. /**
  2. * See {@link #acquire(FilePath,boolean)}
  3. *
  4. * @param context
  5. * Threads that share the same context can re-acquire the same lock (which will just increment the lock count.)
  6. * This allows related executors to share the same workspace.
  7. */
  8. public synchronized Lease acquire(@Nonnull FilePath p, boolean quick, Object context) throws InterruptedException {
  9. Entry e;
  10. Thread t = Thread.currentThread();
  11. String oldName = t.getName();
  12. t.setName("Waiting to acquire "+p+" : "+t.getName());
  13. try {
  14. while (true) {
  15. e = inUse.get(p);
  16. if (e==null || e.context==context)
  17. break;
  18. wait();
  19. }
  20. } finally {
  21. t.setName(oldName);
  22. }
  23. if (LOGGER.isLoggable(Level.FINE)) {
  24. LOGGER.log(Level.FINE, "acquired " + p + (e == null ? "" : " with lock count " + e.lockCount), new Throwable("from " + this));
  25. }
  26. if (e!=null) e.lockCount++;
  27. else inUse.put(p,new Entry(p,quick,context));
  28. return lease(p);
  29. }

代码示例来源:origin: jMonkeyEngine/jmonkeyengine

  1. public Joystick[] loadJoysticks(InputManager inputManager){
  2. ControllerEnvironment ce =
  3. ControllerEnvironment.getDefaultEnvironment();
  4. Controller[] cs = ce.getControllers();
  5. List<Joystick> list = new ArrayList<Joystick>();
  6. for( Controller c : ce.getControllers() ) {
  7. if (c.getType() == Controller.Type.KEYBOARD
  8. || c.getType() == Controller.Type.MOUSE)
  9. continue;
  10. logger.log(Level.FINE, "Attempting to create joystick for: \"{0}\"", c);
  11. // Try to create it like a joystick
  12. JInputJoystick stick = new JInputJoystick(inputManager, this, c, list.size(), c.getName());
  13. for( Component comp : c.getComponents() ) {
  14. stick.addComponent(comp);
  15. }
  16. // If it has no axes then we'll assume it's not
  17. // a joystick
  18. if( stick.getAxisCount() == 0 ) {
  19. logger.log(Level.FINE, "Not a joystick: {0}", c);
  20. continue;
  21. }
  22. joystickIndex.put(c, stick);
  23. list.add(stick);
  24. }
  25. joysticks = list.toArray( new JInputJoystick[list.size()] );
  26. return joysticks;
  27. }

代码示例来源:origin: spotbugs/spotbugs

  1. /**
  2. * Register a DetectorFactory.
  3. */
  4. void registerDetector(DetectorFactory factory) {
  5. if (FindBugs.DEBUG) {
  6. System.out.println("Registering detector: " + factory.getFullName());
  7. }
  8. String detectorName = factory.getShortName();
  9. if(!factoryList.contains(factory)) {
  10. factoryList.add(factory);
  11. } else {
  12. LOGGER.log(Level.WARNING, "Trying to add already registered factory: " + factory +
  13. ", " + factory.getPlugin());
  14. }
  15. factoriesByName.put(detectorName, factory);
  16. factoriesByDetectorClassName.put(factory.getFullName(), factory);
  17. }

代码示例来源:origin: jenkinsci/jenkins

  1. args = args.subList(1, args.size());
  2. continue;
  3. args = args.subList(1, args.size());
  4. continue;
  5. args = args.subList(1, args.size());
  6. continue;
  7. for (Logger logger : new Logger[] {LOGGER, FullDuplexHttpStream.LOGGER, PlainCLIProtocol.LOGGER, Logger.getLogger("org.apache.sshd")}) { // perhaps also Channel
  8. logger.setLevel(level);
  9. if(args.isEmpty())
  10. args = Arrays.asList("help"); // default to help
  11. LOGGER.log(FINE, "using connection mode {0}", mode);
  12. factory = factory.basicAuth(userInfo);
  13. } else if (auth != null) {
  14. factory = factory.basicAuth(auth.startsWith("@") ? FileUtils.readFileToString(new File(auth.substring(1))).trim() : auth);
  15. LOGGER.log(WARNING, null, e);
  16. return -1;
  17. LOGGER.log(FINE, null, e);

代码示例来源:origin: org.netbeans.api/org-openide-util

  1. /**
  2. * Adds a <code>ChangeListener</code> to the listener list. The same
  3. * listener object may be added more than once, and will be called
  4. * as many times as it is added. If <code>listener</code> is null,
  5. * no exception is thrown and no action is taken.
  6. *
  7. * @param listener the <code>ChangeListener</code> to be added.
  8. */
  9. public void addChangeListener(ChangeListener listener) {
  10. if (listener == null) {
  11. return;
  12. }
  13. if (LOG.isLoggable(Level.FINE) && listeners.contains(listener)) {
  14. LOG.log(Level.FINE, "diagnostics for #167491", new IllegalStateException("Added " + listener + " multiply"));
  15. }
  16. listeners.add(listener);
  17. }

代码示例来源:origin: jenkinsci/jenkins

  1. /**
  2. * Releases an allocated or acquired workspace.
  3. */
  4. private synchronized void _release(@Nonnull FilePath p) {
  5. Entry old = inUse.get(p);
  6. if (old==null)
  7. throw new AssertionError("Releasing unallocated workspace "+p);
  8. if (LOGGER.isLoggable(Level.FINE)) {
  9. LOGGER.log(Level.FINE, "releasing " + p + " with lock count " + old.lockCount, new Throwable("from " + this));
  10. }
  11. old.lockCount--;
  12. if (old.lockCount==0)
  13. inUse.remove(p);
  14. notifyAll();
  15. }

代码示例来源:origin: jMonkeyEngine/jmonkeyengine

  1. public static void compile() {
  2. // Let's just see what they are here
  3. List<Registration> list = new ArrayList<Registration>();
  4. for( SerializerRegistration reg : Serializer.getSerializerRegistrations() ) {
  5. Class type = reg.getType();
  6. if( ignore.contains(type) )
  7. continue;
  8. if( type.isPrimitive() )
  9. continue;
  10. list.add(new Registration(reg));
  11. }
  12. if( log.isLoggable(Level.FINE) ) {
  13. log.log( Level.FINE, "Number of registered classes:{0}", list.size());
  14. for( Registration reg : list ) {
  15. log.log( Level.FINE, " {0}", reg);
  16. }
  17. }
  18. compiled = list.toArray(new Registration[list.size()]);
  19. INSTANCE = new SerializerRegistrationsMessage(compiled);
  20. Serializer.setReadOnly(true);
  21. }

代码示例来源:origin: jenkinsci/jenkins

  1. warning = FormValidation.warning(e,String.format("Certificate %s is not yet valid in %s",cert.toString(),name));
  2. LOGGER.log(Level.FINE, "Add certificate found in json doc: \r\n\tsubjectDN: {0}\r\n\tissuer: {1}", new Object[]{c.getSubjectDN(), c.getIssuerDN()});
  3. certs.add(c);
  4. if (certs.isEmpty()) {
  5. return FormValidation.error("No certificate found in %s. Cannot verify the signature", name);
  6. return resultSha512;
  7. case WARNING:
  8. LOGGER.log(Level.INFO, "JSON data source '" + name + "' does not provide a SHA-512 content checksum or signature. Looking for SHA-1.");
  9. break;
  10. case OK:
  11. LOGGER.log(Level.WARNING, "Failed to verify potential SHA-512 digest/signature, falling back to SHA-1", nsa);

代码示例来源:origin: jenkinsci/jenkins

  1. continue; // taken care of by DependencyGraph
  2. jobs.add(job);
  3. if (!jobs.isEmpty() && build.getResult().isBetterOrEqualTo(threshold)) {
  4. PrintStream logger = listener.getLogger();
  5. for (Job<?, ?> downstream : jobs) {
  6. if (Jenkins.getInstance().getItemByFullName(downstream.getFullName()) != downstream) {
  7. LOGGER.log(Level.WARNING, "Running as {0} cannot even see {1} for trigger from {2}", new Object[] {Jenkins.getAuthentication().getName(), downstream, build.getParent()});
  8. continue;
  9. listener.getLogger().println(Messages.BuildTrigger_you_have_no_permission_to_build_(ModelHyperlinkNote.encodeTo(downstream)));
  10. continue;
  11. logger.println(Messages.BuildTrigger_NotBuildable(ModelHyperlinkNote.encodeTo(downstream)));
  12. continue;
  13. logger.println(Messages.BuildTrigger_Disabled(ModelHyperlinkNote.encodeTo(downstream)));
  14. continue;

代码示例来源:origin: jMonkeyEngine/jmonkeyengine

  1. public void onAction(String name, boolean pressed, float tpf) {
  2. if (name.equals("save") && !pressed) {
  3. FileOutputStream fos = null;
  4. try {
  5. long start = System.currentTimeMillis();
  6. fos = new FileOutputStream(new File("terrainsave.jme"));
  7. // we just use the exporter and pass in the terrain
  8. BinaryExporter.getInstance().save((Savable)terrain, new BufferedOutputStream(fos));
  9. fos.flush();
  10. float duration = (System.currentTimeMillis() - start) / 1000.0f;
  11. System.out.println("Save took " + duration + " seconds");
  12. } catch (IOException ex) {
  13. Logger.getLogger(TerrainTestReadWrite.class.getName()).log(Level.SEVERE, null, ex);
  14. } finally {
  15. try {
  16. if (fos != null) {
  17. fos.close();
  18. }
  19. } catch (IOException e) {
  20. Logger.getLogger(TerrainTestReadWrite.class.getName()).log(Level.SEVERE, null, e);
  21. }
  22. }
  23. }
  24. }
  25. };

代码示例来源:origin: jenkinsci/jenkins

  1. /**
  2. * Just record that this workspace is being used, without paying any attention to the synchronization support.
  3. */
  4. public synchronized Lease record(@Nonnull FilePath p) {
  5. if (LOGGER.isLoggable(Level.FINE)) {
  6. LOGGER.log(Level.FINE, "recorded " + p, new Throwable("from " + this));
  7. }
  8. Entry old = inUse.put(p, new Entry(p, false));
  9. if (old!=null)
  10. throw new AssertionError("Tried to record a workspace already owned: "+old);
  11. return lease(p);
  12. }

代码示例来源:origin: javaee-samples/javaee7-samples

  1. @Override
  2. public String greet(String name) {
  3. try {
  4. System.out.println("context path (HttpServletRequest): " + httpServletRequest.getContextPath());
  5. System.out.println("session id: " + httpSession.getId());
  6. System.out.println("context path (ServletContext): " + servletContext.getContextPath());
  7. System.out.println("user transaction status: " + ut.getStatus());
  8. System.out.println("security principal: " + principal.getName());
  9. } catch (SystemException ex) {
  10. Logger.getLogger(SimpleGreeting.class.getName()).log(Level.SEVERE, null, ex);
  11. }
  12. return "Hello " + name;
  13. }

相关文章