| 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
 | require 'ffi'
require 'ffi-xattr/version'
require 'ffi-xattr/error'
case RUBY_PLATFORM
when /linux/
  require 'ffi-xattr/linux_lib'
when /darwin|bsd/
  require 'ffi-xattr/darwin_lib'
when /mingw/
  require 'ffi-xattr/windows_lib'
else
  raise NotImplementedError, "ffi-xattr not supported on #{RUBY_PLATFORM}"
end
class Xattr
  include Enumerable
  # Create a new Xattr instance with path.
  # Use <tt>:no_follow => true</tt> in options to work on symlink itself instead of following it.
  def initialize(path, options = {})
    @path =
      if path.respond_to?(:to_path)
        path.to_path
      elsif path.respond_to?(:to_str)
        path.to_str
      else
        path
      end
    raise Errno::ENOENT, @path unless File.exist?(@path)
    @no_follow = !!options[:no_follow]
  end
  # List extended attribute names
  def list
    Lib.list @path, @no_follow
  end
  # Get an extended attribute value
  def get(key)
    Lib.get @path, @no_follow, key.to_s
  end
  alias_method :[], :get
  # Set an extended attribute value
  def set(key, value)
    Lib.set @path, @no_follow, key.to_s, value.to_s
  end
  alias_method :[]=, :set
  # Remove an extended attribute value
  def remove(key)
    Lib.remove @path, @no_follow, key.to_s
  end
  # Iterates over pairs of extended attribute names and values
  def each(&blk)
    list.each do |key|
      yield key, get(key)
    end
  end
  # Returns hash of extended attributes
  def to_hash
    res = {}
    each { |k,v| res[k] = v }
    res
  end
  alias_method :to_h, :to_hash
  def as_json(*args)
    to_hash
  end
end
 |