File学习

news2025/10/27 3:55:58

1.构造方法

1.File(String pathname) 根据路径名创建抽象File对象

//1. 通过路径进行创建 pathname是字符串格式的路径名
    public File(String pathname) {
    if (pathname == null) {
        throw new NullPointerException();
    }
    // 和系统交互 获取最近的File文件目录文件
    this.path = fs.normalize(pathname);
    this.prefixLength = fs.prefixLength(this.path);
}

虚拟机负责和Window进行编码交互的
package java.io;
class WinNTFileSystem extends FileSystem
就是将路径根据Windo的格式,格式化一下然后再返回

public String normalize(String path) {
    int n = path.length();
    char slash = this.slash;// 斜杠
    char altSlash = this.altSlash;
    char prev = 0;
    for (int i = 0; i < n; i++) {
        char c = path.charAt(i);
        if (c == altSlash)
            return normalize(path, n, (prev == slash) ? i - 1 : i);
        if ((c == slash) && (prev == slash) && (i > 1))
            return normalize(path, n, i - 1);
        if ((c == ':') && (i > 1))
            return normalize(path, n, 0);
        prev = c;
    }
    if (prev == slash) return normalize(path, n, n - 1);
    return path;
}

package java.io;
class WinNTFileSystem extends FileSystem
获取路径的前缀

   public int prefixLength(String path) {
        char slash = this.slash; // 斜杠
        int n = path.length(); // 路径总长
        if (n == 0) return 0; // 路径长度为0 直接返回
        char c0 = path.charAt(0); // 第一个字符  盘符
        char c1 = (n > 1) ? path.charAt(1) : 0;
        if (c0 == slash) {
            if (c1 == slash) return 2;  /* Absolute UNC pathname "\\\\foo" */
            return 1;                   /* Drive-relative "\\foo" */
        }
        if (isLetter(c0) && (c1 == ':')) {
            if ((n > 2) && (path.charAt(2) == slash))
                return 3;               /* Absolute local pathname "z:\\foo" */
            return 2;                   /* Directory-relative "z:foo" */
        }
        return 0;                       /* Completely relative */
    }
//normalized将该路径下所有文件名称的字符串数组
// 也就是将里面的文件名 存入字符数组。
 private final String[] normalizedList() {
        @SuppressWarnings("removal")
        SecurityManager security = System.getSecurityManager();
        if (security != null) {
        //1.检查是否有权限操作该文件
            security.checkRead(path);
        }
        // 2.检查路径有效性  无效直接不往下走了
        if (isInvalid()) {
            return null;
        }
        // 3.获取文件路径下的文件目录字符串数组 list 为本地方法
        /*
        List the elements of the directory denoted by the given abstract pathname. Return an array of strings naming the elements of the directory if successful; otherwise, return null.
        列出由给定抽象路径名表示的目录元素。如果成功,则返回命名目录元素的字符串数组;否则,返回null。
        */
        String[] s = fs.list(this);
        
        if (s != null && getClass() != File.class) {
        
            String[] normalized = new String[s.length];
            for (int i = 0; i < s.length; i++) {
                normalized[i] = fs.normalize(s[i]);
            }
            s = normalized;
        }
        return s; // 应该是所有的操作文件吧,或者说最近的文件目录
    }
public native String[] list(File f);

CheckRead
安全管理器是一个允许应用程序实现安全策略的类。它允许应用程序在执行一个可能不安全或敏感的操作前确定该操作是什么,以及是否是在允许执行该操作的安全上下文中执行它。应用程序可以允许或不允许该操作。

public void checkRead(String file) {
    checkPermission(new FilePermission(file,
        SecurityConstants.FILE_READ_ACTION));
}
 如果拒绝指定的安全上下文访问由给定权限所指定的资源,则抛出 SecurityException- 如果调用线程没有创建新类加载器的权限。
public void checkPermission(Permission perm) {
    java.security.AccessController.checkPermission(perm);
}
@Deprecated(since="17", forRemoval=true)
public static SecurityManager getSecurityManager() {
    if (allowSecurityManager()) {
        return security;
    } else {
        return null;
    }
}

allowSecurityManager

private static volatile SecurityManager security;   // read by VM

// return true if a security manager is allowed
private static boolean allowSecurityManager() {
    return (allowSecurityManager != NEVER);
}

prefixLength 获取前缀长度

public int prefixLength(String path) {
    char slash = this.slash;
    int n = path.length();
    if (n == 0) return 0;
    char c0 = path.charAt(0);
    char c1 = (n > 1) ? path.charAt(1) : 0;
    if (c0 == slash) {
        if (c1 == slash) return 2;  /* Absolute UNC pathname "\\\\foo" */
        return 1;                   /* Drive-relative "\\foo" */
    }
    if (isLetter(c0) && (c1 == ':')) {
        if ((n > 2) && (path.charAt(2) == slash))
            return 3;               /* Absolute local pathname "z:\\foo" */
        return 2;                   /* Directory-relative "z:foo" */
    }
    return 0;                       /* Completely relative */
}

2.public File(File parent, String child) 父路径是File对象,子路径是String

public File(File parent, String child) {
        if (child == null) {
            throw new NullPointerException();
        }
        if (parent != null) {
            if (parent.path.isEmpty()) {
                this.path = fs.resolve(fs.getDefaultParent(),
                                       fs.normalize(child));
            } else {
            // resolve 应该是拼接起来吧
                this.path = fs.resolve(parent.path,
                                       fs.normalize(child));
            }
        } else {
            this.path = fs.normalize(child);
        }
        this.prefixLength = fs.prefixLength(this.path);
    }

3.字符串格式的爹,孩子依旧字符串

内容区别不大,无非里面可能fs.normalize(parent) ,如果是字符串,爹也的normalize一下子

public File(String parent, String child) {
        if (child == null) {
            throw new NullPointerException();
        }
        if (parent != null) {
            if (parent.isEmpty()) {
                this.path = fs.resolve(fs.getDefaultParent(),
                                       fs.normalize(child));
            } else {
                this.path = fs.resolve(fs.normalize(parent),
                                       fs.normalize(child));
            }
        } else {
            this.path = fs.normalize(child);
        }
        this.prefixLength = fs.prefixLength(this.path);
    }

4. public File(URI uri) 根据uri对象创建

public File(URI uri) {

    // Check our many preconditions
    if (!uri.isAbsolute())
        throw new IllegalArgumentException("URI is not absolute");
    if (uri.isOpaque())
        throw new IllegalArgumentException("URI is not hierarchical");
    String scheme = uri.getScheme();
    if ((scheme == null) || !scheme.equalsIgnoreCase("file"))
        throw new IllegalArgumentException("URI scheme is not \"file\"");
    if (uri.getRawAuthority() != null)
        throw new IllegalArgumentException("URI has an authority component");
    if (uri.getRawFragment() != null)
        throw new IllegalArgumentException("URI has a fragment component");
    if (uri.getRawQuery() != null)
        throw new IllegalArgumentException("URI has a query component");
    String p = uri.getPath();
    if (p.isEmpty())
        throw new IllegalArgumentException("URI path component is empty");

    // Okay, now initialize
    p = fs.fromURIPath(p);
    if (File.separatorChar != '/')
        p = p.replace('/', File.separatorChar);
    this.path = fs.normalize(p);
    this.prefixLength = fs.prefixLength(this.path);
}

2.getName 获取文件名

// 获取最后一次分隔符后面的值
也就是最后的文件夹或者文件名称

public String getName() {
    int index = path.lastIndexOf(separatorChar);
    if (index < prefixLength) return path.substring(prefixLength);
    return path.substring(index + 1);
}

在这里插入图片描述

3.createNewFile() 创建文件

public boolean createNewFile() throws IOException {
    @SuppressWarnings("removal")
    SecurityManager security = System.getSecurityManager();
    if (security != null) security.checkWrite(path);
    if (isInvalid()) {
        throw new IOException("Invalid file path");
    }
    return fs.createFileExclusively(path);
}

4.delete() 删除文件(文件夹) 如果不存在返回失败

如果删除的是文件夹,需要先将文件夹内的内容全部删除,也就是说,必须是空文件夹

public boolean delete() {
    @SuppressWarnings("removal")
    SecurityManager security = System.getSecurityManager();
    if (security != null) {
        security.checkDelete(path);
    }
    if (isInvalid()) {
        return false;
    }
    return fs.delete(this);
}

5.exists() 检查路径是否存在 true false

public boolean exists() {
    @SuppressWarnings("removal")
    SecurityManager security = System.getSecurityManager();
    if (security != null) {
        security.checkRead(path);
    }
    if (isInvalid()) {
        return false;
    }
    return fs.hasBooleanAttributes(this, FileSystem.BA_EXISTS);
}

6.是否是文件夹

public boolean isDirectory() {
    @SuppressWarnings("removal")
    SecurityManager security = System.getSecurityManager();
    if (security != null) {
        security.checkRead(path);
    }
    if (isInvalid()) {
        return false;
    }
    return fs.hasBooleanAttributes(this, FileSystem.BA_DIRECTORY);
}

7.返回绝对路径

public String getAbsolutePath() {
    return fs.resolve(this);
}

8.获取父目录

public String getParent() {
    int index = path.lastIndexOf(separatorChar);
    if (index < prefixLength) {
        if ((prefixLength > 0) && (path.length() > prefixLength))
            return path.substring(0, prefixLength);
        return null;
    }
    return path.substring(0, index);
}

在这里插入图片描述
注意,根目录最高只到盘符,不过,这个是区分绝对目录和根目录的
在这里插入图片描述

9.获取路径 这里获取的是String字符串

 public String getPath() {
        return path;
    }

在这里插入图片描述

10.getPrefixLength

int getPrefixLength() {
    return prefixLength;
}

11.listFiles() 获取File路径下的所有文件名(所以他必须是个文件夹才能出来东西,不然就是NULL)

1.

public File[] listFiles() { // 将目录下的
    String[] ss = normalizedList();
    if (ss == null) return null;
    int n = ss.length;
    File[] fs = new File[n];
    for (int i = 0; i < n; i++) {
        fs[i] = new File(ss[i], this);
    }
    return fs;
}

在这里插入图片描述
在这里插入图片描述

2.文件过滤器对象调用

过滤器是接口,使用就必须重写过滤器
过滤器核心

    public File[] listFiles(FileFilter filter) {
        String ss[] = normalizedList();
        if (ss == null) return null;
        ArrayList<File> files = new ArrayList<>();
        for (String s : ss) {
            File f = new File(s, this);
            // 注意看, 这里就是过滤器了,  显然看到,过滤器的使用过程
            // 用爹 子 的构造方法 构造出子类的对象 然后将子类的File对象放入过滤器方法作为参数
            // 所以过滤器处理的,是子对象的对象。	
            if ((filter == null) || filter.accept(f))
                files.add(f);
        }
        return files.toArray(new File[files.size()]);
    }

public interface FileFilter {

    /**
     * Tests whether or not the specified abstract pathname should be
     * included in a pathname list.
     *
     * @param  pathname  The abstract pathname to be tested
     * @return  {@code true} if and only if {@code pathname}
     *          should be included
     */
    boolean accept(File pathname);
}

在这里插入图片描述

 public static void main(String[] args) {
        // homework创建多级目录
        File file = new File("D:\\CloudMusic");
        int count1 = 0;
        int count2 = 0;
        for(File i : file.listFiles()){
            System.out.println(i.getName());
            count1++;
        }


        System.out.println("--------------");
        for(File i : file.listFiles(new FileFilter())){
            System.out.println(i.getName());
            count2++;
        }
        System.out.println("count1 = " + count1);
        System.out.println("count2 = " + count2);

    }
public class FileFilter implements java.io.FileFilter {

    // 过滤器方法 假设只要dll后缀的  endwith方法
    @Override
    public boolean accept(File pathname) {
        return pathname.getName().endsWith(".dll");

    }
}

在这里插入图片描述

3.总结

File的方法操作的都是创建时的String,这里String有绝对和相对路径之分,想要操作绝对路径,就必须获取绝对路径.
File是对文件进行操作 创建文件 遍历文件 删除文件
而创建文件,也可以通过输出流,但是两个不同的是,输出流只能创建单个文件,而File方法是可以创建文件目录(文件夹)的

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

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

相关文章

10分钟快速入门UI自动化-Puppeteer

目录 先简单介绍一下&#xff1a; 工欲善其事必先利其器&#xff0c;首先把所需要的工具装好 1. 安装node 2. 安装npm &#xff08;node安装时会自动安装npm,如果已安装node&#xff0c;此步请忽略) 3. 安装cnpm (npm下载包失败&#xff0c;选择cnpm安装) 4. 新建一个nod…

【ICer必备 4】IC封装设计流程

【ICer必备 3】模拟IC设计全流程 ------------------------------------------------文末附往期文章链接--------------------------------------前言一、IC封装设计过程二、常见IC封装类型三、常见封装特点四、封装设计常用软件五、EM仿真常用EDA&#xff08;1&#xff09;HFS…

apt命令概述,apt命令在Ubuntu16.04安装openjdk-7-jdk

apt是一条linux命令&#xff0c;适用于deb包管理式操作系统&#xff0c;主要用于自动从互联网的软件仓库中搜索、安装、升级、卸载软件或操作系统。deb包是Debian 软件包格式的文件扩展名。 翻译过来就是&#xff1a; apt是一个命令行包管理器&#xff0c;为 搜索和管理以及查询…

解决MySQL删除数据后自增主键ID不连贯问题

首先我们需要取消id的自增和主键 下列代码以water表中的id列为例 alter table watermodify id int not null;alter table waterdrop primary key;然后重新生成id列 set i0; update water set water.id(i:i1);下一步就是重新设置为主键自增 alter table wateradd primary key…

【JSP技术】web杂谈(2)之JSP是什么?

涉及知识点 什么是JSP&#xff0c;JSP的特点&#xff0c;JSP的未来趋势&#xff0c;JSP的应用范例。深入了解JSP技术。 原创于&#xff1a;CSDN博主-《拄杖盲学轻声码》&#xff0c;更多内容可去其主页关注下哈&#xff0c;不胜感激 文章目录 涉及知识点前言1.什么是JSP2&…

Webpack和Vite简单使用

目录 WebPack 介绍 基础使用 初始化使用 webpack.config.js文件 webpack开发服务器 vite 介绍 使用 使用vite创建vue框架项目 WebPack 介绍 当我们习惯了在node中编写代码的方式后&#xff0c;在回到前端编写html、css、js这些东西会感觉到各种的不便。比如: 不能放心…

九、ElasticSearch 运维 -集群维度

1. 查看集群健康 用于简单的判断集群的健康状态&#xff0c;集群内的分片的分配迁移情况。 GET _cluster/health-------------------------Respond----------------------------- {"cluster_name" : "test-jie","status" : "green",…

使用数组的方式计算---任意给出一个年,月,日,判断出这是一年的第几天

任意给出一个年&#xff0c;月&#xff0c;日&#xff0c;判断出这是一年的第几天&#xff1b; 闰年算法&#xff1a;能被4整除且不能被100整除&#xff0c;或者能被400整除 如2015年 5 10 是这一年的第131天 使用数组的方式计算&#xff0c;将每个月的天数放在一个数…

蜂网互联 企业级路由器v4.31 密码泄露漏洞

漏洞描述 蜂网互联企业级路由器v4.31存在接口未授权访问&#xff0c;导致攻击者可以是通过此漏洞得到路由器账号密码接管路由器 漏洞影响 蜂网互联企业级路由器v4.31 网络测绘 app“蜂网互联-互联企业级路由器” 漏洞复现 payload http://ip:port/action/usermanager.ht…

c++ 杂食记

1. inline关键字 在C中&#xff0c;inline关键字用于指定函数应该被内联。 当一个函数被内联时&#xff0c;它的代码将直接插入到调用该函数的代码中&#xff0c;而不是作为单独的函数调用 这可以提高程序的性能&#xff0c;因为它减少了函数调用的开销&#xff0c;并提高了数…

计算机网络那些事之 MTU 篇

哈喽大家好&#xff0c;我是咸鱼 今天我们来聊聊计算机网络中的 MTU &#xff08;Maximum Transmission Unit&#xff09; 什么是 MTU ? MTU&#xff08;Maximum Transmission Unit&#xff09;是指数据链路层中的最大传输单元 通俗点来讲&#xff0c;MTU 是指数据链路层能…

基于workerman 即时通讯聊天(uniapp + pc)

laychat workerman 实现 webIM即时通讯系统 下载 laychat-master.zip https://github.com/hszyh/laychat 实现了功能: 1、通过snake后台实现对聊天成员的增删改查&#xff0c;动态推送给在线的用户 2、实现了群组的查找 3、实现了创建我的群组,删除我的群组,添加群组成员…

性能测试工具——LoadRunner内部介绍以及常见问题

目录 Tools Recording Options General Options 注释脚本 Review log Runtime-Settings General Network Browser Internet Protocol HTTPS证书 总结&#xff1a; Tools Recording Options 接下来我们挨个看一下里面的东东以及区别 General&#xff08;通常的&am…

【Python编程】将格式为ppm和pgm的图片批量转换为png或jpg格式的图片

前序 如果文件夹中有异常图片&#xff0c;则可以使用以下代码从而跳过这些异常图片而不影响转换代码的运行。例如本人在解压时中断而导致的图片异常问题&#xff0c;图片示例如下&#xff1a; from PIL import ImageFile ImageFile.LOAD_TRUNCATED_IMAGES True正文 导入用…

Golang学习日志 ━━ gin-vue-admin插件开发记录

gin-vue-admin是一套国人用golang开发的后台管理系统&#xff0c;本文记录插件开发内容。 官网&#xff1a;https://www.gin-vue-admin.com/ 学习视频&#xff1a;https://www.bilibili.com/video/BV1kv4y1g7nT/ 插件目录 后端位置&#xff1a;\server\plugin\ 前端位置&#…

信号与系统复习笔记——采样与通讯系统

信号与系统复习笔记——采样与通讯系统 采样定理 冲激串采样函数可表示为&#xff1a; p ( t ) ∑ n − ∞ ∞ δ ( t − n T ) p(t) \sum_{n-\infty}^{\infty} \delta(t - nT) p(t)n−∞∑∞​δ(t−nT) 周期 T T T 称为采样周期&#xff0c;而 ω s 1 T \omega_s …

7月29-31日·相约上海丨上海国际智能遮阳与建筑节能展览会即将举办

上海国际智能遮阳与建筑节能展览会&#xff08;ISSE&#xff09;即将盛大召开。这个七月&#xff0c;期待您的参与&#xff0c;一同共聚盛会&#xff01; 1、关于展会 国内建筑遮阳市场尚在快速发展期&#xff0c;随着社会经济的发展以及建筑节能环保概念的不断深入&#xff…

开发的功能不都是经过上线测试,为什么上线后还会那么多 Bug ?

你是否也经过这样的灵魂拷问&#xff1a;「开发的功能不都是经过上线测试的吗&#xff1f;为什么上线后还会那么多 Bug &#xff1f;」。 大家明明都很努力&#xff0c;为什么「输出」的结果没有更进一步&#xff1f;今天我们就水一水这个「狗血」话题&#xff0c;究竟是谁个锅…

一半以上的年轻人存款不足10万元,能带给我们什么思考?

目录 年轻人存款现状现在的年轻人真的没有存款意愿吗&#xff1f;为什么年轻人存款少&#xff1f;收入低&#xff0c;臣妾做不到啊生活成本高消费观念不同超前消费、过度负债存款意识弱 依据自身情况聊聊你的目前的存款在哪一个区间&#xff1f;你觉得存款难吗&#xff1f;谈谈…

Open62541 NodeSet loader 编译与使用

大多数的OPC UA 建模工具通常是将NodeSet 编译成为C 或者C# 的源代码&#xff0c;然后和Server 程序一起编译。比如uaModeler&#xff0c;Opc foundation 的UA ModelCompiler 以及Open62541 提供的nodeset_Compiler 都是如此&#xff0c;这种方式在载入配套规范的Nodeset 无疑是…