#javascript #file #tree #directory #parent
#javascript #файл #дерево #каталог #родительский
Вопрос:
Я создаю файловую систему, но не могу понять, как добавить свойство «parent».
в настоящее время я думаю, что моя проблема заключается в том, что я не могу вызвать функцию, которая еще не была объявлена, но я не вижу, как избежать этой циклической логики тогда.
текущая ошибка:
Uncaught TypeError: inputDir.getParentDirectory is not a function
и мой код:
var file = function(FileName,inputDir,isDir){
this.Name=FileName;
this.CurrentDir=inputDir;
this.isDirectory = isDir;
this.size = 0;
this.timeStamp = new Date();
if(isDir===true){
this.subfiles = [];
}
if(inputDir!==null){
this.parentDir = inputDir.getParentDirectory();
}
this.rename = function(newName){
this.Name = newName;
};
this.updateTimeStamp = function(){
this.timeStamp = new Date();
};
};
file.prototype.getParentDirectory = function(){
return this.parentDir;
};
var fileSystem = function(){
this.root = new file("root",null,true);
this.createFile = function(name,currentDirectory,isDirectory){
var f = new file(name,currentDirectory,isDirectory);
currentDirectory.subfiles.push(f);
};
};
var myComputer = new fileSystem();
myComputer.createFile("Desktop","root",true);
Комментарии:
1. Этот код работает… Чего-то не хватает?
2. да, извините. Я добавил свое первое объявление корневого каталога. Родительский элемент root, очевидно, должен иметь значение null, и это вызывает множество проблем. Я получаю ту ошибку, которую я опубликовал выше
Ответ №1:
Вы передаете строку в inputDir, которая вызывает ошибку, которую вы видите, поскольку метод getParentDirectory() определен для прототипа файла, а не для строки. Вместо этого вам нужно передать экземпляр file. Другим вариантом было бы написать код для поиска экземпляра file по строке.
var file = function(FileName,inputDir,isDir){
this.Name=FileName;
this.CurrentDir=inputDir;
this.isDirectory = isDir;
this.size = 0;
this.timeStamp = new Date();
if(isDir===true){
this.subfiles = [];
}
if(inputDir!==null){
this.parentDir = inputDir.getParentDirectory();
}
this.rename = function(newName){
this.Name = newName;
};
this.updateTimeStamp = function(){
this.timeStamp = new Date();
};
};
file.prototype.getParentDirectory = function(){
return this.parentDir;
};
var fileSystem = function(){
this.root = new file("root",null,true);
this.createFile = function(name,currentDirectory,isDirectory){
var f = new file(name,currentDirectory,isDirectory);
currentDirectory.subfiles.push(f);
};
};
var myComputer = new fileSystem();
myComputer.createFile("Desktop",myComputer.root,true);
console.log("myComputer:", myComputer);
console.log("Desktop:", myComputer.root.subfiles[0]);