JDK源码解析之 java.lang.System

一个和系统环境进行交互的类.
System不允许被实例化, 而且是一个final类

一、不能实例化

private System() {
}

二、成员变量

public final static InputStream in = null;	//这是“标准”输入流。
public final static PrintStream out = null;	//这是“标准”输出流。
public final static PrintStream err = null;	//这是“标准”错误输出流。private static native void setIn0(InputStream in);private static native void setOut0(PrintStream out);private static native void setErr0(PrintStream err);

定义的三个IO流,都是final修饰符,所以即使是public 也是不能重新赋值。

三、常用方法

1、关于SecurityManager

/*** The security manager for the system.*/private static volatile SecurityManager security = null;private static void checkIO() {SecurityManager sm = getSecurityManager();if (sm != null) {sm.checkPermission(new RuntimePermission("setIO"));}}public static void setSecurityManager(final SecurityManager s) {try {s.checkPackageAccess("java.lang");} catch (Exception e) {// no-op}setSecurityManager0(s);}private static synchronized void setSecurityManager0(final SecurityManager s) {SecurityManager sm = getSecurityManager();if (sm != null) {// ask the currently installed security manager if we// can replace it.sm.checkPermission(new RuntimePermission("setSecurityManager"));}if ((s != null) && (s.getClass().getClassLoader() != null)) {// New security manager class is not on bootstrap classpath.// Cause policy to get initialized before we install the new// security manager, in order to prevent infinite loops when// trying to initialize the policy (which usually involves// accessing some security and/or system properties, which in turn// calls the installed security manager's checkPermission method// which will loop infinitely if there is a non-system class// (in this case: the new security manager class) on the stack).AccessController.doPrivileged(new PrivilegedAction<Object>() {public Object run() {s.getClass().getProtectionDomain().implies(SecurityConstants.ALL_PERMISSION);return null;}});}security = s;}/*** Gets the system security interface.** @return if a security manager has already been established for the current*         application, then that security manager is returned; otherwise,*         <code>null</code> is returned.* @see #setSecurityManager*/public static SecurityManager getSecurityManager() {return security;}

System类定义了安全管理器,并且【volatile】修饰该变量。在初始化IO流时,需要使用安全器校验权限。

2、关于console

控制台定义console

private static volatile Console cons = null;/*** Returns the unique {@link java.io.Console Console} object associated* with the current Java virtual machine, if any.** @return  The system console, if any, otherwise <tt>null</tt>.** @since   1.6*/public static Console console() {if (cons == null) {synchronized (System.class) {cons = sun.misc.SharedSecrets.getJavaIOAccess().console();}}return cons;}

System中的console是通过【sun.misc.SharedSecrets】类获取得到的。关于SharedSecrets类这里只能简单说是关于jvm的

3、currentTimeMillis和nanoTime

获取系统时间方法

/*** 获取毫秒级的时间戳(1970年1月1日0时起的毫秒数)*/
public static native long currentTimeMillis();
/*** 获取纳秒,返回的可能是任意时间(主要用于衡量时间段)*/
public static native long nanoTime();

4、arraycopy方法

该复制为浅复制,即对象数组,只复制对象引用。

public static native void arraycopy(Object src,  int  srcPos,Object dest, int destPos,int length);

5、identityHashCode 方法

返回对象地址方法

public static native int identityHashCode(Object x);

6、加载动态库library

@CallerSensitivepublic static void load(String filename) {Runtime.getRuntime().load0(Reflection.getCallerClass(), filename);}/***/@CallerSensitivepublic static void loadLibrary(String libname) {Runtime.getRuntime().loadLibrary0(Reflection.getCallerClass(), libname);}/*** Maps a library name into a platform-specific string representing* a native library.** @param      libname the name of the library.* @return     a platform-dependent native library name.* @exception  NullPointerException if <code>libname</code> is*             <code>null</code>* @see        java.lang.System#loadLibrary(java.lang.String)* @see        java.lang.ClassLoader#findLibrary(java.lang.String)* @since      1.2*/public static native String mapLibraryName(String libname);

7、初始化Java class

/*** Create PrintStream for stdout/err based on encoding.*/private static PrintStream newPrintStream(FileOutputStream fos, String enc) {if (enc != null) {try {return new PrintStream(new BufferedOutputStream(fos, 128), true, enc);} catch (UnsupportedEncodingException uee) {}}return new PrintStream(new BufferedOutputStream(fos, 128), true);}/*** Initialize the system class.  Called after thread initialization.*/private static void initializeSystemClass() {// VM might invoke JNU_NewStringPlatform() to set those encoding// sensitive properties (user.home, user.name, boot.class.path, etc.)// during "props" initialization, in which it may need access, via// System.getProperty(), to the related system encoding property that// have been initialized (put into "props") at early stage of the// initialization. So make sure the "props" is available at the// very beginning of the initialization and all system properties to// be put into it directly.props = new Properties();initProperties(props);  // initialized by the VM// There are certain system configurations that may be controlled by// VM options such as the maximum amount of direct memory and// Integer cache size used to support the object identity semantics// of autoboxing.  Typically, the library will obtain these values// from the properties set by the VM.  If the properties are for// internal implementation use only, these properties should be// removed from the system properties.//// See java.lang.Integer.IntegerCache and the// sun.misc.VM.saveAndRemoveProperties method for example.//// Save a private copy of the system properties object that// can only be accessed by the internal implementation.  Remove// certain system properties that are not intended for public access.sun.misc.VM.saveAndRemoveProperties(props);lineSeparator = props.getProperty("line.separator");sun.misc.Version.init();FileInputStream fdIn = new FileInputStream(FileDescriptor.in);FileOutputStream fdOut = new FileOutputStream(FileDescriptor.out);FileOutputStream fdErr = new FileOutputStream(FileDescriptor.err);setIn0(new BufferedInputStream(fdIn));setOut0(newPrintStream(fdOut, props.getProperty("sun.stdout.encoding")));setErr0(newPrintStream(fdErr, props.getProperty("sun.stderr.encoding")));// Load the zip library now in order to keep java.util.zip.ZipFile// from trying to use itself to load this library later.loadLibrary("zip");// Setup Java signal handlers for HUP, TERM, and INT (where available).Terminator.setup();// Initialize any miscellenous operating system settings that need to be// set for the class libraries. Currently this is no-op everywhere except// for Windows where the process-wide error mode is set before the java.io// classes are used.sun.misc.VM.initializeOSEnvironment();// The main thread is not added to its thread group in the same// way as other threads; we must do it ourselves here.Thread current = Thread.currentThread();current.getThreadGroup().add(current);// register shared secretssetJavaLangAccess();sun.misc.VM.booted();}private static void setJavaLangAccess() {// Allow privileged classes outside of java.langsun.misc.SharedSecrets.setJavaLangAccess(new sun.misc.JavaLangAccess(){public sun.reflect.ConstantPool getConstantPool(Class<?> klass) {return klass.getConstantPool();}public boolean casAnnotationType(Class<?> klass, AnnotationType oldType, AnnotationType newType) {return klass.casAnnotationType(oldType, newType);}public AnnotationType getAnnotationType(Class<?> klass) {return klass.getAnnotationType();}public Map<Class<? extends Annotation>, Annotation> getDeclaredAnnotationMap(Class<?> klass) {return klass.getDeclaredAnnotationMap();}public byte[] getRawClassAnnotations(Class<?> klass) {return klass.getRawAnnotations();}public byte[] getRawClassTypeAnnotations(Class<?> klass) {return klass.getRawTypeAnnotations();}public byte[] getRawExecutableTypeAnnotations(Executable executable) {return Class.getExecutableTypeAnnotationBytes(executable);}public <E extends Enum<E>>E[] getEnumConstantsShared(Class<E> klass) {return klass.getEnumConstantsShared();}public void blockedOn(Thread t, Interruptible b) {t.blockedOn(b);}public void registerShutdownHook(int slot, boolean registerShutdownInProgress, Runnable hook) {Shutdown.add(slot, registerShutdownInProgress, hook);}public int getStackTraceDepth(Throwable t) {return t.getStackTraceDepth();}public StackTraceElement getStackTraceElement(Throwable t, int i) {return t.getStackTraceElement(i);}public String newStringUnsafe(char[] chars) {return new String(chars, true);}public Thread newThreadWithAcc(Runnable target, AccessControlContext acc) {return new Thread(target, acc);}public void invokeFinalize(Object o) throws Throwable {o.finalize();}});}

四、拓展

1、java 能否自己写一个类叫 java.lang.System

一般情况下是不可以的,但是可以通过特殊的处理来达到目的,这个特殊的处理就是自己写个类加载器来加载自己写的这个java.lang.System

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/535729.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

详解MySQL中DROP,TRUNCATE 和DELETE的区别

注意:这里说的delete是指不带where子句的delete语句 相同点: truncate和不带where子句的delete, 以及drop都会删除表内的数据 不同点: 1. truncate和 delete只删除数据不删除表的结构(定义) drop语句将删除表的结构被依赖的约束(constrain),触发器(trigger),索引(index…

JDK源码解析之 Java.lang.Package

如果我们在Class对象上调用getPackage方法&#xff0c;就可以得到描述该类所在包的Package对象(Package类是在java.lang中定义的)。我们也可以用包名通过调用静态方法getPackage或者调用静态方法getPackages(该方法返回由系统中所有已知包构成的数组)来获得Package对象。getNam…

Mysql中limit的用法详解

在我们使用查询语句的时候&#xff0c;经常要返回前几条或者中间某几行数据&#xff0c;这个时候怎么办呢&#xff1f;不用担心&#xff0c;mysql已经为我们提供了这样一个功能。SELECT * FROM table LIMIT [offset,] rows | rows OFFSET offset LIMIT 子句可以被用于强制 SE…

Docker入门-简介

独具魅力的Docker作为一门新技术&#xff0c;它的出现有可能引起其所在领域大范围的波动甚至是重新洗牌。根据业内专业人士的看法&#xff0c;不论如何&#xff0c;Docker的出现&#xff0c;已经成为云服务市场中一枚极具意义的战略性棋子。从2013年开始在国内发力&#xff0c;…

Mysql中limit的优化

在一些情况中&#xff0c;当你使用LIMIT row_count而不使用HAVING时&#xff0c;MySQL将以不同方式处理查询。 如果你用LIMIT只选择一些行&#xff0c;当MySQL选择做完整的表扫描时&#xff0c;它将在一些情况下使用索引。 如果你使用LIMIT row_count与ORD…

Docker入门-架构

Docker 包括三个基本概念: 镜像&#xff08;Image&#xff09;&#xff1a;Docker 镜像&#xff08;Image&#xff09;&#xff0c;就相当于是一个 root 文件系统。比如官方镜像 ubuntu:16.04 就包含了完整的一套 Ubuntu16.04 最小系统的 root 文件系统。容器&#xff08;Cont…

MYSQL出错代码列表大全(中文)

mysql出错了,以前往往靠猜.现在有了这张表,一查就出来了. 1005&#xff1a;创建表失败1006&#xff1a;创建数据库失败1007&#xff1a;数据库已存在&#xff0c;创建数据库失败1008&#xff1a;数据库不存在&#xff0c;删除数据库失败1009&#xff1a;不能删除数据库文件导致…

Docker入门-安装

Centos7下安装Docker docker官方说至少Linux 内核3.8 以上&#xff0c;建议3.10以上&#xff08;ubuntu下要linux内核3.8以上&#xff0c; RHEL/Centos 的内核修补过&#xff0c; centos6.5的版本就可以&#xff09; 1、把yum包更新到最新&#xff1a;yum update 2、安装需要的…

Docker原理之Namespaces

命名空间&#xff08;namespaces&#xff09;是 Linux 为我们提供的用于分离进程树、网络接口、挂载点以及进程间通信等资源的方法。 一、Namespaces 在日常使用 Linux 或者 macOS 时&#xff0c;我们并没有运行多个完全分离的服务器的需要&#xff0c;但是如果我们在服务器上启…

mysql 快速插入(insert)多条记录

方法1: INSERT INTO table(col_1, col_2,col_3) VALUES(1,11,111); INSERT INTO table(col_1, col_2,col_3)   VALUES(2,22,222); INSERT INTO table(col_1, col_2,col_3)   VALUES(3,33,333); 有没有更快捷的办法呢?答案是有(见方法2) 方法2: INSERT INTO table(col…

Docker原理之CGroups

控制组&#xff08;cgroups&#xff09;是 Linux 内核的一个特性&#xff0c;主要用来对共享资源进行隔离、限制、审计 等。只有能控制分配到容器的资源&#xff0c;才能避免当多个容器同时运行时的对系统资源的竞争。控制组技术最早是由 Google 的程序员 2006 年起提出&#x…

Mysql中的转义字符

字符串是多个字符组成的一个字符序列&#xff0c;由单引号( “”) 或双引号 ( “"”) 字符包围。(但在 ANSI 模式中运行时只能用单引号)。 例如&#xff1a; a string"another string"在一个字符串中&#xff0c;如果某个序列具有特殊的含义&#xff0c;每个序…

Docker原理之UnionFS

一、UnionFS Linux 的命名空间和控制组分别解决了不同资源隔离的问题&#xff0c;前者解决了进程、网络以及文件系统的隔离&#xff0c;后者实现了 CPU、内存等资源的隔离&#xff0c;但是在 Docker 中还有另一个非常重要的问题需要解决 - 也就是镜像。 镜像到底是什么&#…

教你精确编写高质量高性能的MySQL语法

在应用系统开发初期&#xff0c;由于开发数据库数据比较少&#xff0c;对于查询SQL语句&#xff0c;复杂视图的编写&#xff0c;刚开始不会体会出SQL语句各种写法的性能优劣&#xff0c;但是如果将应用系统提交实际应用后&#xff0c;随着数据库中数据的增加&#xff0c;系统的…

Docker使用-Hello World

1、docker pull hello-world 拉去docker远程仓库中的Hello World的镜像 [rootCarlota2 ~]# docker pull hello-world Using default tag: latest latest: Pulling from library/hello-world 0e03bdcc26d7: Pull complete Digest: sha256:7f0a9f93b4aa3022c3a4c147a449bf11e09…

Mysql数据库引擎快速指南

如果你是个赛车手并且按一下按钮就能够立即更换引擎而不需要把车开到车库里去换&#xff0c;那会是怎么感觉呢&#xff1f; MySQL 数据库为开发人员所做的就好像是按按钮换引擎&#xff1b;它让你选择数据库引擎&#xff0c;并给你一条简单的途径来切换它。 MySQL的自带引擎肯…

Docker使用-构建MySQL

拉取官方镜像&#xff08;我们这里选择5.7&#xff0c;如果不写后面的版本号则会自动拉取最新版&#xff09; docker pull mysql:5.7 # 拉取 mysql 5.7 docker pull mysql # 拉取最新版mysql镜像MySQL文档地址 检查是否拉取成功 $ sudo docker images一般来说数据库容…

Java集合:什么是Java集合?

一、集合的由来 通常&#xff0c;我们的Java程序需要根据程序运行时才知道创建了多少个对象。但若非程序运行&#xff0c;程序开发阶段&#xff0c;我们根本不知道到底需要多少个数量的对象&#xff0c;甚至不知道它的准确类型。为了满足这些常规的编程需要&#xff0c;我们要…

Mysql截取中英数混合的字符串

在 mysql中截取字符串我们用 LEFT函数 LEFT(str,len) 返回从字符串str 开始的len 最左字符。 mysql> SELECT LEFT(foobarbar, 5); -> fooba 手册上只介绍了截取英文字符串的方法&#xff0c;中文或者中英文的怎么办呢&#xff1f;以下是截取中英混合的字符串(中国人…

Java集合:Collection接口

Collection是一个接口&#xff0c;继承自Iterable。我们先看一下Iterable接口的源码 一、Iterable package java.lang;import java.util.Iterator; import java.util.Objects; import java.util.Spliterator; import java.util.Spliterators; import java.util.function.Cons…