quo 1.0.0.beta1 → 1.0.0.beta2

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (5) hide show
  1. checksums.yaml +4 -4
  2. data/LICENSE.txt +1 -1
  3. data/README.md +233 -222
  4. data/lib/quo/version.rb +1 -1
  5. metadata +1 -1
checksums.yaml CHANGED
@@ -1,7 +1,7 @@
1
1
  ---
2
2
  SHA256:
3
- metadata.gz: f72639830288de3776524bb1003fc88aeeee4d1adf83abeb44dd42e48caa0bfb
4
- data.tar.gz: f72435e5e5ef3832bcf993362f0b56252bc17edaaedb197455308195c71f6516
3
+ metadata.gz: f3e56abbd1094d91702a10b327e82b05a28d7fc44e491316c438059de2c0c229
4
+ data.tar.gz: 7ebdcfb6b774c274ae30e7eaff556dae898be1f2a8478c5ee1544cfde41dcd25
5
5
  SHA512:
6
- metadata.gz: 64401d860bd1682d6b3d46d06f76eb644c9b3a3b1ad4d945b6d52b778d5deafe386f4588f9a7f381a8c484790711a3e0727f3d84f45469e8d53a787410741741
7
- data.tar.gz: 5c148a23cc7ce4006fcac7c5cb9f6c118cbf08b35ea7b623743f48b3d36ae457d5902932a90669c5763e98db5df42b7ec31a470453752473821bc3e65ef7815d
6
+ metadata.gz: ff1b0856ab186d6adfab0274aac9b94a61a0ece421716726b15c762a097f46d2566bcbe53fb04c589bb6d9eb708d91b65303b5cee419c0ae0cdeab193483089f
7
+ data.tar.gz: 4befea0da9dcbdb6a71f4e447b871e9f0424738f50908bef479f3fd89a2401a5fc861a7ddf124c36ffbfdec5e871b03a0fd75ffcf2941e861465e0ede1ef0f6e
data/LICENSE.txt CHANGED
@@ -1,6 +1,6 @@
1
1
  The MIT License (MIT)
2
2
 
3
- Copyright (c) 2022-2025 Stephen Ierodiaconou
3
+ Copyright (c) 2022-2024 Stephen Ierodiaconou
4
4
 
5
5
  Permission is hereby granted, free of charge, to any person obtaining a copy
6
6
  of this software and associated documentation files (the "Software"), to deal
data/README.md CHANGED
@@ -1,324 +1,335 @@
1
- # Quo: Query Objects for ActiveRecord
1
+ # 'Quo' query objects for ActiveRecord
2
2
 
3
- Quo helps you organize database queries into reusable, composable, and testable objects.
3
+ > Note: these docs are for pre-V1 and need updating. I'm working on it!
4
4
 
5
- ## Core Features
5
+ Quo query objects can help you abstract ActiveRecord DB queries into reusable and composable objects with a chainable
6
+ interface.
6
7
 
7
- * Wrap around an underlying ActiveRecord relation or array-like collection
8
- * Supports pagination for ActiveRecord-based queries and collections that respond to `[]`
9
- * Support composition with the `+` (`compose`) method to merge multiple query objects
10
- * Allow transforming results with the `transform` method
11
- * Offer utility methods that operate on the underlying collection (eg `exists?`)
12
- * Act as a callable with chainable methods like ActiveRecord
13
- * Provide a clear separation between query definition and execution with enumerable `Results` objects
14
- * Type-safe properties with optional default values
8
+ The query object can also abstract over any array-like collection meaning that it is possible for example to cache the
9
+ data from a query and reuse it.
15
10
 
16
- ## Core Concepts
11
+ The core implementation provides the following functionality:
17
12
 
18
- Query objects encapsulate query logic in dedicated classes, making complex queries more manageable and reusable.
13
+ * wrap around an underlying ActiveRecord or array-like collection
14
+ * optionally provides paging behaviour to ActiveRecord based queries
15
+ * provides a number of utility methods that operate on the underlying collection (eg `exists?`)
16
+ * provides a `+` (`compose`) method which merges two query object instances (see section below for details!)
17
+ * can specify a mapping or transform method to `transform` to perform on results
18
+ * acts as a callable which executes the underlying query with `.first`
19
+ * can return an `Enumerable` of results
19
20
 
20
- Quo provides two main components:
21
- 1. **Query Objects** - Define and configure queries
22
- 2. **Results Objects** - Execute queries and provide access to the results
23
21
 
24
- ## Creating Query Objects
22
+ `Quo::Query` subclasses are the builders, they retain configuration of the queries, and prepare the underlying query or data collections. Query objects then return `Quo::Results` which take the built queries and then take action on them, such as to fetch data or to count records.
25
23
 
26
- ### Relation-Backed Queries
24
+ ## Creating a Quo query object
27
25
 
28
- For queries based on ActiveRecord relations:
26
+ The query object must inherit from `Quo::Query` and provide an implementation for the `query` method.
29
27
 
30
- ```ruby
31
- class RecentActiveUsers < Quo::RelationBackedQuery
32
- # Define typed properties
33
- prop :days_ago, Integer, default: -> { 30 }
34
-
35
- def query
36
- User
37
- .where(active: true)
38
- .where("created_at > ?", days_ago.days.ago)
39
- end
40
- end
28
+ The `query` method must return either:
41
29
 
42
- # Create and use the query
43
- query = RecentActiveUsers.new(days_ago: 7)
44
- results = query.results
30
+ - an `ActiveRecord::Relation`
31
+ - an Enumerable (like a 'collection backed' query)
32
+ - or another `Quo::Query` instance.
45
33
 
46
- # Work with results
47
- results.each { |user| puts user.email }
48
- puts "Found #{results.count} users"
49
- ```
34
+ Remember that the query object should be useful in composition with other query objects. Thus it should not directly
35
+ specify things that are not directly needed to fetch the right data for the given context.
50
36
 
51
- ### Collection-Backed Queries
37
+ For example the ordering of the results is mostly something that is specified when the query object is used, not as
38
+ part of the query itself (as then it would always enforce the ordering on other queries it was composed with).
52
39
 
53
- For queries based on any Enumerable collection:
40
+ ## Passing options to queries
54
41
 
55
- ```ruby
56
- class CachedUsers < Quo::CollectionBackedQuery
57
- prop :role, String
58
-
59
- def collection
60
- @cached_users ||= Rails.cache.fetch("all_users", expires_in: 1.hour) do
61
- User.all.to_a
62
- end.select { |user| user.role == role }
63
- end
64
- end
42
+ If any parameters are need in `query`, these are provided when instantiating the query object using the `options` hash.
65
43
 
66
- # Use the query
67
- admins = CachedUsers.new(role: "admin").results
68
- ```
44
+ It is also possible to pass special configuration options to the constructor options hash.
69
45
 
70
- ## Quick Queries with Wrap
46
+ Specifically when the underlying collection is a ActiveRecord relation then:
71
47
 
72
- Create query objects without subclassing:
48
+ * `order`: the `order` condition for the relation (eg `:desc`)
49
+ * `includes`: the `includes` condition for the relation (eg `account: {user: :profile}`)
50
+ * `group`: the `group` condition for the relation
51
+ * `page`: the current page number to fetch
52
+ * `page_size`: the number of elements to fetch in the page
73
53
 
74
- ```ruby
75
- # Relation-backed
76
- users_query = Quo::RelationBackedQuery.wrap(User.active).new
77
- active_users = users_query.results
54
+ Note that the above options have no bearing on the query if it is backed by an array-like collection and that some
55
+ options can be configured using the following methods.
78
56
 
79
- # Collection-backed
80
- items_query = Quo::CollectionBackedQuery.wrap([1, 2, 3]).new
81
- items = items_query.results
82
- ```
57
+ ## Configuring queries
83
58
 
84
- ## Type-Safe Properties
59
+ Note that it is possible to configure a query using chainable methods similar to ActiveRecord:
85
60
 
86
- Quo uses the `Literal` gem for typed properties:
61
+ * limit
62
+ * order
63
+ * group
64
+ * includes
65
+ * left_outer_joins
66
+ * preload
67
+ * joins
87
68
 
88
- ```ruby
89
- class UsersByState < Quo::RelationBackedQuery
90
- prop :state, String
91
- prop :minimum_age, Integer, default: -> { 18 }
92
- prop :active_only, Boolean, default: -> { true }
69
+ Note that these return a new Quo Query and do not mutate the original instance.
93
70
 
94
- def query
95
- scope = User.where(state: state)
96
- scope = scope.where("age >= ?", minimum_age) if minimum_age.present?
97
- scope = scope.where(active: true) if active_only
98
- scope
99
- end
100
- end
71
+ ## Composition of queries (merging or combining them)
101
72
 
102
- query = UsersByState.new(state: "California", minimum_age: 21)
103
- ```
73
+ Quo query objects are composeability. In `ActiveRecord::Relation` this is acheived using `merge`
74
+ and so under the hood `Quo::Query` uses that when composing relations. However since Queries can also abstract over
75
+ array-like collections (ie enumerable and define a `+` method) compose also handles concating them together.
104
76
 
105
- ## Fluent API for Building Queries
77
+ Composing can be done with either
106
78
 
107
- ```ruby
108
- query = UsersByState.new(state: "California")
109
- .order(created_at: :desc)
110
- .includes(:profile)
111
- .limit(10)
112
- .where(verified: true)
79
+ - `Quo::Query.compose(left, right)`
80
+ - or `left.compose(right)`
81
+ - or more simply with `left + right`
113
82
 
114
- users = query.results
115
- ```
83
+ The composition methods also accept an optional parameter to pass to ActiveRecord relation merges for the `joins`.
84
+ This allows you to compose together Query objects which return relations which are of different models but still merge
85
+ them correctly with the appropriate joins. Note with the alias you cant neatly specify optional parameters for joins
86
+ on relations.
116
87
 
117
- Available methods include:
118
- * `where`
119
- * `order`
120
- * `limit`
121
- * `includes`
122
- * `preload`
123
- * `left_outer_joins`
124
- * `joins`
125
- * `group`
88
+ Note that the compose process creates a new query object instance, which is a instance of a `Quo::ComposedQuery`.
126
89
 
127
- Each method returns a new query instance without modifying the original.
90
+ Consider the following cases:
128
91
 
129
- ## Pagination
92
+ 1. compose two query objects which return `ActiveRecord::Relation`s
93
+ 2. compose two query objects, one of which returns a `ActiveRecord::Relation`, and the other an array-like
94
+ 3. compose two query objects which return array-likes
130
95
 
131
- ```ruby
132
- query = UsersByState.new(
133
- state: "California",
134
- page: 2,
135
- page_size: 20
136
- )
137
-
138
- # Get paginated results
139
- users = query.results
140
-
141
- # Navigation
142
- next_page = query.next_page_query
143
- prev_page = query.previous_page_query
144
- ```
96
+ In case (1) the compose process uses `ActiveRecords::Relation`'s `merge` method to create another query object
97
+ wrapped around a new 'composed' `ActiveRecords::Relation`.
98
+
99
+ In case (2) the query object with a `ActiveRecords::Relation` inside is executed, and the result is then concatenated
100
+ to the array-like with `+`
101
+
102
+ In case (3) the values contained are concatenated with `+`
103
+
104
+ *Note that*
145
105
 
146
- ## Composing Queries
106
+ with `left.compose(right)`, `left` must obviously be an instance of a `Quo::Query`, and `right` can be either a
107
+ query object or and `ActiveRecord::Relation`. However `Quo::Query.compose(left, right)` also accepts
108
+ `ActiveRecord::Relation`s for left.
147
109
 
148
- Combine multiple queries:
110
+ ### Examples
149
111
 
150
112
  ```ruby
151
- class ActiveUsers < Quo::RelationBackedQuery
113
+ class CompanyToBeApproved < Quo::RelationBackedQuery
152
114
  def query
153
- User.where(active: true)
115
+ Registration
116
+ .left_joins(:approval)
117
+ .where(approvals: {completed_at: nil})
154
118
  end
155
119
  end
156
120
 
157
- class PremiumUsers < Quo::RelationBackedQuery
121
+ class CompanyInUsState < Quo::RelationBackedQuery
158
122
  def query
159
- User.where(subscription_tier: "premium")
123
+ Registration
124
+ .joins(company: :address)
125
+ .where(addresses: {state: options[:state]})
160
126
  end
161
127
  end
162
128
 
163
- # Compose queries
164
- active_premium = ActiveUsers.new + PremiumUsers.new
165
- users = active_premium.results
129
+ query1 = CompanyToBeApproved.new
130
+ query2 = CompanyInUsState.new(state: "California")
131
+
132
+ # Compose
133
+ composed = query1 + query2 # or Quo::Query.compose(query1, query2) or query1.compose(query2)
134
+ composed.first
135
+ ```
136
+
137
+ This effectively executes:
138
+
139
+ ```ruby
140
+ Registration
141
+ .left_joins(:approval)
142
+ .joins(company: :address)
143
+ .where(approvals: {completed_at: nil})
144
+ .where(addresses: {state: options[:state]})
166
145
  ```
167
146
 
168
- You can compose queries using:
169
- * `Quo::Query.compose(left, right)`
170
- * `left.compose(right)`
171
- * `left + right`
147
+ It is also possible to compose with an `ActiveRecord::Relation`. This can be useful in a Query object itself to help
148
+ build up the `query` relation. For example:
172
149
 
173
- ### Composing with Joins
150
+ ```ruby
151
+ class RegistrationToBeApproved < Quo::RelationBackedQuery
152
+ def query
153
+ done = Registration.where(step: "complete")
154
+ approved = CompanyToBeApproved.new
155
+ # Here we use `.compose` utility method to wrap our Relation in a Query and
156
+ # then compose with the other Query
157
+ Quo::Query.compose(done, approved)
158
+ end
159
+ end
160
+
161
+ # A Relation can be composed directly to a Quo::Query
162
+ query = RegistrationToBeApproved.new + Registration.where(blocked: false)
163
+ ```
164
+
165
+ Also you can use joins:
174
166
 
175
167
  ```ruby
176
- class ProductsQuery < Quo::RelationBackedQuery
168
+ class TagByName < Quo::RelationBackedQuery
177
169
  def query
178
- Product.where(active: true)
170
+ Tag.where(name: options[:name])
179
171
  end
180
172
  end
181
173
 
182
- class CategoriesQuery < Quo::RelationBackedQuery
174
+ class CategoryByName < Quo::RelationBackedQuery
183
175
  def query
184
- Category.where(featured: true)
176
+ Category.where(name: options[:name])
185
177
  end
186
178
  end
187
179
 
188
- # Compose with a join
189
- products = ProductsQuery.new.compose(CategoriesQuery.new, joins: :category)
180
+ tags = TagByName.new(name: "Intel")
181
+ for_category = CategoryByName.new(name: "CPUs")
182
+ tags.compose(for_category, :category) # perform join on tag association `category`
190
183
 
191
- # Equivalent to:
192
- # Product.joins(:category)
193
- # .where(products: { active: true })
194
- # .where(categories: { featured: true })
184
+ # equivalent to Tag.joins(:category).where(name: "Intel").where(categories: {name: "CPUs"})
195
185
  ```
196
186
 
197
- ## Transforming Results
187
+ Collection backed queries can also be composed (see below sections for more details).
198
188
 
199
- ```ruby
200
- query = UsersByState.new(state: "California")
201
- .transform { |user| UserPresenter.new(user) }
189
+ ### Quo::ComposedQuery
202
190
 
203
- # Results are automatically transformed
204
- presenters = query.results.to_a # Array of UserPresenter objects
191
+ The new instance of `Quo::ComposedQuery` from a compose process, retains references to the original entities that were
192
+ composed. These are then used to create a more useful output from `to_s`, so that it is easier to understand what the
193
+ merged query is actually made up of:
194
+
195
+ ```ruby
196
+ q = FooQuery.new + BarQuery.new
197
+ puts q
198
+ # > "Quo::ComposedQuery[FooQuery, BarQuery]"
205
199
  ```
206
200
 
207
- ## Custom Association Preloading
201
+ ## Query Objects & Pagination
208
202
 
209
- ```ruby
210
- class UsersWithOrders < Quo::RelationBackedQuery
211
- include Quo::Preloadable
212
-
213
- def query
214
- User.all
215
- end
203
+ Specify extra options to enable pagination:
216
204
 
217
- def preload_associations(collection)
218
- # Custom preloading logic
219
- ActiveRecord::Associations::Preloader.new(
220
- records: collection,
221
- associations: [:profile, :orders]
222
- ).call
223
-
224
- collection
225
- end
226
- end
227
- ```
205
+ * `page`: the current page number to fetch
206
+ * `page_size`: the number of elements to fetch in the page
228
207
 
229
- ## Testing Helpers
208
+ ### `Quo::CollectionBackedQuery` & `Quo::CollectionBackedQuery` objects
230
209
 
231
- ### Minitest
210
+ `Quo::CollectionBackedQuery` is a subclass of `Quo::Query` which can be used to create query objects which are backed
211
+ by a collection (ie an enumerable such as an Array). This is useful for encapsulating data that doesn't come from an
212
+ ActiveRecord query or queries that execute immediately. Subclass this and override `collection` to return the data you
213
+ want to encapsulate.
232
214
 
233
215
  ```ruby
234
- class UserQueryTest < ActiveSupport::TestCase
235
- include Quo::Minitest::Helpers
236
-
237
- test "filters users by state" do
238
- users = [User.new(name: "Alice"), User.new(name: "Bob")]
239
-
240
- fake_query(UsersByState, results: users) do
241
- result = UsersByState.new(state: "California").results.to_a
242
- assert_equal users, result
243
- end
216
+ class MyCollectionBackedQuery < Quo::CollectionBackedQuery
217
+ def collection
218
+ [1, 2, 3]
244
219
  end
245
220
  end
221
+ q = MyCollectionBackedQuery.new
222
+ q.collection? # is it a collection under the hood? Yes it is!
223
+ q.count # '3'
246
224
  ```
247
225
 
248
- ### RSpec
226
+ Sometimes it is useful to create similar Queries without needing to create a explicit subclass of your own. For this
227
+ use `Quo::CollectionBackedQuery`:
249
228
 
250
229
  ```ruby
251
- RSpec.describe UsersByState do
252
- include Quo::RSpec::Helpers
253
-
254
- it "filters users by state" do
255
- users = [User.new(name: "Alice"), User.new(name: "Bob")]
256
-
257
- fake_query(UsersByState, results: users) do
258
- result = UsersByState.new(state: "California").results.to_a
259
- expect(result).to eq(users)
260
- end
261
- end
262
- end
230
+ q = Quo::CollectionBackedQuery.wrap([1, 2, 3])
231
+ q.collection? # true
232
+ q.count # '3'
263
233
  ```
264
234
 
265
- ## Project Organization
235
+ `Quo::CollectionBackedQuery` also uses `total_count` option value as the specified 'total count', useful when the data is
236
+ actually just a page of the data and not the total count.
266
237
 
267
- Suggested directory structure:
238
+ Example of an CollectionBackedQuery used to wrap a page of enumerable data:
268
239
 
240
+ ```ruby
241
+ Quo::CollectionBackedQuery.wrap(my_data, total_count: 100, page: current_page)
269
242
  ```
270
- app/
271
- queries/
272
- application_query.rb
273
- users/
274
- active_users_query.rb
275
- by_state_query.rb
276
- products/
277
- featured_products_query.rb
278
- ```
279
243
 
280
- Base classes:
244
+ If a loaded query is `compose`d with other Query objects then it will be seen as an array-like, and concatenated to whatever
245
+ results are returned from the other queries. An loaded or eager query will force all other queries to be eager loaded.
246
+
247
+ ### Composition
248
+
249
+ Examples of composition of eager loaded queries
281
250
 
282
251
  ```ruby
283
- # app/queries/application_query.rb
284
- class ApplicationQuery < Quo::RelationBackedQuery
285
- # Common functionality
252
+ class CachedTags < Quo::RelationBackedQuery
253
+ def query
254
+ @tags ||= Tag.where(active: true).to_a
255
+ end
286
256
  end
287
257
 
288
- # app/queries/application_collection_query.rb
289
- class ApplicationCollectionQuery < Quo::CollectionBackedQuery
290
- # Common functionality
291
- end
258
+ composed = CachedTags.new(active: false) + [1, 2]
259
+ composed.last
260
+ # => 2
261
+ composed.first
262
+ # => #<Tag id: ...>
263
+
264
+ Quo::CollectionBackedQuery.new([3, 4]).compose(Quo::CollectionBackedQuery.new([1, 2])).last
265
+ # => 2
266
+ Quo::Query.compose([1, 2], [3, 4]).last
267
+ # => 4
292
268
  ```
293
269
 
294
- ## Installation
270
+ ## Transforming results
271
+
272
+ Sometimes you want to specify a block to execute on each result for any method that returns results, such as `first`,
273
+ `last` and `each`.
295
274
 
296
- Add to your Gemfile:
275
+ This can be specified using the `transform(&block)` instance method. For example:
297
276
 
298
277
  ```ruby
299
- gem "quo"
278
+ TagsQuery.new(
279
+ active: [true, false],
280
+ page: 1,
281
+ page_size: 30,
282
+ ).transform { |tag| TagPresenter.new(tag) }
283
+ .first
284
+ # => #<TagPresenter ...>
300
285
  ```
301
286
 
302
- Then execute:
287
+ ## Tests & stubbing
303
288
 
304
- ```
305
- $ bundle install
306
- ```
289
+ Tests for Query objects themselves should exercise the actual underlying query. But in other code stubbing the query
290
+ maybe desirable.
291
+
292
+ The spec helper method `stub_query(query_class, {results: ..., with: ...})` can do this for you.
307
293
 
308
- ## Configuration
294
+ It stubs `.new` on the Query object and returns instances of `CollectionBackedQuery` instead with the given `results`.
295
+ The `with` option is passed to the Query object on initialisation and used when setting up the method stub on the
296
+ query class.
297
+
298
+ For example:
309
299
 
310
300
  ```ruby
311
- # config/initializers/quo.rb
312
- Quo.default_page_size = 25
313
- Quo.max_page_size = 100
314
- Quo.relation_backed_query_base_class = "ApplicationQuery"
315
- Quo.collection_backed_query_base_class = "ApplicationCollectionQuery"
301
+ stub_query(TagQuery, with: {name: "Something"}, results: [t1, t2])
302
+ expect(TagQuery.new(name: "Something").first).to eql t1
316
303
  ```
317
304
 
318
- ## Requirements
305
+ *Note that*
306
+
307
+ This returns an instance of CollectionBackedQuery, so will not work for cases were the actual type of the query instance is
308
+ important or where you are doing a composition of queries backed by relations!
309
+
310
+ If `compose` will be used then `Quo::Query.compose` needs to be stubbed. Something might be possible to make this
311
+ nicer in future.
312
+
313
+ ## Other reading
314
+
315
+ See:
316
+ * [Includes vs preload vs eager_load](http://blog.scoutapp.com/articles/2017/01/24/activerecord-includes-vs-joins-vs-preload-vs-eager_load-when-and-where)
317
+ * [Objects on Rails](http://objectsonrails.com/#sec-14)
318
+
319
+
320
+ ## Installation
321
+
322
+ Install the gem and add to the application's Gemfile by executing:
323
+
324
+ $ bundle add quo
325
+
326
+ If bundler is not being used to manage dependencies, install the gem by executing:
327
+
328
+ $ gem install quo
329
+
330
+ ## Usage
319
331
 
320
- - Ruby 3.1+
321
- - Rails 7.0+
332
+ TODO: Write usage instructions here
322
333
 
323
334
  ## Development
324
335
 
@@ -332,7 +343,7 @@ Bug reports and pull requests are welcome on GitHub at https://github.com/steveg
332
343
 
333
344
  ## Inspired by `rectify`
334
345
 
335
- This implementation is inspired by the `Rectify` gem: https://github.com/andypike/rectify. Thanks to Andy Pike for the inspiration.
346
+ Note this implementation is inspired by the `Rectify` gem; https://github.com/andypike/rectify. Thanks to Andy Pike for the inspiration.
336
347
 
337
348
  ## License
338
349
 
data/lib/quo/version.rb CHANGED
@@ -3,5 +3,5 @@
3
3
  # rbs_inline: enabled
4
4
 
5
5
  module Quo
6
- VERSION = "1.0.0.beta1"
6
+ VERSION = "1.0.0.beta2"
7
7
  end
metadata CHANGED
@@ -1,7 +1,7 @@
1
1
  --- !ruby/object:Gem::Specification
2
2
  name: quo
3
3
  version: !ruby/object:Gem::Version
4
- version: 1.0.0.beta1
4
+ version: 1.0.0.beta2
5
5
  platform: ruby
6
6
  authors:
7
7
  - Stephen Ierodiaconou