File: head.rb

package info (click to toggle)
ruby-protocol-http 0.55.0-1
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid
  • size: 840 kB
  • sloc: ruby: 6,904; makefile: 4
file content (66 lines) | stat: -rw-r--r-- 1,990 bytes parent folder | download
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
# frozen_string_literal: true

# Released under the MIT License.
# Copyright, 2020-2025, by Samuel Williams.
# Copyright, 2025, by William T. Nelson.

require_relative "readable"

module Protocol
	module HTTP
		module Body
			# Represents a body suitable for HEAD requests, in other words, a body that is empty and has a known length.
			class Head < Readable
				# Create a head body for the given body, capturing its length and then closing it.
				#
				# If a body is provided, the length is determined from the body, and the body is closed.
				# If no body is provided, and the content length is provided, a head body is created with that length.
				# This is useful for creating a head body when you only know the content length but not the actual body, which may happen in adapters for HTTP applications where the application may not provide a body for HEAD requests, but the content length is known.
				#
				# @parameter body [Readable | Nil] the body to create a head for.
				# @parameter length [Integer | Nil] the content length of the body, if known.
				# @returns [Head | Nil] the head body, or nil if the body is nil.
				def self.for(body, length = nil)
					if body
						head = self.new(body.length)
						body.close
						return head
					elsif length
						return self.new(length)
					end
					
					return nil
				end
				
				# Initialize the head body with the given length.
				#
				# @parameter length [Integer] the length of the body.
				def initialize(length)
					@length = length
				end
				
				# @returns [Boolean] the body is empty.
				def empty?
					true
				end
				
				# @returns [Boolean] the body is ready.
				def ready?
					true
				end
				
				# @returns [Integer] the length of the body, if known.
				def length
					@length
				end
				
				# Inspect the head body.
				#
				# @returns [String] a string representation of the head body.
				def inspect
					"#<#{self.class} #{@length} bytes (empty)>"
				end
			end
		end
	end
end