How can I get the data type of a column of a Dataset. Or more general: How to get the schema of a dataset?
Imagine I have the following situation:
require 'sequel'
DB = Sequel.sqlite()
DB.create_table(:data){
nvarchar :key
timestamp :timestamp
Date :date
}
sel = DB[:data].select(:key, :timestamp)
Now I want to know, which datatype is the column timestamp
in my selection.
I would like to get something like Sequel::Dataset#columntype(column)
.
I made a solution like this:
module Sequel
class Dataset
def schema()
schema = []
self.db.schema(self).each{|colid, coldef|
next unless self.columns.include?(colid)
schema << [colid, coldef]
}
schema
end
def columntype(colname)
self.schema.each{|colid, coldef|
next unless colid == colname
return coldef[:type]
}
raise ArgumentError, "#{colname} not part of #{self.inspect}"
end
end
end
p sel.schema #-> [[:key, {:allow_null=>true, :default=>nil, :primary_key=>false,....
p sel.columntype(:timestamp) #-> :datetime
p sel.columntype(:key) #-> :string
p sel.columntype(:date) #-> ArgumentError
But this solution looks a bit wrong and it does not work on joins:
p sel.join(:data).columntype(:timestamp)
#-> `schema': can only parse the schema for a dataset with a single from table (Sequel::Error)
I tried also Dataset#schema_and_table
, but without any success:
p sel.schema_and_table(sel.first_source_table) #-> [nil, "data"]
Are there any other ways I did not find in the documentation?