Java 更改JTree第一个节点的图标

Java 更改JTree第一个节点的图标,java,swing,jtree,Java,Swing,Jtree,我只想更改JTree图标的第一个节点。有一个文件管理器,它使用JTree显示文件。下面是一个示意图示例。如何更改图标 Back |->Please wait(this is leaf) Folder 1 |->file1 file2 file3 Folder 2 |->file1 file2 file3 Folder 3 |->file1 file2 file3 返回 |->请稍等(这是leaf) 文件夹1 |->文件1 文件2 文件3 文件夹2 |-

我只想更改
JTree
图标的第一个节点。有一个文件管理器,它使用
JTree
显示文件。下面是一个示意图示例。如何更改图标

Back |->Please wait(this is leaf) Folder 1 |->file1 file2 file3 Folder 2 |->file1 file2 file3 Folder 3 |->file1 file2 file3 返回 |->请稍等(这是leaf) 文件夹1 |->文件1 文件2 文件3 文件夹2 |->文件1 文件2 文件3 文件夹3 |->文件1 文件2 文件3
有关自定义要更改的图标的示例,请参见。特别是,“创建一个单元渲染器,根据节点的文本数据改变叶图标。”

要更改树中条目的外观,请使用
TreeCellRenderer
。例如

/** A TreeCellRenderer for a File. */
class FileTreeCellRenderer extends DefaultTreeCellRenderer {

    private FileSystemView fileSystemView;
    private JLabel label;

    FileTreeCellRenderer() {
        label = new JLabel();
        label.setOpaque(true);
        fileSystemView = FileSystemView.getFileSystemView();
    }

    @Override
    public Component getTreeCellRendererComponent(
        JTree tree,
        Object value,
        boolean selected,
        boolean expanded,
        boolean leaf,
        int row,
        boolean hasFocus) {
        DefaultMutableTreeNode node = (DefaultMutableTreeNode)value;
        File file = (File)node.getUserObject();
        label.setIcon(fileSystemView.getSystemIcon(file));
        label.setText(fileSystemView.getSystemDisplayName(file));
        label.setToolTipText(file.getPath());
        if (selected) {
            label.setBackground(backgroundSelectionColor);
        } else {
            label.setBackground(backgroundNonSelectionColor);
        }
        return label;
    }
}
截屏 在Windows上使用本机PLAF

FileManager.java 下面是用于抓取屏幕截图的完整源代码(包括渲染器和表模型)

import java.awt.*;
import java.awt.event.*;

import javax.swing.*;
import javax.swing.border.*;
import javax.swing.event.*;
import javax.swing.tree.*;
import javax.swing.table.*;
import javax.swing.filechooser.FileSystemView;

import java.io.File;

import java.util.Date;

/**
A basic File Manager.  Requires 1.6+ for the Desktop & SwingWorker
classes, amongst other minor things.

Includes support classes FileTableModel & FileTreeCellRenderer.

Neither Delete nor New has been implemented.  See commented code for
hints on how to proceed for that functionality.

@TODO Still throws occasional AIOOBEs and NPEs, so some update on
the EDT must have been missed.

@author Andrew Thompson
@version 2011-05-29
@see <a href="https://stackoverflow.com/questions/6147965/change-icon-of-the-first-node-of-jtree/6153182#6153182">Change icon of the first node of JTree</a>
*/
class FileManager {

    /** Used to open/edit/print files. */
    private Desktop desktop;
    /** Provides nice icons and names for files. */
    private FileSystemView fileSystemView;
    /** Main GUI container */
    private JPanel gui;

    /** File-system tree. Built Lazily */
    private JTree tree;
    /** Directory listing */
    private JTable table;
    private JProgressBar progressBar;

    /* File controls. */
    private JButton openFile;
    private JButton printFile;
    private JButton editFile;
    private JButton deleteFile;
    private JButton newFile;
    /* File details. */
    private JLabel fileName;
    private JTextField path;
    private JLabel date;
    private JLabel size;
    private JCheckBox readable;
    private JCheckBox writable;
    private JCheckBox executable;
    private JCheckBox isDirectory;
    private JCheckBox isFile;

    /** Table model for File[]. */
    private FileTableModel fileTableModel;
    private ListSelectionListener listSelectionListener;
    private boolean cellSizesSet = false;

    /** currently selected File. */
    private File currentFile;

    private boolean safeMode = true;

    public Container getGui() {
        if (gui==null) {
            gui = new JPanel(new BorderLayout(3,3));
            gui.setBorder(new EmptyBorder(5,5,5,5));

            fileSystemView = FileSystemView.getFileSystemView();
            desktop = Desktop.getDesktop();

            DefaultMutableTreeNode root = new DefaultMutableTreeNode();

            File[] roots = fileSystemView.getRoots();
            for (File fileSystemRoot : roots) {
                DefaultMutableTreeNode node = new DefaultMutableTreeNode(fileSystemRoot);
                root.add( node );
                File[] files = fileSystemView.getFiles(fileSystemRoot, true);
                for (File file : files) {
                    node.add(new DefaultMutableTreeNode(file));
                }
            }

            TreeSelectionListener treeSelectionListener = new TreeSelectionListener() {
                public void valueChanged(TreeSelectionEvent tse){
                    DefaultMutableTreeNode node =
                        (DefaultMutableTreeNode)tse.getPath().getLastPathComponent();
                    addChildren(node);
                    setFileDetails((File)node.getUserObject());
                }
            };

            tree = new JTree(root);
            tree.setRootVisible(false);
            tree.addTreeSelectionListener(treeSelectionListener);
            tree.setCellRenderer(new FileTreeCellRenderer());
            tree.expandRow(0);
            JScrollPane treeScroll = new JScrollPane(tree);

            // as per trashgod tip
            tree.setVisibleRowCount(15);

            Dimension preferredSize = treeScroll.getPreferredSize();
            Dimension widePreferred = new Dimension(
                250,
                (int)preferredSize.getHeight());
            treeScroll.setPreferredSize( widePreferred );

            JPanel detailView = new JPanel(new BorderLayout(3,3));
            fileTableModel = new FileTableModel();

            table = new JTable(fileTableModel);
            table.setSelectionMode(ListSelectionModel.SINGLE_SELECTION);
            table.setAutoCreateRowSorter(true);
            table.setShowVerticalLines(false);
            // arbitrary size adjustment to better account for icons
            table.setRowHeight( (int)(table.getRowHeight()*1.3) );

            listSelectionListener = new ListSelectionListener() {
                @Override
                public void valueChanged(ListSelectionEvent lse) {
                    int row = table.getSelectionModel().getLeadSelectionIndex();
                    setFileDetails( ((FileTableModel)table.getModel()).getFile(row) );
                }
            };
            table.getSelectionModel().addListSelectionListener(listSelectionListener);
            JScrollPane tableScroll = new JScrollPane(table);
            Dimension d = tableScroll.getPreferredSize();
            tableScroll.setPreferredSize(new Dimension((int)d.getWidth(), (int)d.getHeight()/2));
            detailView.add(tableScroll, BorderLayout.CENTER);

            JPanel fileMainDetails = new JPanel(new BorderLayout(4,2));
            fileMainDetails.setBorder(new EmptyBorder(0,6,0,6));

            JPanel fileDetailsLabels = new JPanel(new GridLayout(0,1,2,2));
            fileMainDetails.add(fileDetailsLabels, BorderLayout.WEST);

            JPanel fileDetailsValues = new JPanel(new GridLayout(0,1,2,2));
            fileMainDetails.add(fileDetailsValues, BorderLayout.CENTER);

            fileDetailsLabels.add(new JLabel("File", JLabel.TRAILING));
            fileName = new JLabel();
            fileDetailsValues.add(fileName);
            fileDetailsLabels.add(new JLabel("Path/name", JLabel.TRAILING));
            path = new JTextField(5);
            path.setEditable(false);
            fileDetailsValues.add(path);
            fileDetailsLabels.add(new JLabel("Last Modified", JLabel.TRAILING));
            date = new JLabel();
            fileDetailsValues.add(date);
            fileDetailsLabels.add(new JLabel("File size", JLabel.TRAILING));
            size = new JLabel();
            fileDetailsValues.add(size);

            int count = fileDetailsLabels.getComponentCount();
            for (int ii=0; ii<count; ii++) {
                fileDetailsLabels.getComponent(ii).setEnabled(false);
            }

            JToolBar toolBar = new JToolBar();

            openFile = new JButton("Open");
            openFile.addActionListener(new ActionListener(){
                public void actionPerformed(ActionEvent ae) {
                    try {
                        desktop.open(currentFile);
                    } catch(Throwable t) {
                        JOptionPane.showMessageDialog(
                            gui,
                            t.toString(),
                            t.getMessage(),
                            JOptionPane.ERROR_MESSAGE
                            );
                    }
                    gui.repaint();
                }
            });
            toolBar.add(openFile);

            editFile = new JButton("Edit");
            editFile.addActionListener(new ActionListener(){
                public void actionPerformed(ActionEvent ae) {
                    try {
                        desktop.edit(currentFile);
                    } catch(Throwable t) {
                        showThrowable(t);
                    }
                }
            });
            toolBar.add(editFile);

            printFile = new JButton("Print");
            printFile.addActionListener(new ActionListener(){
                public void actionPerformed(ActionEvent ae) {
                    try {
                        desktop.print(currentFile);
                    } catch(Throwable t) {
                        showThrowable(t);
                    }
                }
            });
            toolBar.add(printFile);

            // Check the actions are supported on this platform!
            openFile.setEnabled(desktop.isSupported(Desktop.Action.OPEN));
            editFile.setEnabled(desktop.isSupported(Desktop.Action.EDIT));
            printFile.setEnabled(desktop.isSupported(Desktop.Action.PRINT));

            toolBar.addSeparator();

            deleteFile = new JButton("Delete");
            deleteFile.addActionListener(new ActionListener(){
                public void actionPerformed(ActionEvent ae) {
                    if (currentFile==null) {
                        JOptionPane.showMessageDialog(
                            gui,
                            "No file selected for deletion.",
                            "Select File",
                            JOptionPane.ERROR_MESSAGE
                            );
                        return;
                    }
                    if (safeMode) {
                        safeMessage();
                    } else {
                        int result = JOptionPane.showConfirmDialog(
                            gui,
                            "Are you sure you want to delete this file?",
                            "Delete File",
                            JOptionPane.ERROR_MESSAGE
                            );
                        if (result==JOptionPane.OK_OPTION) {
                            try {
                                boolean deleted = currentFile.delete();
                                if (deleted) {
                                    // delete the node..
                                } else {
                                    JOptionPane.showMessageDialog(
                                        gui,
                                        "The file '" +
                                        currentFile +
                                        "' could not be deleted.",
                                        "Delete Failed",
                                        JOptionPane.ERROR_MESSAGE
                                        );
                                }
                            } catch(Throwable t) {
                                showThrowable(t);
                            }
                        }
                    }
                    gui.repaint();
                }
            });
            toolBar.add(deleteFile);

            final JPanel newPanel = new JPanel(new GridLayout(0,1,3,3));
            final JRadioButton newTypeFile = new JRadioButton("New File");
            JRadioButton newTypeDirectory = new JRadioButton("New Directory");
            ButtonGroup bg = new ButtonGroup();
            bg.add(newTypeFile);
            bg.add(newTypeDirectory);
            final JTextField name = new JTextField(15);
            newPanel.add( name );
            newPanel.add( newTypeFile );
            newPanel.add( newTypeDirectory );

            newFile = new JButton("New");
            newFile.addActionListener(new ActionListener(){
                public void actionPerformed(ActionEvent ae) {
                    if (currentFile==null) {
                        JOptionPane.showMessageDialog(
                            gui,
                            "No location selected for new file.",
                            "Select Location",
                            JOptionPane.ERROR_MESSAGE
                            );
                        return;
                    }

                    if (safeMode) {
                        safeMessage();
                    } else {
                        int result = JOptionPane.showConfirmDialog(gui, newPanel);
                        if (result==JOptionPane.OK_OPTION) {
                            try {
                                boolean created;
                                File file = new File( currentFile, name.getText() );
                                if (newTypeFile.isSelected()) {
                                    created = file.createNewFile();
                                } else {
                                    created = file.mkdir();
                                }
                                if (created) {
                                    // add the new node..
                                } else {
                                    JOptionPane.showMessageDialog(
                                        gui,
                                        "The file '" +
                                        file +
                                        "' could not be created.",
                                        "Create Failed",
                                        JOptionPane.ERROR_MESSAGE
                                        );
                                }
                            } catch(Throwable t) {
                                showThrowable(t);
                            }
                        }
                    }
                    gui.repaint();
                }
            });
            toolBar.add(newFile);

            JPanel flags = new JPanel(new GridLayout(1,0,4,4));
            readable = new JCheckBox("Read");
            readable.setEnabled(false);
            flags.add(readable);

            writable = new JCheckBox("Write");
            writable.setEnabled(false);
            flags.add(writable);

            executable = new JCheckBox("Execute");
            executable.setEnabled(false);
            flags.add(executable);

            isDirectory = new JCheckBox("Directory");
            isDirectory.setEnabled(false);
            flags.add(isDirectory);

            isFile = new JCheckBox("File");
            isFile.setEnabled(false);
            flags.add(isFile);

            //flags.setBorder(new TitledBorder("Flags"));

            JPanel fileView = new JPanel(new BorderLayout(3,3));

            fileView.add(toolBar,BorderLayout.NORTH);
            fileView.add(fileMainDetails,BorderLayout.CENTER);
            fileView.add(flags,BorderLayout.SOUTH);

            detailView.add(fileView, BorderLayout.SOUTH);

            JSplitPane splitPane = new JSplitPane(
                JSplitPane.HORIZONTAL_SPLIT,
                treeScroll,
                detailView);
            gui.add(splitPane, BorderLayout.CENTER);

            JPanel simpleOutput = new JPanel(new BorderLayout(3,3));
            progressBar = new JProgressBar();
            simpleOutput.add(progressBar, BorderLayout.EAST);
            progressBar.setVisible(false);

            gui.add(simpleOutput, BorderLayout.SOUTH);
        }
        return gui;
    }

    private void safeMessage() {
        String safe =
            "This is a test program!  " +
            "Delete/New have not been enabled.  " +
            "Recompile with safeMode=false; to enable.";
        JOptionPane.showMessageDialog( gui, safe, "Not Enabled", JOptionPane.ERROR_MESSAGE );
    }

    private void showThrowable(Throwable t) {
        JOptionPane.showMessageDialog(
            gui,
            t.toString(),
            t.getMessage(),
            JOptionPane.ERROR_MESSAGE
            );
        gui.repaint();
    }

    /** Update the table on the EDT */
    private void setTableDate(final File[] files) {
        SwingUtilities.invokeLater(new Runnable() {
            public void run() {
                table.getSelectionModel().removeListSelectionListener(listSelectionListener);
                fileTableModel.setFiles(files);
                table.getSelectionModel().addListSelectionListener(listSelectionListener);
                int max = table.getRowCount();
                if (!cellSizesSet) {

                    setColumnWidth(0,-1);
                    setColumnWidth(3,60);
                    table.getColumnModel().getColumn(3).setMaxWidth(120);
                    setColumnWidth(4,-1);
                    setColumnWidth(5,-1);
                    setColumnWidth(6,-1);
                    setColumnWidth(7,-1);

                    cellSizesSet = true;
                }
            }
        });
    }

    private void setColumnWidth(int column, int width) {
        TableColumn tableColumn = table.getColumnModel().getColumn(column);
        if (width<0) {
            // use the preferred width of the header..
            JLabel label = new JLabel( (String)tableColumn.getHeaderValue() );
            Dimension preferred = label.getPreferredSize();
            width = (int)preferred.getWidth()+10;
        }
        tableColumn.setPreferredWidth(width);
        tableColumn.setMaxWidth(width);
        tableColumn.setMinWidth(width);
    }

    /** Add the files that are contained within the directory of this node. */
    private void addChildren(final DefaultMutableTreeNode node) {
        SwingWorker worker = new SwingWorker() {
            @Override
            public String doInBackground() {
                tree.setEnabled(false);
                progressBar.setVisible(true);
                progressBar.setIndeterminate(true);
                File file = (File)node.getUserObject();
                if ( file.isDirectory() ) {
                    File[] files = fileSystemView.getFiles(file, true);
                    if (node.isLeaf()) {
                        for (File child : files) {
                            node.add( new DefaultMutableTreeNode(child) );
                        }
                    }
                    setTableDate(files);
                }
                progressBar.setIndeterminate(false);
                progressBar.setVisible(false);
                tree.setEnabled(true);
                return "done";
            }
        };
        worker.execute();
    }

    /** Update the File details view with the details of this File. */
    private void setFileDetails(File file) {
        currentFile = file;
        fileName.setIcon(fileSystemView.getSystemIcon(file));
        fileName.setText(fileSystemView.getSystemDisplayName(file));
        path.setText(file.getPath());
        date.setText(new Date(file.lastModified()).toString());
        size.setText(file.length() + " bytes");
        readable.setSelected(file.canRead());
        writable.setSelected(file.canWrite());
        executable.setSelected(file.canExecute());
        isDirectory.setSelected(file.isDirectory());

        isFile.setSelected(file.isFile());

        gui.repaint();
    }

    public static void main(String[] args) {
        SwingUtilities.invokeLater(new Runnable() {
            public void run() {
                try {
                    // Significantly improves the look of the output in
                    // terms of the file names returned by FileSystemView!
                    UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName());
                } catch(Exception weTried) {
                }
                JFrame f = new JFrame("File Manager");
                f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);

                FileManager fileManager = new FileManager();
                f.setContentPane(fileManager.getGui());

                f.pack();
                f.setLocationRelativeTo(null);
                f.setLocationByPlatform(true);
                f.setMinimumSize(f.getSize());
                f.setVisible(true);
            }
        });
    }
}

/** A TableModel to hold File[]. */
class FileTableModel extends AbstractTableModel {

    private File[] files;
    private FileSystemView fileSystemView = FileSystemView.getFileSystemView();
    private String[] columns = {
        "Icon",
        "File",
        "Path/name",
        "Size",
        "Last Modified",
        "R",
        "W",
        "E"
    };

    FileTableModel() {
        this(new File[0]);
    }

    FileTableModel(File[] files) {
        this.files = files;
    }

    public Object getValueAt(int row, int column) {
        File file = files[row];
        switch (column) {
            case 0:
                return fileSystemView.getSystemIcon(file);
            case 1:
                return fileSystemView.getSystemDisplayName(file);
            case 2:
                return file.getPath();
            case 3:
                return file.length();
            case 4:
                return file.lastModified();
            case 5:
                return file.canRead();
            case 6:
                return file.canWrite();
            case 7:
                return file.canExecute();
            default:
                System.err.println("Logic Error");
        }
        return "";
    }

    public int getColumnCount() {
        return columns.length;
    }

    public Class<?> getColumnClass(int column) {
        switch (column) {
            case 0:
                return ImageIcon.class;
            case 3:
                return Long.class;
            case 4:
                return Date.class;
            case 5:
            case 6:
            case 7:
                return Boolean.class;
        }
        return String.class;
    }

    public String getColumnName(int column) {
        return columns[column];
    }

    public int getRowCount() {
        return files.length;
    }

    public File getFile(int row) {
        return files[row];
    }

    public void setFiles(File[] files) {
        this.files = files;
        fireTableDataChanged();
    }
}

/** A TreeCellRenderer for a File. */
class FileTreeCellRenderer extends DefaultTreeCellRenderer {

    private FileSystemView fileSystemView;

    private JLabel label;

    FileTreeCellRenderer() {
        label = new JLabel();
        label.setOpaque(true);
        fileSystemView = FileSystemView.getFileSystemView();
    }

    @Override
    public Component getTreeCellRendererComponent(
        JTree tree,
        Object value,
        boolean selected,
        boolean expanded,
        boolean leaf,
        int row,
        boolean hasFocus) {

        DefaultMutableTreeNode node = (DefaultMutableTreeNode)value;
        File file = (File)node.getUserObject();
        label.setIcon(fileSystemView.getSystemIcon(file));
        label.setText(fileSystemView.getSystemDisplayName(file));
        label.setToolTipText(file.getPath());

        if (selected) {
            label.setBackground(backgroundSelectionColor);
        } else {
            label.setBackground(backgroundNonSelectionColor);
        }

        return label;
    }
}
import java.awt.*;
导入java.awt.event.*;
导入javax.swing.*;
导入javax.swing.border.*;
导入javax.swing.event.*;
导入javax.swing.tree.*;
导入javax.swing.table.*;
导入javax.swing.filechooser.FileSystemView;
导入java.io.File;
导入java.util.Date;
/**
一个基本的文件管理器。桌面和SwingWorker需要1.6以上
课程,还有其他一些小事情。
包括支持类FileTableModel和FileTreeCellRenderer。
“删除”和“新建”均未实施。有关详细信息,请参阅注释代码
关于如何继续使用该功能的提示。
@TODO仍然会偶尔抛出AIOOBE和NPE,因此会对
EDT肯定错过了。
@作家安德鲁·汤普森
@版本2011-05-29
@看
*/
类文件管理器{
/**用于打开/编辑/打印文件*/
私人桌面;
/**为文件提供漂亮的图标和名称*/
私有文件系统视图文件系统视图;
/**主GUI容器*/
私有JPanel gui;
/**文件系统树*/
私有JTree树;
/**目录列表*/
专用JTable表;
私人JProgressBar progressBar;
/*文件控件*/
私有JButton开放文件;
私有JButton打印文件;
私有JButton编辑文件;
私有JButton删除文件;
私有JButton新文件;
/*文件详细信息*/
私有JLabel文件名;
私有JTextField路径;
私有JLabel日期;
私人标签大小;
私有JCheckBox可读;
私有JCheckBox可写;
私有JCheckBox可执行文件;
私人JCheckBox isDirectory;
私有JCheckBox isFile;
/**文件[]的表模型*/
私有文件表模型文件表模型;
私有ListSelectionListener ListSelectionListener;
私有布尔CellSizeSet=false;
/**当前选定的文件*/
私有文件;
私有布尔安全模式=true;
公共容器getGui(){
if(gui==null){
gui=新JPanel(新边界布局(3,3));
新订单(新的空订单(5,5,5,5));
fileSystemView=fileSystemView.getFileSystemView();
desktop=desktop.getDesktop();
DefaultMutableTreeNode根=新的DefaultMutableTreeNode();
File[]root=fileSystemView.getroot();
用于(文件系统根:根){
DefaultMutableTreeNode=新的DefaultMutableTreeNode(fileSystemRoot);
root.add(节点);
File[]files=fileSystemView.getFiles(fileSystemRoot,true);
用于(文件:文件){
添加(新的DefaultMutableTreeNode(文件));
}
}
TreeSelectionListener TreeSelectionListener=新建TreeSelectionListener(){
公共作废值已更改(TreeSelectionEvent tse){
DefaultMutableTreeNode节点=
(DefaultMutableTreeNode)tse.getPath().getLastPathComponent();
addChildren(节点);
setFileDetails((文件)node.getUserObject());
}
};
树=新的JTree(根);
tree.setRootVisible(false);
addTreeSelectionListener(treeSelectionListener);
setCellRenderer(新的FileTreeCellRenderer());
tree.expandRow(0);
JScrollPane treeScroll=新的JScrollPane(树);
//根据垃圾桶提示
树。设置VisibleRowCount(15);
维度preferredSize=treeScroll.getPreferredSize();
首选尺寸=新尺寸(
250,
(int)preferredSize.getHeight());
树卷。设置首选尺寸(首选宽度);
JPanel detailView=新JPanel(新边界布局(3,3));
fileTableModel=新的fileTableModel();
table=新的JTable(fileTableModel);
表.setSelectionMode(ListSelectionModel.SINGLE_选择);
表.setAutoCreateRowSorter(真);
表1.设置显示(假);
//任意大小调整以更好地解释图标
table.setRowHeight((int)(table.getRowHeight()*1.3));
listSelectionListener=新建listSelectionListener(){
@凌驾
公共作废值已更改(ListSelectionEvent lse){
int row=table.getSelectionModel().getLeadSelectionIndex();
setFileDetails(((FileTableModel)table.getModel()).getFile(行));
}
};
table.getSelectionModel().addListSelectionListener(listSelectionListener);
JScrollPane tableScroll=新的JScrollPane(表);
维度d=tableScroll.getPreferredSize();
tableScroll.setPreferredSize(新维度((int)d.getWidth(),(int)d.getHeight()/2));
detailView.add(tableScroll、BorderLayout.CENTER);
JPanel fileMainDetails=新的JPanel(新的边界布局(4,2));
setboorder(新的EmptyBorder(0,6,0,6));
JPanel fileDetailsLabels=新的JPanel(新的网格布局(0,1,2,2));
添加(fileDetailsLabels,Bo)