-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathpath_object.m
117 lines (101 loc) · 3.39 KB
/
path_object.m
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
classdef path_object
properties
list_
is_relative_
end
methods
function self = path_object(varargin)
if nargin==1 ,
path = varargin{1} ;
if isempty(path) ,
error('path cannot be empty') ;
end
if isequal(path(1), '/') ,
self.is_relative_ = false ;
if length(path)==1 ,
normed_path = '' ;
else
normed_path = path ;
end
else
self.is_relative_ = true ;
normed_path = horzcat('/', path) ;
end
self.list_ = list_from_normed_path(normed_path) ;
else
self.list_ = varargin{1} ;
self.is_relative_ = varargin{2} ;
end
end
function result = list(self)
result = self.list_ ;
end
function result = is_relative(self)
result = self.is_relative_ ;
end
function result = is_absolute(self)
result = ~self.is_relative_ ;
end
function result = to_char(self)
normed_path = normed_path_from_list(self.list_) ;
if self.is_relative_ ,
result = normed_path(2:end) ;
else
result = normed_path ;
end
end
function result = cat(self, other)
if is_absolute(other) ,
error('2nd argument can''t be an absolute path') ;
end
result = path_object(horzcat(list(self), list(other)), ...
is_relative(self)) ;
end
function result = relpath(self, start)
if ischar(start) ,
start_path_object = path_object(start) ;
else
start_path_object = start ;
end
if is_absolute(start_path_object) ~= is_absolute(self),
error('start and self must both be absolute or both relative') ;
end
result = path_object(relpath_helper(list(self), list(start_path_object)), ...
true) ; % result is always relative
end
end
end
function result = list_from_normed_path(normed_path)
if isequal(normed_path, '/') ,
result = cell(1,0) ;
else
[parent, name] = fileparts2(normed_path) ;
result = horzcat(list_from_normed_path(parent), {name}) ;
end
end
function result = normed_path_from_list(list)
if isempty(list) ,
result = '' ;
else
head = list{1} ;
tail = list(2:end) ;
result = horzcat('/', head, normed_path_from_list(tail)) ;
end
end
function result = relpath_helper(list, start_list)
if isempty(start_list) ,
result = list ;
else
if isempty(list) ,
error('start_list is not a prefix of list') ;
else
list_head = list{1} ;
start_list_head = start_list{1} ;
if isequal(list_head, start_list_head) ,
result = relpath_helper(list(2:end), start_list(2:end)) ;
else
error('start_list is not a prefix of list') ;
end
end
end
end