ffaker 2.7.0 → 2.8.0

Sign up to get free protection for your applications and to get access to all the features.
checksums.yaml CHANGED
@@ -1,7 +1,7 @@
1
1
  ---
2
2
  SHA1:
3
- metadata.gz: ddd9b72c20d0dc426b47fc5308d76c2316b7d205
4
- data.tar.gz: 12ea70c65727acd2fe8b85820e34cb817df4e2d9
3
+ metadata.gz: 86b7a0252444f3059ce00ad026f1e4887e9527aa
4
+ data.tar.gz: 3f1b5cf9b50bcd4c345e2632efbd3e0c6005e1b4
5
5
  SHA512:
6
- metadata.gz: 62ccce417b7a2850135e4a3ca09e41d6c2e85cf1c17bbc92b0ae4ac64d209e90b02729ef79d0f41da6ca72387c140f176ff05fb719674b9b87ab323d9962405c
7
- data.tar.gz: b18b3d1833a69c1b967ecea20a5e0802c37fabcbdb21b365bf58b737e4b57cd4fe4754fde36431bca1cc288d7f04ca1e45352c6f2c4c234d04d763ccfc982894
6
+ metadata.gz: 344e8a00a1ea9a8a6e3d4a837d0c1bb243a5d0ed279189c4ac6e5b6831df7a2511f27ae02438b2a339be2c1d5f411e2e085933bcf306e96101c85ba8f8eabeec
7
+ data.tar.gz: 16dac4fd1e34cb09fe41d4382a3b62139eea1562e609ddf437b4f413013053f5fa41788237bd5439b2daf8438e33e6b05711daab81d635cfd819e6229d549b6a
@@ -1,3 +1,10 @@
1
+ ## 2.8.0
2
+ - Fixes `Uncaught exception: invalid byte sequence in US-ASCII` [@thilonel]
3
+ - Add international numbers on PhoneNumberFR and test it [@nicolas-brousse]
4
+ - Clean code based on PhoneNumberBR structure [@nicolas-brousse]
5
+ - Drop support for ruby 1.9 [@thilonel]
6
+ - Replace mass require with autoload [@thilonel]
7
+
1
8
  ## 2.7.0
2
9
  - Add unique method [@AlexAvlonitis]
3
10
  - Add Time.day_of_week [@tvarley]
@@ -0,0 +1,153 @@
1
+ ## Setting/Resetting the random seed
2
+
3
+ ffaker maintains its own random number generator which allows the responses to
4
+ be deterministic and repeatable given the correct seed.
5
+
6
+ You can get the current seed with `FFaker::Random.seed`, set it with
7
+ `FFaker::Random.seed=<seed>`, and reset it back to its initial state with
8
+ `FFaker::Random.reset!`. You can also use `FFaker::Random.rand` to get a random
9
+ number from the RNG.
10
+
11
+ ```ruby
12
+ require 'ffaker'
13
+
14
+ > FFaker::Random.seed
15
+ # => 296167445578296242020083756344880134311
16
+
17
+ > FFaker::Random.seed=12345
18
+ # => 12345
19
+
20
+ > FFaker::Random.seed
21
+ # => 12345
22
+
23
+ > 5.times.map{ FFaker::Random.rand(0..9) }
24
+ # => [2, 5, 1, 7, 4]
25
+ > FFaker::Random.reset!
26
+ > 5.times.map{ FFaker::Random.rand(0..9) }
27
+ # => [2, 5, 1, 7, 4]
28
+ ```
29
+
30
+ Calling `seed=` implicitly calls `reset!` so there is no need to call it
31
+ separately after setting the seed.
32
+
33
+ ### Using the same random seed as your tests
34
+
35
+ If you are using Minitest or Rspec and run your tests in random order, ffaker
36
+ can use their random seed to return the same data given the same seed.
37
+
38
+ Note: ffaker can not use the random seed from Test::Unit because it [does not
39
+ allow the random seed to be set by the user](https://github.com/test-unit/test-unit/blob/master/lib/test/unit/test-suite-creator.rb#L67-L69).
40
+
41
+ #### Minitest
42
+
43
+ Assuming you're already using ffaker in your tests, you will need add a "plugin"
44
+ to make it use the same seed as Minitest. In your tests directory (usually named
45
+ "test") make another directory named "minitest" and create a file in that
46
+ directory named "ffaker_random_seed_plugin.rb" that contains:
47
+
48
+ ```ruby
49
+ # test/minitest/ffaker_random_seed_plugin.rb
50
+ module Minitest
51
+ def self.plugin_ffaker_random_seed_init(options)
52
+ FFaker::Random.seed = options[:seed]
53
+ end
54
+ end
55
+ ```
56
+
57
+ Next, you will need to add a `before_setup` method in every test file that uses
58
+ ffaker and call `FFaker::Random.reset!` within it. Ideally this will be in your
59
+ test case superclass.
60
+
61
+ ```ruby
62
+ # test_helper.rb or similar.
63
+ class TestBase < Minitest::Test
64
+ def before_setup
65
+ FFaker::Random.reset!
66
+ end
67
+ end
68
+
69
+ class TestSomethingUsingFFaker < TestBase
70
+ def test_something_using_ffaker
71
+ # use FFaker as normal
72
+ end
73
+ end
74
+ ```
75
+
76
+ ffaker will now use the same random seed as Minitest, including seeds passed in
77
+ using `--seed nnn` on the command line, and will return the same data every
78
+ time that seed is used.
79
+
80
+ #### Rspec
81
+
82
+ Assuming you're already using ffaker in your specs, add the following to your
83
+ `spec_helper.rb` or equivalent file:
84
+
85
+ ```ruby
86
+ # spec_helper.rb
87
+ RSpec.configure do |config|
88
+ config.before(:all) { FFaker::Random.seed=config.seed }
89
+ config.before(:each) { FFaker::Random.reset! }
90
+ end
91
+ ```
92
+
93
+ If your helper already has an `RSpec.configure` block, simply put the two
94
+ "config.before" lines in that block.
95
+
96
+ ffaker will now use the same random seed as Rspec, including seeds passed in
97
+ using `--seed nnn` on the command line, and will return the same data every
98
+ time that seed is used.
99
+
100
+ ### Generating random data in ffaker modules
101
+
102
+ ffaker modules should use the included deterministic methods to get random data
103
+ so that the same data can be returned with the correct random seed. All ffaker
104
+ modules extend the ModuleUtils module which provides the necessary methods. They
105
+ are:
106
+
107
+ * Use `fetch_sample(array)` instead of `Array#sample` to get a random item from an array.
108
+ * Use `fetch_sample(array, count: n)` instead of `Array#sample(n)` to get multiple random items from an array.
109
+ * Use `shuffle(array)` instead of `Array#shuffle` to randomly reorder an array.
110
+ * Calls to `rand` will automatically use the correct random-number generator, no change is required.
111
+
112
+ For other uses, you can access the random number generator directly via
113
+ `FFaker::Random`. Example:
114
+
115
+ ```ruby
116
+ array.shuffle!(random: FFaker::Random)
117
+ ```
118
+
119
+ ### Testing repeatability of ffaker modules
120
+
121
+ There are helper methods available to use in tests to ensure your module output
122
+ is repeatable and deterministic. All existing module tests use them, and we
123
+ would like all future modules to also use them.
124
+
125
+ First, include the DeterministicHelper in your test class:
126
+
127
+ ```ruby
128
+ include DeterministicHelper
129
+ ```
130
+
131
+ If your want to test methods that do not require arguments, the
132
+ `assert_methods_are_deterministic` method will help you test many methods with
133
+ one line of test.
134
+
135
+ ```ruby
136
+ # Example: This will test the methods :method_name, :other_method_name, and
137
+ # :another_method_name on class FFaker::NewFFakerModule.
138
+ assert_methods_are_deterministic(
139
+ FFaker::NewFFakerModule,
140
+ :method_name, :other_method_name, :another_method_name
141
+ )
142
+ ```
143
+
144
+ For testing methods that require an argument, or to test more complicated
145
+ behavior, you can use the `assert_deterministic` method within a test method.
146
+
147
+ ```ruby
148
+ def test_some_method
149
+ assert_deterministic { FFaker::NewFFakerModule.some_method(:required_argument) }
150
+ end
151
+ ```
152
+
153
+ For more examples, please see the test cases for existing modules.
@@ -1,5 +1,6 @@
1
1
  # FFaker reference
2
2
 
3
+ * [FFaker::AWS](#ffakeraws)
3
4
  * [FFaker::Address](#ffakeraddress)
4
5
  * [FFaker::AddressAU](#ffakeraddressau)
5
6
  * [FFaker::AddressBR](#ffakeraddressbr)
@@ -13,11 +14,13 @@
13
14
  * [FFaker::AddressFI](#ffakeraddressfi)
14
15
  * [FFaker::AddressFR](#ffakeraddressfr)
15
16
  * [FFaker::AddressGR](#ffakeraddressgr)
17
+ * [FFaker::AddressID](#ffakeraddressid)
16
18
  * [FFaker::AddressIN](#ffakeraddressin)
17
19
  * [FFaker::AddressJA](#ffakeraddressja)
18
20
  * [FFaker::AddressKR](#ffakeraddresskr)
19
21
  * [FFaker::AddressMX](#ffakeraddressmx)
20
22
  * [FFaker::AddressNL](#ffakeraddressnl)
23
+ * [FFaker::AddressPL](#ffakeraddresspl)
21
24
  * [FFaker::AddressRU](#ffakeraddressru)
22
25
  * [FFaker::AddressSE](#ffakeraddressse)
23
26
  * [FFaker::AddressSN](#ffakeraddresssn)
@@ -25,6 +28,7 @@
25
28
  * [FFaker::AddressUK](#ffakeraddressuk)
26
29
  * [FFaker::AddressUS](#ffakeraddressus)
27
30
  * [FFaker::Airline](#ffakerairline)
31
+ * [FFaker::Animal](#ffakeranimal)
28
32
  * [FFaker::Avatar](#ffakeravatar)
29
33
  * [FFaker::BaconIpsum](#ffakerbaconipsum)
30
34
  * [FFaker::Book](#ffakerbook)
@@ -46,12 +50,13 @@
46
50
  * [FFaker::Gender](#ffakergender)
47
51
  * [FFaker::GenderBR](#ffakergenderbr)
48
52
  * [FFaker::GenderCN](#ffakergendercn)
53
+ * [FFaker::GenderID](#ffakergenderid)
49
54
  * [FFaker::GenderKR](#ffakergenderkr)
50
55
  * [FFaker::Geolocation](#ffakergeolocation)
51
56
  * [FFaker::Guid](#ffakerguid)
57
+ * [FFaker::HTMLIpsum](#ffakerhtmlipsum)
52
58
  * [FFaker::HealthcareIpsum](#ffakerhealthcareipsum)
53
59
  * [FFaker::HipsterIpsum](#ffakerhipsteripsum)
54
- * [FFaker::HTMLIpsum](#ffakerhtmlipsum)
55
60
  * [FFaker::Identification](#ffakeridentification)
56
61
  * [FFaker::IdentificationBR](#ffakeridentificationbr)
57
62
  * [FFaker::IdentificationES](#ffakeridentificationes)
@@ -75,11 +80,12 @@
75
80
  * [FFaker::LoremFR](#ffakerloremfr)
76
81
  * [FFaker::LoremJA](#ffakerloremja)
77
82
  * [FFaker::LoremKR](#ffakerloremkr)
78
- * [FFaker::LoremUA](#ffakerloremua)
79
83
  * [FFaker::LoremRU](#ffakerloremru)
84
+ * [FFaker::LoremUA](#ffakerloremua)
80
85
  * [FFaker::Movie](#ffakermovie)
81
86
  * [FFaker::Music](#ffakermusic)
82
87
  * [FFaker::Name](#ffakername)
88
+ * [FFaker::NameAR](#ffakernamear)
83
89
  * [FFaker::NameBR](#ffakernamebr)
84
90
  * [FFaker::NameCN](#ffakernamecn)
85
91
  * [FFaker::NameCS](#ffakernamecs)
@@ -88,6 +94,7 @@
88
94
  * [FFaker::NameFR](#ffakernamefr)
89
95
  * [FFaker::NameGA](#ffakernamega)
90
96
  * [FFaker::NameGR](#ffakernamegr)
97
+ * [FFaker::NameID](#ffakernameid)
91
98
  * [FFaker::NameIT](#ffakernameit)
92
99
  * [FFaker::NameJA](#ffakernameja)
93
100
  * [FFaker::NameKH](#ffakernamekh)
@@ -96,6 +103,7 @@
96
103
  * [FFaker::NameNB](#ffakernamenb)
97
104
  * [FFaker::NameNL](#ffakernamenl)
98
105
  * [FFaker::NamePH](#ffakernameph)
106
+ * [FFaker::NamePL](#ffakernamepl)
99
107
  * [FFaker::NameRU](#ffakernameru)
100
108
  * [FFaker::NameSE](#ffakernamese)
101
109
  * [FFaker::NameSN](#ffakernamesn)
@@ -112,6 +120,7 @@
112
120
  * [FFaker::PhoneNumberDA](#ffakerphonenumberda)
113
121
  * [FFaker::PhoneNumberDE](#ffakerphonenumberde)
114
122
  * [FFaker::PhoneNumberFR](#ffakerphonenumberfr)
123
+ * [FFaker::PhoneNumberID](#ffakerphonenumberid)
115
124
  * [FFaker::PhoneNumberIT](#ffakerphonenumberit)
116
125
  * [FFaker::PhoneNumberKR](#ffakerphonenumberkr)
117
126
  * [FFaker::PhoneNumberMX](#ffakerphonenumbermx)
@@ -120,14 +129,15 @@
120
129
  * [FFaker::PhoneNumberSG](#ffakerphonenumbersg)
121
130
  * [FFaker::PhoneNumberSN](#ffakerphonenumbersn)
122
131
  * [FFaker::Product](#ffakerproduct)
123
- * [FFaker::Skill](#ffakerskill)
124
- * [FFaker::Sport](#ffakersport)
125
132
  * [FFaker::SSN](#ffakerssn)
126
133
  * [FFaker::SSNMX](#ffakerssnmx)
127
134
  * [FFaker::SSNSE](#ffakerssnse)
135
+ * [FFaker::Skill](#ffakerskill)
136
+ * [FFaker::Sport](#ffakersport)
128
137
  * [FFaker::String](#ffakerstring)
129
138
  * [FFaker::Time](#ffakertime)
130
139
  * [FFaker::Tweet](#ffakertweet)
140
+ * [FFaker::UniqueUtils](#ffakeruniqueutils)
131
141
  * [FFaker::Unit](#ffakerunit)
132
142
  * [FFaker::UnitEnglish](#ffakerunitenglish)
133
143
  * [FFaker::UnitMetric](#ffakerunitmetric)
@@ -135,22 +145,31 @@
135
145
  * [FFaker::Venue](#ffakervenue)
136
146
  * [FFaker::Youtube](#ffakeryoutube)
137
147
 
148
+ ## FFaker::AWS
149
+
150
+ | Method | Example |
151
+ | ------ | ------- |
152
+ | `instance_tenancy` | host, dedicated, dedicated |
153
+ | `instance_type` | m1.small, hi1.4xlarge, m2.4xlarge |
154
+ | `offering_type` | Light Utilization, Light Utilization, Partial Upfront |
155
+ | `product_description` | SUSE Linux, Red Hat Enterprise Linux (Amazon VPC), Windows with SQL Server Web (Amazon VPC) |
156
+
138
157
  ## FFaker::Address
139
158
 
140
159
  | Method | Example |
141
160
  | ------ | ------- |
142
- | `building_number` | 626, 7729, 3815 |
143
- | `city` | Lake Boycestad, Port Mary, West Aleshia |
144
- | `city_prefix` | New, North, Lake |
145
- | `city_suffix` | berg, town, chester |
146
- | `country` | Aruba, Israel, Russian Federation |
147
- | `country_code` | LT, NO, BB |
148
- | `neighborhood` | Northwoods West, Cipriani, Bushwick South |
149
- | `secondary_address` | Suite 636, Suite 370, Suite 716 |
150
- | `street_address` | 3378 Wintheiser Cove, 364 Treutel Pines, 16704 Wyman Courts |
151
- | `street_name` | Vallie Shores, Mayme Place, Swift Fords |
152
- | `street_suffix` | Stravenue, Summit, Manors |
153
- | `time_zone` | Asia/Baku, America/Lima, Africa/Algiers |
161
+ | `building_number` | 0645, 91341, 969 |
162
+ | `city` | Glenntown, Mauricemouth, Metzton |
163
+ | `city_prefix` | Lake, New, West |
164
+ | `city_suffix` | fort, port, side |
165
+ | `country` | Colombia, Kazakhstan, CuraÇao |
166
+ | `country_code` | AZ, DZ, ER |
167
+ | `neighborhood` | Florissant West, Kingsbridge Heights, Babylon Bayside |
168
+ | `secondary_address` | Apt. 075, Suite 049, Suite 217 |
169
+ | `street_address` | 670 Weissnat Plain, 1025 Rubin Row, 59922 Williamson Locks |
170
+ | `street_name` | Leannon Ridges, Albertha Spurs, Schiller Stream |
171
+ | `street_suffix` | Forges, Crescent, Burgs |
172
+ | `time_zone` | America/Mazatlan, America/Monterrey, Asia/Jakarta |
154
173
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
155
174
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
156
175
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
@@ -162,23 +181,23 @@
162
181
 
163
182
  | Method | Example |
164
183
  | ------ | ------- |
165
- | `building_number` | 2055, 003, 398 |
166
- | `city` | Bryanhaven, West Katheleenburgh, Dickitown |
167
- | `city_prefix` | South, New, Port |
168
- | `city_suffix` | town, berg, fort |
169
- | `country` | French Southern Territories, Peru, Croatia |
170
- | `country_code` | FI, CX, CN |
171
- | `full_address` | 569 Johnathon Manors, Canberra ACT 0800, 58742 Marlena Harbor, O'Connor ACT 3850, 46555 Fahey Extension, O'Connor ACT 5607 |
172
- | `neighborhood` | Rockville East of Hungerford Dr, Babylon Bayside, Dyker Heights |
173
- | `postcode` | 2142, 2580, 2600 |
174
- | `secondary_address` | Suite 912, Suite 742, Apt. 628 |
175
- | `state` | Australian Capital Territory, Victoria, Australian Capital Territory |
176
- | `state_abbr` | QLD, WA, WA |
177
- | `street_address` | 081 Luna Mill, 3438 Odette Prairie, 7577 Doreen Fork |
178
- | `street_name` | Stanley Light, Teodora Circle, Glynis Well |
179
- | `street_suffix` | Track, Dale, Glens |
180
- | `suburb` | Benalla, Nedlands, Townsville |
181
- | `time_zone` | Pacific/Fakaofo, America/Los_Angeles, Pacific/Guam |
184
+ | `building_number` | 07335, 59129, 7885 |
185
+ | `city` | East Altonside, Eugenestad, North Loraside |
186
+ | `city_prefix` | East, North, Port |
187
+ | `city_suffix` | chester, view, burgh |
188
+ | `country` | Faroe Islands, Lesotho, Tuvalu |
189
+ | `country_code` | IS, BF, AE |
190
+ | `full_address` | 1247 Roberts Park, Bendigo VIC 7310, 4259 Rosenbaum Mall, O'Connor ACT 0830, 6937 Luettgen Groves, Glenorchy TAS 6160 |
191
+ | `neighborhood` | Pound Ridge East, North East Irwindale, Summerlin North |
192
+ | `postcode` | 2340, 5000, 7310 |
193
+ | `secondary_address` | Apt. 080, Suite 023, Suite 781 |
194
+ | `state` | South Australia, Victoria, Victoria |
195
+ | `state_abbr` | ACT, SA, TAS |
196
+ | `street_address` | 019 Maybell Gardens, 7516 Hellen Stream, 986 Kozey Unions |
197
+ | `street_name` | Dooley Camp, Bergstrom Shore, Arianna Parkways |
198
+ | `street_suffix` | Shoal, Forest, Ridges |
199
+ | `suburb` | Burnie, Palmerston, Murray Bridge |
200
+ | `time_zone` | Australia/Brisbane, Australia/Melbourne, Australia/Hobart |
182
201
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
183
202
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
184
203
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
@@ -190,49 +209,49 @@
190
209
 
191
210
  | Method | Example |
192
211
  | ------ | ------- |
193
- | `building_number` | 38194, 8686, 6103 |
194
- | `city` | Porto Velho, São Bernardo do Campo, Cachoeirinha |
195
- | `city_prefix` | West, West, New |
196
- | `city_suffix` | shire, burgh, side |
197
- | `country` | Vanuatu, Guinea-Bissau, Guatemala |
198
- | `country_code` | MG, CR, PA |
199
- | `neighborhood` | Florissant West, Mott Haven/Port Morris, Jupiter South/Abacoa |
200
- | `secondary_address` | Suite 706, Suite 264, Suite 203 |
201
- | `state` | Sergipe, Tocantins, Rondonia |
202
- | `state_abbr` | PE, BA, PE |
203
- | `street` | Alameda Martinho Rocha, Alameda Naíde Novaes, Alameda Bebiana Braga |
204
- | `street_address` | 81413 Arielle Lakes, 014 Dayle Fall, 7656 Myrtie Pines |
205
- | `street_name` | Serina Parkway, Quitzon Well, Kunze Groves |
206
- | `street_prefix` | Avenida, Avenida, Alameda |
207
- | `street_suffix` | Spring, Haven, Dale |
208
- | `full_address` | Rua Omar Brito, 64378, Araucária, Belo Horizonte, Brazil |
209
- | `time_zone` | Europe/London, Europe/Dublin, Asia/Singapore |
212
+ | `building_number` | 6816, 512, 8223 |
213
+ | `city` | Linhares, São João de Meriti, Florianópolis |
214
+ | `city_prefix` | West, East, East |
215
+ | `city_suffix` | port, burgh, haven |
216
+ | `country` | Cook Islands, Haiti, Solomon Islands |
217
+ | `country_code` | AX, CM, TM |
218
+ | `full_address` | Travessa Daisi Farias, 2566, Parintins, Distrito Federal, Brazil, Avenida Pascoal Martins da Luz, 005, Caxias do Sul, Paraná, Brazil, Avenida Eleonora Viana Costa, 6513, Abaetetuba, Santa Catarina, Brazil |
219
+ | `neighborhood` | Olmsted Falls Central, White Oak South of Columbia Pike, phoenix |
220
+ | `secondary_address` | Suite 145, Apt. 835, Apt. 771 |
221
+ | `state` | Mato Grosso do Sul, Santa Catarina, Rio Grande do Norte |
222
+ | `state_abbr` | SE, RS, AL |
223
+ | `street` | Rua Ecila da Mata da Costa, Rua Anália Melo Porto, Alameda Zanir Pereira |
224
+ | `street_address` | 98527 Gaylord Circles, 65447 Tawanda Dam, 62318 Juan Glen |
225
+ | `street_name` | Elsie Centers, Fausto Greens, Towne Streets |
226
+ | `street_prefix` | Alameda, Travessa, Avenida |
227
+ | `street_suffix` | Lake, Ranch, Way |
228
+ | `time_zone` | Australia/Perth, Europe/Moscow, Asia/Kuala_Lumpur |
210
229
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
211
230
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
212
231
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
213
232
  | `us_state` | ❗ *[us_state] is deprecated. For US addresses please use the AddressUS module* |
214
233
  | `us_state_abbr` | ❗ *[state_abbr] is deprecated. For US addresses please use the AddressUS module* |
215
- | `zip_code` | 52835-829, 33987-768, 79081-938 |
234
+ | `zip_code` | 30213-023, 39028-426, 53708-280 |
216
235
 
217
236
  ## FFaker::AddressCA
218
237
 
219
238
  | Method | Example |
220
239
  | ------ | ------- |
221
- | `building_number` | 960, 4891, 608 |
222
- | `city` | Pickering , Surrey , Quinte West |
223
- | `city_prefix` | Port, Lake, West |
224
- | `city_suffix` | view, ton, furt |
225
- | `country` | Saint Helena, Ascension and Tristan Da Cunha, Cameroon, Libya |
226
- | `country_code` | MY, FO, MS |
227
- | `neighborhood` | Olmsted Falls Central, East of Telegraph Road, Allegheny West |
228
- | `postal_code` | Y5R 4A7, V9E 8P4, J3K 0H3 |
229
- | `province` | Manitoba, Nova Scotia, Newfoundland and Labrador |
230
- | `province_abbr` | AB, MB, NS |
231
- | `secondary_address` | Suite 774, Suite 149, Apt. 680 |
232
- | `street_address` | 5535 Lueilwitz Spring, 0748 Rau Port, 56863 Neva Branch |
233
- | `street_name` | Lowe Garden, Heaney Park, Shameka Bridge |
234
- | `street_suffix` | Skyway, Mall, Burgs |
235
- | `time_zone` | Asia/Almaty, America/Chicago, Asia/Karachi |
240
+ | `building_number` | 73763, 580, 04745 |
241
+ | `city` | La Tuque, Kamloops , Quinte West |
242
+ | `city_prefix` | East, North, Lake |
243
+ | `city_suffix` | borough, furt, stad |
244
+ | `country` | Finland, El Salvador, Armenia |
245
+ | `country_code` | TV, PG, GD |
246
+ | `neighborhood` | Ocean Parkway South, Summerlin North, Olmsted Falls Central |
247
+ | `postal_code` | S4R 3R3, C2K 9V2, G0T 8G2 |
248
+ | `province` | Nunavut, Saskatchewan, British Columbia |
249
+ | `province_abbr` | NB, BC, NB |
250
+ | `secondary_address` | Suite 971, Apt. 561, Apt. 686 |
251
+ | `street_address` | 117 Serina Courts, 99097 Stehr Mount, 49501 Gutmann Landing |
252
+ | `street_name` | Conrad Canyon, Gricelda Mission, Margurite Ridges |
253
+ | `street_suffix` | Garden, Plains, Spur |
254
+ | `time_zone` | Europe/Prague, Pacific/Fakaofo, Pacific/Auckland |
236
255
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
237
256
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
238
257
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
@@ -244,20 +263,20 @@
244
263
 
245
264
  | Method | Example |
246
265
  | ------ | ------- |
247
- | `building_number` | 9819, 7345, 7998 |
248
- | `canton_abbr` | GL, SZ, FR |
249
- | `city` | New Wanetaberg, Micatown, Merleton |
250
- | `city_prefix` | Port, Port, Port |
251
- | `city_suffix` | mouth, ton, shire |
252
- | `country` | Cyprus, Indonesia, Serbia |
253
- | `country_code` | CZ, NA, NI |
254
- | `neighborhood` | Cipriani, Bridesburg, phoenix |
255
- | `postal_code` | 7025, 7120, 9483 |
256
- | `secondary_address` | Apt. 117, Apt. 196, Apt. 328 |
257
- | `street_address` | 93217 Gerhold Knolls, 13530 Hessel Square, 4597 Greenholt Port |
258
- | `street_name` | Wolff Meadows, Lincoln Crescent, Eulalia Pike |
259
- | `street_suffix` | Parkways, Falls, Gateway |
260
- | `time_zone` | Pacific/Midway, Pacific/Pago_Pago, Asia/Almaty |
266
+ | `building_number` | 358, 1286, 40256 |
267
+ | `canton_abbr` | ZG, AG, OW |
268
+ | `city` | Carlottaview, East Jonellmouth, Markitaville |
269
+ | `city_prefix` | East, South, Lake |
270
+ | `city_suffix` | berg, fort, ton |
271
+ | `country` | Jamaica, Mauritius, Burundi |
272
+ | `country_code` | VI, CC, HR |
273
+ | `neighborhood` | Far Rockaway/Bayswater, Cipriani, Mott Haven/Port Morris |
274
+ | `postal_code` | 8310, 5680, 6906 |
275
+ | `secondary_address` | Apt. 317, Suite 804, Apt. 173 |
276
+ | `street_address` | 391 Palmira Circle, 459 Marcelina Valley, 432 Walter Junction |
277
+ | `street_name` | Joella Center, Armando Spurs, Lehner Forks |
278
+ | `street_suffix` | Extensions, Bridge, Plains |
279
+ | `time_zone` | Asia/Kolkata, Asia/Magadan, Asia/Rangoon |
261
280
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
262
281
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
263
282
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
@@ -269,21 +288,21 @@
269
288
 
270
289
  | Method | Example |
271
290
  | ------ | ------- |
272
- | `building_number` | 063, 43968, 990 |
273
- | `canton` | Appenzell Ausserrhoden, Schwyz, Schwyz |
274
- | `canton_abbr` | NW, BE, NE |
275
- | `city` | Rippinland, South Charla, Hudsonburgh |
276
- | `city_prefix` | West, South, New |
277
- | `city_suffix` | borough, side, borough |
278
- | `country` | Norfolk Island, Turkey, Jordan |
279
- | `country_code` | VI, EC, SL |
280
- | `neighborhood` | Northwest Midlothian/Midlothian Country Club, Gates Mills North, Greater Las Vegas National |
281
- | `postal_code` | 6902, 8246, 1165 |
282
- | `secondary_address` | Apt. 317, Suite 899, Suite 303 |
283
- | `street_address` | 5645 Bednar Road, 71419 Isabell Run, 2942 Staci Passage |
284
- | `street_name` | Joseph Viaduct, Pollich Extensions, Hauck Forges |
285
- | `street_suffix` | Fort, Meadow, Gardens |
286
- | `time_zone` | Asia/Kabul, Europe/Ljubljana, Europe/Kiev |
291
+ | `building_number` | 4413, 37145, 509 |
292
+ | `canton` | Jura, Appenzell Ausserrhoden, Basel-Landschaft |
293
+ | `canton_abbr` | GE, UR, OW |
294
+ | `city` | Haleyside, Arnulfochester, Lake Sammyshire |
295
+ | `city_prefix` | Port, North, East |
296
+ | `city_suffix` | shire, side, mouth |
297
+ | `country` | Swaziland, Ghana, Tonga |
298
+ | `country_code` | OM, FR, HR |
299
+ | `neighborhood` | Pound Ridge East, Allegheny West, Sea Ranch Lakes |
300
+ | `postal_code` | 8495, 2273, 7734 |
301
+ | `secondary_address` | Suite 351, Apt. 762, Apt. 300 |
302
+ | `street_address` | 806 Yuko Plains, 258 Roxanne Burg, 9490 Wunsch Lock |
303
+ | `street_name` | Wuckert Mountains, Macejkovic Cove, Nigel Valley |
304
+ | `street_suffix` | Cove, Estates, Dale |
305
+ | `time_zone` | Asia/Bangkok, America/Argentina/Buenos_Aires, Atlantic/Cape_Verde |
287
306
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
288
307
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
289
308
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
@@ -295,21 +314,21 @@
295
314
 
296
315
  | Method | Example |
297
316
  | ------ | ------- |
298
- | `building_number` | 11700, 149, 4955 |
299
- | `canton` | Argovie, Soleure, Appenzell Rhodes-Intérieures |
300
- | `canton_abbr` | TI, TG, BS |
301
- | `city` | Friesenside, Linhtown, West Long |
302
- | `city_prefix` | Port, Port, South |
303
- | `city_suffix` | stad, ville, shire |
304
- | `country` | Bonaire, Sint Eustatius and Saba, Tajikistan, Samoa |
305
- | `country_code` | CH, ME, RO |
306
- | `neighborhood` | Northwoods West, Cleveland Park, Jamaica Estates/Holliswood |
307
- | `postal_code` | 7983, 1305, 7860 |
308
- | `secondary_address` | Suite 712, Suite 384, Apt. 079 |
309
- | `street_address` | 437 Enriqueta Skyway, 99053 Stamm Knolls, 595 Wunsch Prairie |
310
- | `street_name` | Lyle Knolls, Connie Landing, Mayert Drives |
311
- | `street_suffix` | Tunnel, Crossroad, Greens |
312
- | `time_zone` | Pacific/Guam, Atlantic/Cape_Verde, Pacific/Apia |
317
+ | `building_number` | 16470, 782, 597 |
318
+ | `canton` | Soleure, Uri, Thurgovie |
319
+ | `canton_abbr` | SZ, GR, TI |
320
+ | `city` | Gastonmouth, Lake Cassandrachester, Schneidermouth |
321
+ | `city_prefix` | East, East, Lake |
322
+ | `city_suffix` | bury, ton, mouth |
323
+ | `country` | Romania, Eritrea, Andorra |
324
+ | `country_code` | RO, HK, BO |
325
+ | `neighborhood` | Olmsted Falls Central, Cleveland Park, West Covina East |
326
+ | `postal_code` | 6476, 0363, 2889 |
327
+ | `secondary_address` | Apt. 969, Suite 738, Suite 168 |
328
+ | `street_address` | 67852 Dibbert Shore, 372 Wilkinson Viaduct, 8537 Kamilah Underpass |
329
+ | `street_name` | Young Radial, Robin Hill, Jeannie Grove |
330
+ | `street_suffix` | Tunnel, Hollow, Islands |
331
+ | `time_zone` | America/Mexico_City, America/Guatemala, America/Argentina/Buenos_Aires |
313
332
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
314
333
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
315
334
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
@@ -321,21 +340,21 @@
321
340
 
322
341
  | Method | Example |
323
342
  | ------ | ------- |
324
- | `building_number` | 3064, 2609, 091 |
325
- | `canton` | Appenzello Interno, San Gallo, Friburgo |
326
- | `canton_abbr` | SG, NW, BE |
327
- | `city` | Shandabury, Reamouth, Jessiemouth |
328
- | `city_prefix` | North, Port, Port |
329
- | `city_suffix` | borough, port, mouth |
330
- | `country` | Portugal, Belarus, Palau |
331
- | `country_code` | TK, ZM, KW |
332
- | `neighborhood` | Bushwick South, Central Chandler, Mott Haven/Port Morris |
333
- | `postal_code` | 0645, 1693, 4707 |
334
- | `secondary_address` | Apt. 548, Apt. 043, Suite 629 |
335
- | `street_address` | 139 Patsy Run, 5559 Emilio Trail, 687 Ira Manor |
336
- | `street_name` | Domonique Spring, Mariel Corners, Connelly Drive |
337
- | `street_suffix` | Pines, Coves, Junctions |
338
- | `time_zone` | Asia/Irkutsk, America/Sao_Paulo, Asia/Tbilisi |
343
+ | `building_number` | 25429, 143, 09795 |
344
+ | `canton` | Basilea Campagna, Giura, Basilea Città |
345
+ | `canton_abbr` | LU, VS, BS |
346
+ | `city` | Pourosport, Tarahmouth, Jedton |
347
+ | `city_prefix` | North, North, North |
348
+ | `city_suffix` | stad, bury, haven |
349
+ | `country` | Algeria, Italy, Russian Federation |
350
+ | `country_code` | TD, AD, LC |
351
+ | `neighborhood` | Auburn North, Olmsted Falls Central, Ocean Parkway South |
352
+ | `postal_code` | 5522, 0012, 1214 |
353
+ | `secondary_address` | Apt. 237, Suite 182, Apt. 375 |
354
+ | `street_address` | 474 Sunday Stream, 173 Rath Forest, 020 Hoeger Bridge |
355
+ | `street_name` | Smitham Shoal, Hintz Ville, Predovic Squares |
356
+ | `street_suffix` | Meadow, Orchard, Ports |
357
+ | `time_zone` | Australia/Canberra, Europe/Sarajevo, Asia/Karachi |
339
358
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
340
359
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
341
360
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
@@ -347,98 +366,98 @@
347
366
 
348
367
  | Method | Example |
349
368
  | ------ | ------- |
350
- | `building_number` | 68694, 914, 1653 |
351
- | `city` | Gørding, Esbjerg, Værløse |
352
- | `city_prefix` | East, Lake, Lake |
353
- | `city_suffix` | borough, view, land |
354
- | `country` | Timor-leste, Suriname, Malawi |
355
- | `country_code` | AG, PG, IR |
356
- | `full_address` | Øksen 46 4734 Jystrup Midtsj Nordjylland DANMARK, Svendsvej 21 2545 Tistrup Nordjylland DANMARK, Hammeren 28 5092 Søllested Hovedstaden DANMARK |
357
- | `kommune` | Høje-Taastrup, Favrskov, Haderslev |
358
- | `neighborhood` | Northwoods West, Allegheny West, Candlewood Country Club |
359
- | `post_nr` | 3454, 8999, 4606 |
360
- | `region` | Nordjylland, Hovedstaden, Syddanmark |
361
- | `secondary_address` | Apt. 017, Suite 849, Suite 006 |
362
- | `state` | Samsø, Kolding, Næstved |
363
- | `street_address` | Høje Taastrup 14, L A Rings Vænge 72, Leen A 32 |
364
- | `street_name` | Niverød Bakke, Skovgårdsvej, Bøgekrattet |
365
- | `street_suffix` | Fort, Roads, Meadow |
366
- | `time_zone` | Africa/Casablanca, Asia/Seoul, Asia/Chongqing |
369
+ | `building_number` | 35534, 8743, 665 |
370
+ | `city` | Aabenraa, Tikøb, Herlev |
371
+ | `city_prefix` | South, East, East |
372
+ | `city_suffix` | ville, side, burgh |
373
+ | `country` | Uganda, Bonaire, Sint Eustatius and Saba, Ecuador |
374
+ | `country_code` | JO, SO, UM |
375
+ | `full_address` | Bøgekrattet 23 6659 Bagenkop Hovedstaden DANMARK, Bremertoften 35 9001 Viborg Midtjylland DANMARK, Skovbovænget 31 5044 Asaa Nordjylland DANMARK |
376
+ | `kommune` | Hillerød, Jammerbugt, Struer |
377
+ | `neighborhood` | Central Chandler, Sea Ranch Lakes, East of Telegraph Road |
378
+ | `post_nr` | 2605, 3176, 9167 |
379
+ | `region` | Nordjylland, Sjælland, Nordjylland |
380
+ | `secondary_address` | Suite 621, Apt. 071, Apt. 908 |
381
+ | `state` | Svendborg, Hillerød, Skive |
382
+ | `street_address` | Myremosevej 0, Bondehøjvej 28, Skov Alle 46 |
383
+ | `street_name` | Nordre Strandvej, Mosedalen, Sengeløsevej |
384
+ | `street_suffix` | Rapids, Courts, Forks |
385
+ | `time_zone` | Asia/Chongqing, America/Phoenix, America/Phoenix |
367
386
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
368
387
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
369
388
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
370
389
  | `us_state` | ❗ *[us_state] is deprecated. For US addresses please use the AddressUS module* |
371
390
  | `us_state_abbr` | ❗ *[state_abbr] is deprecated. For US addresses please use the AddressUS module* |
372
- | `zip_code` | 5408, 0509, 2238 |
391
+ | `zip_code` | 4586, 7701, 2837 |
373
392
 
374
393
  ## FFaker::AddressDE
375
394
 
376
395
  | Method | Example |
377
396
  | ------ | ------- |
378
- | `building_number` | 143, 73856, 23292 |
379
- | `city` | Wadern, Pohlheim, Doberlug-Kirchhain |
380
- | `city_prefix` | North, Port, Lake |
381
- | `city_suffix` | port, ville, side |
382
- | `country` | Chad, Equatorial Guinea, Aruba |
383
- | `country_code` | LT, CV, BM |
384
- | `neighborhood` | East of Telegraph Road, Sagaponack Seaside, Northwest Midlothian/Midlothian Country Club |
385
- | `secondary_address` | Apt. 794, Suite 968, Apt. 424 |
386
- | `state` | Schleswig-Holstein, Brandenburg, Sachsen |
387
- | `street_address` | Krajcikstr. 166, Leuschkehain 96, Wunschstr. 85 |
388
- | `street_name` | Dorothastr., Hanastr., Considinestr. |
389
- | `street_suffix` | Rest, Forest, Course |
390
- | `time_zone` | Africa/Monrovia, America/Godthab, Asia/Baghdad |
397
+ | `building_number` | 59158, 5785, 62680 |
398
+ | `city` | Hattingen, Hockenheim, Loebejuen |
399
+ | `city_prefix` | Lake, New, North |
400
+ | `city_suffix` | berg, ville, furt |
401
+ | `country` | Malawi, Luxembourg, Czech Republic |
402
+ | `country_code` | BR, AG, DE |
403
+ | `neighborhood` | Sagaponack Seaside, Kingsbridge Heights, Dyker Heights |
404
+ | `secondary_address` | Suite 319, Suite 342, Apt. 990 |
405
+ | `state` | Hessen, Bremen, Baden-Wuerttemberg |
406
+ | `street_address` | Yoststr. 115, Hamillgasse 156, Olinstr. 55 |
407
+ | `street_name` | Eugeniostr., O'Konstr., Considinestr. |
408
+ | `street_suffix` | Forges, Gardens, Crest |
409
+ | `time_zone` | Europe/Amsterdam, Europe/Moscow, Asia/Tbilisi |
391
410
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
392
411
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
393
412
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
394
413
  | `us_state` | ❗ *[us_state] is deprecated. For US addresses please use the AddressUS module* |
395
414
  | `us_state_abbr` | ❗ *[state_abbr] is deprecated. For US addresses please use the AddressUS module* |
396
- | `zip_code` | 01358, 85182, 86638 |
415
+ | `zip_code` | 58590, 38614, 36254 |
397
416
 
398
417
  ## FFaker::AddressFI
399
418
 
400
419
  | Method | Example |
401
420
  | ------ | ------- |
402
- | `building_number` | 74470, 01630, 31978 |
403
- | `city` | Laitila, Kurikka, Lahti |
404
- | `city_prefix` | Port, North, West |
405
- | `city_suffix` | town, port, burgh |
406
- | `country` | Cape Verde, Syrian Arab Republic, Singapore |
407
- | `country_code` | EE, MR, FI |
408
- | `full_address` | Kerhotie 007, 34781 Sastamala, SUOMI, Urheilutie 1 b, 35525 Suonenjoki, SUOMI, Ristikuja 6 a, 15505 Hämeenlinna, SUOMI |
409
- | `neighborhood` | Ladue South, Brentwood Central, Rockville East of Hungerford Dr |
410
- | `random_country` | Unkari, Ecuador, Suomi |
411
- | `secondary_address` | Apt. 442, Suite 767, Suite 466 |
412
- | `street_address` | Mäenpääntie 91, Palikkalantie 97, Aholantie 2 b |
413
- | `street_name` | Pohjankulmantie, Simontie, Maijanpolku |
414
- | `street_nbr` | 5, 986, 4 |
415
- | `street_suffix` | Terrace, Crescent, Dale |
416
- | `time_zone` | America/Halifax, Australia/Perth, Pacific/Honolulu |
421
+ | `building_number` | 8472, 980, 6987 |
422
+ | `city` | Sastamala, Pietarsaari, Kiuruvesi |
423
+ | `city_prefix` | North, Port, East |
424
+ | `city_suffix` | burgh, mouth, town |
425
+ | `country` | Aruba, Northern Mariana Islands, Syrian Arab Republic |
426
+ | `country_code` | PN, FM, KZ |
427
+ | `full_address` | Isokuja 9 a 0, 15314 Nokia, SUOMI, Alhonkuja 9 a, 38104 Kaarina, SUOMI, Ristikuja 2, 12366 Kemijärvi, SUOMI |
428
+ | `neighborhood` | South of Lake Ave, Mount Kisco West, West Covina East |
429
+ | `random_country` | Unkari, Suomi, Ranska |
430
+ | `secondary_address` | Apt. 165, Apt. 796, Apt. 448 |
431
+ | `street_address` | Myllymäentie 0 b, Kivenkorvantie 1 a, Savikontie 6 a |
432
+ | `street_name` | Levänmäentie, Lehtolantie, Loimaantie |
433
+ | `street_nbr` | 6 b, 7, 8 a 1 |
434
+ | `street_suffix` | Lodge, Mission, Cliff |
435
+ | `time_zone` | Asia/Dhaka, Europe/Brussels, America/Lima |
417
436
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
418
437
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
419
438
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
420
439
  | `us_state` | ❗ *[us_state] is deprecated. For US addresses please use the AddressUS module* |
421
440
  | `us_state_abbr` | ❗ *[state_abbr] is deprecated. For US addresses please use the AddressUS module* |
422
- | `zip_code` | 12791, 97289, 45872 |
441
+ | `zip_code` | 91409, 08204, 12665 |
423
442
 
424
443
  ## FFaker::AddressFR
425
444
 
426
445
  | Method | Example |
427
446
  | ------ | ------- |
428
- | `building_number` | 47652, 37675, 03406 |
429
- | `city` | Saint-Martin-d'Hères, Thionville, Saint-Priest |
430
- | `city_prefix` | Port, New, West |
431
- | `city_suffix` | berg, mouth, mouth |
432
- | `country` | Sweden, Sao Tome and Principe, Montenegro |
433
- | `country_code` | PN, MA, BO |
434
- | `full_address` | 80 QUATER rue Eugène Bailly, 2643 Drancy, 6670 B bd Jérôme le Seguin 0912 Choisy-le-Roi, 6-60 TER avenue Marine Georges 2B295 Le Lamentin |
435
- | `neighborhood` | River Heights, Greater Las Vegas National, Olmsted Falls Central |
436
- | `postal_code` | 2A632, 2B924, 0123 |
437
- | `secondary_address` | Apt. 545, Apt. 746, Suite 533 |
438
- | `street_address` | 0 impasse Laurent Da, 80 T boulevard Pénélope Moreno, 677 B impasse Agnès Costa |
439
- | `street_name` | Hae Place, Crist Port, Julian Shoal |
440
- | `street_suffix` | Row, Center, Forge |
441
- | `time_zone` | America/Bogota, Europe/Prague, Europe/Rome |
447
+ | `building_number` | 8700, 022, 8378 |
448
+ | `city` | Les Mureaux, Échirolles, Bagneux |
449
+ | `city_prefix` | South, South, North |
450
+ | `city_suffix` | land, town, haven |
451
+ | `country` | Brazil, Namibia, Kenya |
452
+ | `country_code` | UZ, TN, FI |
453
+ | `full_address` | 7 Q impasse Susan de Bonnet, 94686 Saint-Herblain, 0-08 Q, impasse Marianne Vallet 972004 Nevers, 2905 Q boulevard Gilbert Olivier, 2A943 Aix-en-Provence |
454
+ | `neighborhood` | Murray Hill, White Oak South of Columbia Pike, Gates Mills North |
455
+ | `postal_code` | 97911, 974149, 2B208 |
456
+ | `secondary_address` | Suite 705, Suite 165, Suite 547 |
457
+ | `street_address` | 9-75 T, boulevard Suzanne de Bailly, 4-51 BIS rue Victoire Oliveira, 17 B, rue Georges Nicolas |
458
+ | `street_name` | Marylin Fort, Boyer Squares, Botsford Fields |
459
+ | `street_suffix` | Knoll, Stream, Motorway |
460
+ | `time_zone` | Asia/Baku, Asia/Seoul, Europe/Minsk |
442
461
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
443
462
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
444
463
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
@@ -450,199 +469,265 @@
450
469
 
451
470
  | Method | Example |
452
471
  | ------ | ------- |
453
- | `building_number` | 453, 37727, 48747 |
454
- | `city` | Αλεξάνδρεια, Λάρισα, Καλύβια Θορικού |
455
- | `city_prefix` | New, East, West |
456
- | `city_suffix` | haven, town, borough |
457
- | `country` | Costa Rica, Estonia, Norway |
458
- | `country_code` | PW, TG, SO |
459
- | `neighborhood` | Seven Hills Area, Summerlin North, Kingsbridge Heights |
460
- | `region` | Ιόνιοι Νήσοι, Αττική, Στερεά Ελλάδα |
461
- | `secondary_address` | Apt. 541, Suite 953, Apt. 036 |
462
- | `street_address` | Πάροδος Πάροδος Κυψελών, 1, Πάροδος Σεφέρη Γιώργου, 1, Οδός Ηροδότου, 43 |
463
- | `street_name` | Αμαζόνων, Θάσου, Ανθεμίου |
464
- | `street_nbr` | 5, 6, 6 |
465
- | `street_suffix` | Key, Dam, Springs |
466
- | `time_zone` | Atlantic/South_Georgia, Europe/Minsk, America/New_York |
472
+ | `building_number` | 5378, 6346, 8292 |
473
+ | `city` | Κορωπί, Κατερίνη, Πάτρα |
474
+ | `city_prefix` | New, North, West |
475
+ | `city_suffix` | furt, land, haven |
476
+ | `country` | Falkland Islands (Malvinas), Pakistan, Pakistan |
477
+ | `country_code` | EH, VG, JP |
478
+ | `neighborhood` | South of Lake Ave, Far Rockaway/Bayswater, Pound Ridge East |
479
+ | `region` | Δυτική Μακεδονία, Δυτική Μακεδονία, Κρήτη |
480
+ | `secondary_address` | Suite 098, Apt. 774, Suite 633 |
481
+ | `street_address` | ["Οδός", "Πάροδος"] Ευκαρπίας, 735, ["Οδός", "Πάροδος"] Ανδρούτσου Οδυσσέα, 89, ["Οδός", "Πάροδος"] Αμαζόνων, 64 |
482
+ | `street_name` | Άνδρου, Ανατολικής Θράκης, Έβρου |
483
+ | `street_nbr` | 1, 7, 13 |
484
+ | `street_suffix` | Manors, Stream, Drive |
485
+ | `time_zone` | Europe/Warsaw, America/New_York, Europe/Stockholm |
467
486
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
468
487
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
469
488
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
470
489
  | `us_state` | ❗ *[us_state] is deprecated. For US addresses please use the AddressUS module* |
471
490
  | `us_state_abbr` | ❗ *[state_abbr] is deprecated. For US addresses please use the AddressUS module* |
472
- | `zip_code` | 58399, 32445, 43464 |
491
+ | `zip_code` | 67656, 71521, 38802 |
492
+
493
+ ## FFaker::AddressID
494
+
495
+ | Method | Example |
496
+ | ------ | ------- |
497
+ | `building_number` | 1954, 1190, 622 |
498
+ | `city` | Banda, Batu, Tasikmalaya |
499
+ | `city_prefix` | West, East, Lake |
500
+ | `city_suffix` | view, mouth, ville |
501
+ | `country` | Slovenia, Virgin Islands, British, Saudi Arabia |
502
+ | `country_code` | NI, JP, SL |
503
+ | `neighborhood` | Florissant West, phoenix, Far Rockaway/Bayswater |
504
+ | `secondary_address` | Suite 724, Apt. 835, Suite 566 |
505
+ | `state` | Sumatera Barat, Maluku Utara, Kalimantan Tengah |
506
+ | `state_abbr` | JB, SS, BA |
507
+ | `street` | Jl. Ahmad Dahlan, No. 14, Jln. Abdul Wahab Hasbullah, No. 30, Jln. Sutomo, No. 75 |
508
+ | `street_address` | 8190 Rohan Glen, 76603 Elton Radial, 8479 Roselyn Shoals |
509
+ | `street_name` | O'Kon Via, Sharri Rapids, Jacqui Meadow |
510
+ | `street_prefix` | Jl, Jl, Jl |
511
+ | `street_suffix` | Inlet, Lights, Path |
512
+ | `time_zone` | Asia/Tokyo, Asia/Novosibirsk, Australia/Adelaide |
513
+ | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
514
+ | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
515
+ | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
516
+ | `us_state` | ❗ *[us_state] is deprecated. For US addresses please use the AddressUS module* |
517
+ | `us_state_abbr` | ❗ *[state_abbr] is deprecated. For US addresses please use the AddressUS module* |
518
+ | `zip_code` | 99155, 46454, 38226 |
473
519
 
474
520
  ## FFaker::AddressIN
475
521
 
476
522
  | Method | Example |
477
523
  | ------ | ------- |
478
- | `building_number` | 8868, 662, 3878 |
479
- | `city` | Schummstad, Cherylside, Hansenville |
480
- | `city_prefix` | New, East, New |
481
- | `city_suffix` | bury, haven, chester |
524
+ | `building_number` | 64566, 32828, 85027 |
525
+ | `city` | Ornfurt, Iolamouth, Evelinton |
526
+ | `city_prefix` | Lake, East, Port |
527
+ | `city_suffix` | bury, berg, mouth |
482
528
  | `country` | India, India, India |
483
529
  | `country_code` | IN, IN, IN |
484
- | `neighborhood` | North East Irwindale, Schall Circle/Lakeside Green, phoenix |
485
- | `pincode` | 666182, 835057, 386555 |
486
- | `secondary_address` | Suite 259, Apt. 778, Suite 947 |
487
- | `state` | Kerala, Maharashtra, Madhya Pradesh |
488
- | `state_abbr` | AS, RJ, UK |
489
- | `state_and_union_territory` | Gujarat, Tripura, Goa |
490
- | `state_and_union_territory_abbr` | PY, JH, MN |
491
- | `street_address` | 45194 Crist Lakes, 4637 Joe Fork, 2610 Windler Knoll |
492
- | `street_name` | Veta Spur, McGlynn Row, Larkin Ranch |
493
- | `street_suffix` | Causeway, Skyway, Mount |
530
+ | `neighborhood` | Schall Circle/Lakeside Green, Schall Circle/Lakeside Green, Candlewood Country Club |
531
+ | `pincode` | 944212, 336312, 495009 |
532
+ | `secondary_address` | Apt. 559, Apt. 926, Suite 691 |
533
+ | `state` | Jharkhand, Karnataka, Karnataka |
534
+ | `state_abbr` | RJ, UK, SK |
535
+ | `state_and_union_territory` | Delhi, Himachal Pradesh, Telangana |
536
+ | `state_and_union_territory_abbr` | JK, AR, HR |
537
+ | `street_address` | 631 Laurel Hill, 4103 Windler Orchard, 01790 Ema Fork |
538
+ | `street_name` | Buckridge Circle, Margie Tunnel, Mueller Way |
539
+ | `street_suffix` | Squares, Lake, Grove |
494
540
  | `time_zone` | Asia/Kolkata, Asia/Kolkata, Asia/Kolkata |
495
541
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
496
542
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
497
543
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
498
- | `union_territory` | Daman and Diu, Lakshadweep, Pondicherry |
499
- | `union_territory_abbr` | DD, DD, LK |
544
+ | `union_territory` | Chandigarh, Pondicherry, Lakshadweep |
545
+ | `union_territory_abbr` | DL, PY, PY |
500
546
  | `us_state` | ❗ *[us_state] is deprecated. For US addresses please use the AddressUS module* |
501
547
  | `us_state_abbr` | ❗ *[state_abbr] is deprecated. For US addresses please use the AddressUS module* |
502
- | `zip_code` | 009928, 844785, 368696 |
548
+ | `zip_code` | 989446, 348566, 208035 |
503
549
 
504
550
  ## FFaker::AddressJA
505
551
 
506
552
  | Method | Example |
507
553
  | ------ | ------- |
508
- | `address` | 242-7131 東京都荒川区安曇野市282, 842-9567 広島県大津市鶴ヶ島市579, 622-8875 東京都東村山市吉野川市193 |
509
- | `other_address` | 132-7798 石川県佐世保市西都市6丁目8番7号, 758-7677 長崎県日進市岐阜市5丁目2番6号, 159-6837 東京都甘楽郡宇陀市2丁目8番6号 |
510
- | `designated_city_address` | 066-7675 沖縄県紀の川市南区善通寺市6丁目8番9号, 219-5096 宮城県桐生市湊区桐生市787, 672-0398 奈良県姫路市南区大府市797 |
511
- | `tokyo_ward_address` | 661-4009 東京都葛飾区古賀市008, 955-3205 東京都港区大牟田市081, 917-4209 東京都板橋区水戸市505 |
512
- | `postal_code` | 839-0750, 126-4278, 164-2480 |
513
- | `land_number` | 287, 3丁目7番1号, 0丁目0番5号 |
514
- | `street` | 小諸市, 防府市, あま市 |
515
- | `tokyo_ward` | 板橋区, 世田谷区, 北区 |
516
- | `ward` | 若林区, 港区, 城東区 |
517
- | `village` | 留寿都村, 田野畑村, 宮田村 |
518
- | `designated_city` | 上野原市, 岩見沢市, 八幡平市 |
519
- | `city` | 奄美市, 我孫子市, 男鹿市 |
520
- | `county` | 上北郡, 北安曇郡, 東臼杵郡 |
521
- | `prefecture` | 石川県, 和歌山県, 滋賀県 |
554
+ | `address` | 927-0134 香川県羽村市田辺市389, 189-2012 東京都墨田区久留米市0丁目3番7号, 723-0645 奈良県氷見市中京区生駒市094 |
555
+ | `building_number` | 303, 9844, 67901 |
556
+ | `city` | 東かがわ市, にかほ市, 秦野市 |
557
+ | `city_prefix` | West, North, New |
558
+ | `city_suffix` | view, fort, bury |
559
+ | `country` | French Polynesia, Liechtenstein, Ghana |
560
+ | `country_code` | RO, LB, BV |
561
+ | `county` | 耶麻郡, 木曽郡, 国頭郡 |
562
+ | `designated_city` | 美馬市, 柏市, 善通寺市 |
563
+ | `designated_city_address` | 858-3769 栃木県城陽市南区甲斐市0丁目6番4号, 520-3704 宮崎県伊達市湊区伊達市011, 493-6510 茨城県阿蘇市山科区知多市2丁目0番4号 |
564
+ | `land_number` | 457, 504, 947 |
565
+ | `neighborhood` | Jamaica Estates/Holliswood, Far Rockaway/Bayswater, Summerlin North |
566
+ | `other_address` | 449-5668 宮崎県庄原市三笠市6丁目0番0号, 394-6193 福島県旭市湖南市3丁目7番9号, 372-7311 三重県大網白里市秦野市032 |
567
+ | `postal_code` | 921-1084, 035-9470, 969-2922 |
568
+ | `prefecture` | 滋賀県, 岩手県, 埼玉県 |
569
+ | `secondary_address` | Apt. 601, Suite 889, Suite 992 |
570
+ | `street` | 伊万里市, 魚津市, うきは市 |
571
+ | `street_address` | 66264 Hackett Village, 38745 Annetta Ridges, 8942 Jones Pine |
572
+ | `street_name` | Ladawn Parkway, Vonda Fall, Quigley Path |
573
+ | `street_suffix` | Mount, Rue, Mills |
574
+ | `time_zone` | Asia/Almaty, Europe/Helsinki, Pacific/Auckland |
575
+ | `tokyo_ward` | 杉並区, 葛飾区, 杉並区 |
576
+ | `tokyo_ward_address` | 750-5158 東京都文京区清瀬市9丁目3番8号, 688-9225 東京都江戸川区沼津市3丁目9番7号, 437-8989 東京都杉並区朝来市9丁目2番9号 |
577
+ | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
578
+ | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
579
+ | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
580
+ | `us_state` | ❗ *[us_state] is deprecated. For US addresses please use the AddressUS module* |
581
+ | `us_state_abbr` | ❗ *[state_abbr] is deprecated. For US addresses please use the AddressUS module* |
582
+ | `village` | 南牧村, 渡嘉敷村, 片品村 |
583
+ | `ward` | 長田区, 旭区, 東灘区 |
584
+ | `zip_code` | ❗ *[zip_code] is deprecated. For US addresses please use the AddressUS module* |
522
585
 
523
586
  ## FFaker::AddressKR
524
587
 
525
588
  | Method | Example |
526
589
  | ------ | ------- |
527
- | `address_detail` | 태호타워, 두헌빌라 063호, 신욱타운 763호 |
528
- | `borough` | 용산구, 강북구, 영등포구 |
529
- | `building_name` | 완우마을, 양호타운, 순필아파트 |
530
- | `city` | 고양시 덕양구, 의왕시, 양주시 |
531
- | `land_address` | 강원도 재환마을 010-18, 서울특별시 북구 진명동 015, 세종특별자치시 동구 남경리 907 |
532
- | `land_number` | 702-36, 5895, 491 |
533
- | `metropolitan_city` | 세종특별자치시, 울산광역시, 부산광역시 |
534
- | `old_postal_code` | 065-757, 773-535, 419-702 |
535
- | `postal_code` | 72321, 06342, 56909 |
536
- | `province` | 경상남도, 전라북도, 충청북도 |
537
- | `road_addess` | 강원도 노원구 상욱마을 (이창동), 세종특별자치시 중구 목찬아파트 (신홍동), 강원도 강북구 규빈빌라 |
538
- | `street` | 태혁마을, 순신타워, 순욱빌라 |
539
- | `town` | 제준리, 지섭마을, 보준마을 |
590
+ | `address_detail` | 수열빌라 205호, 지혁마을 다 242호, 재일연립 |
591
+ | `borough` | 관악구, 서대문구, 종로구 |
592
+ | `building_name` | 윤중마을, 진호빌라, 병철빌라 |
593
+ | `city` | 고양시 일산동구, 과천시, 이천시 |
594
+ | `land_address` | 대구광역시 성동구 천혁리 4980-6, 대구광역시 은평구 남훈리 0544, 대전광역시 관악구 인혁동 1623 |
595
+ | `land_number` | 9884, 4198-2, 585-57 |
596
+ | `metropolitan_city` | 대전광역시, 부산광역시, 울산광역시 |
597
+ | `old_postal_code` | 186-655, 395-666, 694-338 |
598
+ | `postal_code` | 08822, 82044, 67827 |
599
+ | `province` | 충청남도, 충청남도, 충청북도 |
600
+ | `road_addess` | 울산광역시 강남구 지유8로 (유철마을), 경기도 제웅동 상윤로 (차연동), 전라북도 장연리 기룡4가 (시훈동) |
601
+ | `street` | 정섭5가, 우종로, 도현거리 |
602
+ | `town` | 운원동, 지윤동, 가경마을 |
540
603
 
541
604
  ## FFaker::AddressMX
542
605
 
543
606
  | Method | Example |
544
607
  | ------ | ------- |
545
- | `municipality` | Coyoacán, Guadalupe Victoria, San Pedro Totolápam |
546
- | `postal_code` | 54483, 96628, 86487 |
547
- | `state` | Durango, Colima, Michoacán |
548
- | `state_abbr` | HGO, MEX, QR |
549
- | `zip_code` | 39953, 51445, 46592 |
608
+ | `municipality` | Jonuta, Tenabo, Romita |
609
+ | `postal_code` | 36893, 09570, 49247 |
610
+ | `state` | Hidalgo, Durango, Sinaloa |
611
+ | `state_abbr` | MEX, CHIH, BC |
612
+ | `zip_code` | 64569, 05961, 32149 |
550
613
 
551
614
  ## FFaker::AddressNL
552
615
 
553
616
  | Method | Example |
554
617
  | ------ | ------- |
555
- | `building_number` | 805, 373, 506 |
556
- | `city` | Boskant, Groede, Emmen |
557
- | `city_prefix` | Lake, South, East |
558
- | `city_suffix` | view, land, bury |
559
- | `country` | Albania, Bouvet Island, Equatorial Guinea |
560
- | `country_code` | UY, SB, CL |
561
- | `neighborhood` | Central Chandler, Candlewood Country Club, Kingsbridge Heights |
562
- | `postal_code` | 9589 ej, 2465 un, 4260 ja |
563
- | `province` | Noord-Brabant, Friesland, Gelderland |
564
- | `secondary_address` | Apt. 782, Apt. 291, Apt. 444 |
565
- | `street_address` | 737 Loidastraat, 63462 Erdmanstraat, 45628 Labadiestraat |
566
- | `street_name` | Corkerystraat, Caspersteeg, Ladystraat |
567
- | `street_suffix` | Cove, Extensions, Flat |
568
- | `time_zone` | Africa/Monrovia, Asia/Krasnoyarsk, Europe/Moscow |
618
+ | `building_number` | 7872, 0673, 553 |
619
+ | `city` | Eext, Grijzegrubben, Schinveld |
620
+ | `city_prefix` | Lake, West, Lake |
621
+ | `city_suffix` | fort, side, borough |
622
+ | `country` | Denmark, Kenya, Iceland |
623
+ | `country_code` | MP, VE, GF |
624
+ | `neighborhood` | Sea Ranch Lakes, South of Lake Ave, Mount Kisco West |
625
+ | `postal_code` | 7144 ev, 2570 fw, 8936 yk |
626
+ | `province` | Zuid-Holland, Utrecht, Drenthe |
627
+ | `secondary_address` | Apt. 094, Apt. 274, Apt. 249 |
628
+ | `street_address` | 641 Neomastraat, 7569 Abbottstraat, 24478 Rempelpad |
629
+ | `street_name` | Gaylordstraat, Floriastraat, Isisstraat |
630
+ | `street_suffix` | Mountain, Key, Mall |
631
+ | `time_zone` | Australia/Sydney, Asia/Yakutsk, America/Chicago |
569
632
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
570
633
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
571
634
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
572
635
  | `us_state` | ❗ *[us_state] is deprecated. For US addresses please use the AddressUS module* |
573
636
  | `us_state_abbr` | ❗ *[state_abbr] is deprecated. For US addresses please use the AddressUS module* |
574
- | `zip_code` | 5248 zk, 9591 tw, 2743 va |
637
+ | `zip_code` | 7843 ec, 5533 qp, 4097 pn |
638
+
639
+ ## FFaker::AddressPL
640
+
641
+ | Method | Example |
642
+ | ------ | ------- |
643
+ | `building_number` | 180, 79, 40 |
644
+ | `city` | Kolno, Lubsko, Wąbrzeźno |
645
+ | `full_address` | al. Dębogórska 8 41-234 Oświęcim, bulwar Wszystkich Świętych 76 57-127 Zielona Góra, al. Graniczna 176 58-026 Drohiczyn |
646
+ | `postal_code` | 72-251, 51-005, 30-421 |
647
+ | `province` | lubuskie, kujawsko-pomorskie, wielkopolskie |
648
+ | `secondary_number` | m. 56, /64, m. 55 |
649
+ | `square` | bulwar Jacka Kuronia, zaułek Srebrny, pasaż Honorowych Dawców Krwi |
650
+ | `square_prefix` | plac, skwer, plac |
651
+ | `state` | kujawsko-pomorskie, opolskie, warmińsko-mazurskie |
652
+ | `street` | al. Ruska, al. Bracka, al. Żwirowa |
653
+ | `street_address` | zaułek Solny 178, pasaż Czochralskiego 83, skwer gen. Pilota Stanisława Skalskiego 152 |
654
+ | `street_name` | skwer Franklina D. Roosevelta, plac Opatrzności Bożej, plac Browarowy |
655
+ | `street_prefix` | al., al., ul. |
656
+ | `voivodeship` | małopolskie, podkarpackie, śląskie |
657
+ | `voivodeship_abbr` | LU, PD, PK |
658
+ | `voivodeship_capital_city` | Wrocław, Gorzów Wielkopolski, Opole |
659
+ | `zip_code` | 84-278, 89-022, 00-413 |
575
660
 
576
661
  ## FFaker::AddressRU
577
662
 
578
663
  | Method | Example |
579
664
  | ------ | ------- |
580
- | `building_number` | 93732, 796, 8118 |
581
- | `city` | Тюмень, Ставрополь, Астрахань |
582
- | `city_prefix` | South, Lake, West |
583
- | `city_suffix` | ton, town, town |
584
- | `country` | United Kingdom, Saint Kitts and Nevis, Brunei Darussalam |
585
- | `country_code` | IL, UG, SI |
586
- | `neighborhood` | phoenix, Northwest Midlothian/Midlothian Country Club, Ocean Parkway South |
587
- | `province` | Амурская область, Санкт-Петербург, Пермский край |
588
- | `secondary_address` | Apt. 930, Suite 546, Suite 701 |
589
- | `street_address` | ул. Советская, д. 7, ул. Юбилейная, д. 647, ул. Заводская, д. 793 |
590
- | `street_name` | ул. Садовая, ул. Совхозная, ул. Горького |
591
- | `street_number` | 0, 91, 451 |
592
- | `street_suffix` | Meadows, Ville, Crest |
593
- | `time_zone` | Asia/Kuwait, Africa/Casablanca, America/Guyana |
665
+ | `building_number` | 907, 15016, 173 |
666
+ | `city` | Череповец, Курган, Сочи |
667
+ | `city_prefix` | North, New, Port |
668
+ | `city_suffix` | side, berg, haven |
669
+ | `country` | Wallis and Futuna, Singapore, Niger |
670
+ | `country_code` | MX, CF, SG |
671
+ | `neighborhood` | East of Telegraph Road, Pennypack, Auburn North |
672
+ | `province` | Курганская область, Ленинградская область, Северная Осетия - Алания |
673
+ | `secondary_address` | Apt. 667, Suite 968, Suite 733 |
674
+ | `street_address` | ул. Чапаева, д. 205, ул. Молодежная, д. 7, ул. Центральная, д. 9 |
675
+ | `street_name` | ул. Строителей, ул. Зеленая, ул. Новая |
676
+ | `street_number` | 6, 83, 7 |
677
+ | `street_suffix` | Well, Pass, Rapid |
678
+ | `time_zone` | America/Tijuana, Asia/Muscat, Europe/Helsinki |
594
679
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
595
680
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
596
681
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
597
682
  | `us_state` | ❗ *[us_state] is deprecated. For US addresses please use the AddressUS module* |
598
683
  | `us_state_abbr` | ❗ *[state_abbr] is deprecated. For US addresses please use the AddressUS module* |
599
- | `zip_code` | 418215, 988383, 875577 |
684
+ | `zip_code` | 315864, 028934, 405379 |
600
685
 
601
686
  ## FFaker::AddressSE
602
687
 
603
688
  | Method | Example |
604
689
  | ------ | ------- |
605
- | `building_number` | 5875, 524, 67844 |
606
- | `city` | Lidingö, Falsterbo, Mönsterås |
607
- | `city_prefix` | Port, South, Port |
608
- | `city_suffix` | ton, mouth, fort |
609
- | `country` | Kiribati, South Africa, Saint Lucia |
610
- | `country_code` | MQ, JE, MY |
611
- | `full_address` | Lötmogatan 5b, 22 977 Kristinehamn, SVERIGE, Sjättenovembervägen 9, 94 512 Tranås, SVERIGE, Körsbärsvägen 2a, 37 917 Djursholm, SVERIGE |
612
- | `neighborhood` | Renton West, Bushwick South, Cleveland Park |
613
- | `random_country` | Senegal, Falklandsöarna, Irland |
614
- | `secondary_address` | Suite 486, Suite 176, Apt. 375 |
615
- | `street_address` | Lästringevägen 424, Kransbindarvägen 8b, Osmundsvägen 6 |
616
- | `street_name` | Fyrskeppsvägen, Vårgårdavägen, Målvägen |
617
- | `street_nbr` | 052, 7, 464 |
618
- | `street_suffix` | Alley, Cliff, Greens |
619
- | `time_zone` | America/Indiana/Indianapolis, Australia/Adelaide, Africa/Monrovia |
690
+ | `building_number` | 32195, 62714, 705 |
691
+ | `city` | Kalmar, Arvika, Lödöse |
692
+ | `city_prefix` | North, West, North |
693
+ | `city_suffix` | bury, chester, land |
694
+ | `country` | Cayman Islands, Wallis and Futuna, Montenegro |
695
+ | `country_code` | LS, JO, NI |
696
+ | `full_address` | Tallkrogsvägen 1, 46567 Kungälv, SVERIGE, Trågvägen 5a, 03 039 Falkenberg, SVERIGE, Drivhjulsvägen 8a, 77 935 Växjö, SVERIGE |
697
+ | `neighborhood` | Pennypack, River Heights, Northwest Midlothian/Midlothian Country Club |
698
+ | `random_country` | Marshallöarna, Åland, Samoa |
699
+ | `secondary_address` | Suite 811, Suite 907, Suite 069 |
700
+ | `street_address` | Tanneforsvägen 2, Råbyvägen 0a, Bjursätragatan 0a |
701
+ | `street_name` | Bifrostvägen, Banvägen, Hjalmar Danells Väg |
702
+ | `street_nbr` | 6, 8, 30 |
703
+ | `street_suffix` | Mall, Walks, Union |
704
+ | `time_zone` | America/Argentina/Buenos_Aires, America/Los_Angeles, Europe/Paris |
620
705
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
621
706
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
622
707
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
623
708
  | `us_state` | ❗ *[us_state] is deprecated. For US addresses please use the AddressUS module* |
624
709
  | `us_state_abbr` | ❗ *[state_abbr] is deprecated. For US addresses please use the AddressUS module* |
625
- | `zip_code` | 41 683, 25 280, 42 823 |
710
+ | `zip_code` | 18392, 51867, 87051 |
626
711
 
627
712
  ## FFaker::AddressSN
628
713
 
629
714
  | Method | Example |
630
715
  | ------ | ------- |
631
- | `arrondissement` | Thiès Ouest, Ouakam, Diamaguène |
632
- | `building_number` | 00832, 556, 51975 |
633
- | `city` | Lake Trang, North Shannonport, East Giselaburgh |
634
- | `city_prefix` | Port, East, South |
635
- | `city_suffix` | furt, furt, side |
636
- | `country` | Belize, Albania, Wallis and Futuna |
637
- | `country_code` | NE, SO, ZM |
638
- | `departement` | Louga, Ranerou, Linguere |
639
- | `neighborhood` | West Covina East, Florissant West, Mott Haven/Port Morris |
640
- | `region` | diourbel, kolda, kolda |
641
- | `secondary_address` | Apt. 388, Apt. 567, Apt. 767 |
642
- | `street_address` | 2527 Sherrell Forge, 9715 Kozey Pine, 1868 Lura Vista |
643
- | `street_name` | Milan Streets, Howe Lane, D'Amore Parkways |
644
- | `street_suffix` | Passage, Lock, Shoals |
645
- | `time_zone` | America/St_Johns, Asia/Singapore, America/Chihuahua |
716
+ | `arrondissement` | Fann-Point E-Amitié, Tivaouane Diacksao, Thiès Nord |
717
+ | `building_number` | 1049, 029, 8161 |
718
+ | `city` | South Dollie, South Carmelo, Boscochester |
719
+ | `city_prefix` | West, East, Lake |
720
+ | `city_suffix` | mouth, side, side |
721
+ | `country` | Christmas Island, United States Minor Outlying Islands, New Zealand |
722
+ | `country_code` | DK, GR, AO |
723
+ | `departement` | Salemata, guediawaye, Guinguineo |
724
+ | `neighborhood` | Candlewood Country Club, Florissant West, Far Rockaway/Bayswater |
725
+ | `region` | thies, saint louis, louga |
726
+ | `secondary_address` | Suite 364, Suite 699, Apt. 851 |
727
+ | `street_address` | 17856 David Ford, 405 Marion Port, 1551 Evelina Valley |
728
+ | `street_name` | Ami Lock, Miyoko Drives, Altenwerth Crescent |
729
+ | `street_suffix` | Manor, Passage, Flats |
730
+ | `time_zone` | Europe/Bucharest, America/Chicago, Asia/Shanghai |
646
731
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
647
732
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
648
733
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
@@ -654,33 +739,33 @@
654
739
 
655
740
  | Method | Example |
656
741
  | ------ | ------- |
657
- | `appartment_number` | 27, 68, 1 |
658
- | `building_number` | 40, 1, 232 |
659
- | `city` | Черкаси, Бердянськ, Бердянськ |
660
- | `country` | Єгипет, Естонія, Гаїті |
661
- | `province` | Херсонська область, Київська область, Донецька область |
662
- | `street_address` | вул. Брюховичів, 677, вул. Коліївщини, 2, вул. Брюховичів, 84 |
663
- | `street_name` | вул. Староміська, вул. Брюховичів, вул. Городоцька |
664
- | `zip_code` | 92019, 74640, 78951 |
742
+ | `appartment_number` | 104, 88, 5 |
743
+ | `building_number` | 8, 28, 65 |
744
+ | `city` | Львів, Бердянськ, Макіївка |
745
+ | `country` | Гаїті, Нігерія, Сінгапур |
746
+ | `province` | Одеська область, Севастополь, Київська область |
747
+ | `street_address` | вул. Рудного, 85, вул. Зелена, 9, вул. Коліївщини, 40 |
748
+ | `street_name` | вул. Стрийська, вул. Рудного, вул. Коліївщини |
749
+ | `zip_code` | 97389, 14098, 88916 |
665
750
 
666
751
  ## FFaker::AddressUK
667
752
 
668
753
  | Method | Example |
669
754
  | ------ | ------- |
670
- | `building_number` | 79627, 3188, 86308 |
671
- | `city` | Port Shawnna, Lake Kerstin, Port Lucrecia |
672
- | `city_prefix` | West, South, Port |
673
- | `city_suffix` | burgh, stad, shire |
674
- | `country` | Wales, Northern Ireland, Scotland |
675
- | `country_code` | JE, KR, ST |
676
- | `county` | Hertfordshire, County Londonderry, West Glamorgan |
677
- | `neighborhood` | Murray Hill, Pound Ridge East, Central Chandler |
678
- | `postcode` | BL91 1TH, ZT97 8SN, VE6 9QW |
679
- | `secondary_address` | Suite 143, Suite 801, Apt. 095 |
680
- | `street_address` | 5949 Swift Motorway, 25270 Little Square, 189 Ruecker Spur |
681
- | `street_name` | Florance Trafficway, Wiza Squares, Rippin Point |
682
- | `street_suffix` | Way, Station, Extension |
683
- | `time_zone` | Asia/Shanghai, Asia/Bangkok, Pacific/Midway |
755
+ | `building_number` | 72778, 23277, 189 |
756
+ | `city` | West Aimee, Lake Burtville, O'Connershire |
757
+ | `city_prefix` | South, East, North |
758
+ | `city_suffix` | berg, borough, fort |
759
+ | `country` | Northern Ireland, Scotland, England |
760
+ | `country_code` | SH, ST, BR |
761
+ | `county` | Humberside, West Midlands, County Armagh |
762
+ | `neighborhood` | Olmsted Falls Central, Auburn North, Pennypack |
763
+ | `postcode` | HW99 4NB, IJ23 3CE, UK72 5RH |
764
+ | `secondary_address` | Apt. 093, Apt. 550, Suite 346 |
765
+ | `street_address` | 733 Cummings Square, 52970 Amos Parkways, 262 Weissnat Divide |
766
+ | `street_name` | Spinka Canyon, Aaron Underpass, Karren Overpass |
767
+ | `street_suffix` | Grove, Knoll, Pass |
768
+ | `time_zone` | Pacific/Majuro, Asia/Colombo, Europe/Sarajevo |
684
769
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
685
770
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
686
771
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
@@ -692,160 +777,152 @@
692
777
 
693
778
  | Method | Example |
694
779
  | ------ | ------- |
695
- | `building_number` | 75458, 4089, 5735 |
696
- | `city` | Mertzfort, Sorayafurt, Lehnerfurt |
697
- | `city_prefix` | South, New, North |
698
- | `city_suffix` | ton, ton, side |
699
- | `continental_state` | Pennsylvania, Texas, Missouri |
700
- | `continental_state_abbr` | NJ, NJ, AL |
701
- | `country` | Lao People's Democratic Republic, Saint Barthélemy, Bahamas |
702
- | `country_code` | LA, AI, ID |
703
- | `neighborhood` | Dyker Heights, Renton West, Ladue South |
704
- | `secondary_address` | Apt. 957, Suite 080, Apt. 678 |
705
- | `state` | New York, Massachusetts, New York |
706
- | `state_abbr` | UT, UT, NM |
707
- | `state_and_territories_abbr` | MP, SD, FL |
708
- | `street_address` | 371 Nakisha Ville, 34962 Gorczany Motorway, 0343 Benito Crescent |
709
- | `street_name` | Tammi Points, Hobert Lane, Monahan Freeway |
710
- | `street_suffix` | Via, Mountains, Brooks |
711
- | `time_zone` | Asia/Kamchatka, Europe/Copenhagen, Asia/Yerevan |
780
+ | `building_number` | 0833, 5319, 896 |
781
+ | `city` | South Seth, Yanland, Deannton |
782
+ | `city_prefix` | West, West, East |
783
+ | `city_suffix` | stad, mouth, bury |
784
+ | `continental_state` | Texas, Oklahoma, Nebraska |
785
+ | `continental_state_abbr` | WY, ID, GA |
786
+ | `country` | Uganda, United Arab Emirates, Chile |
787
+ | `country_code` | JE, GD, CV |
788
+ | `neighborhood` | Rockville East of Hungerford Dr, Kingsbridge Heights, Jamaica Estates/Holliswood |
789
+ | `secondary_address` | Suite 027, Suite 021, Suite 754 |
790
+ | `state` | New Jersey, California, Utah |
791
+ | `state_abbr` | MT, WA, FL |
792
+ | `state_and_territories_abbr` | FM, PA, CT |
793
+ | `street_address` | 3302 Britni Ramp, 45193 Harvey Hill, 22935 Balistreri Highway |
794
+ | `street_name` | Effertz Roads, Pat Alley, Borer Orchard |
795
+ | `street_suffix` | Unions, Groves, Curve |
796
+ | `time_zone` | Africa/Algiers, Europe/Paris, Asia/Yakutsk |
712
797
  | `uk_country` | ❗ *[uk_country] is deprecated. For UK addresses please use the AddressUK module* |
713
798
  | `uk_county` | ❗ *[uk_county] is deprecated. For UK addresses please use the AddressUK module* |
714
799
  | `uk_postcode` | ❗ *[uk_postcode] is deprecated. For UK addresses please use the AddressUK module* |
715
800
  | `us_state` | ❗ *[us_state] is deprecated. For US addresses please use the AddressUS module* |
716
801
  | `us_state_abbr` | ❗ *[state_abbr] is deprecated. For US addresses please use the AddressUS module* |
717
- | `zip_code` | 32534, 49743-6417, 61814 |
802
+ | `zip_code` | 84923-1419, 89027, 47757 |
718
803
 
719
804
  ## FFaker::Airline
720
805
 
721
806
  | Method | Example |
722
807
  | ------ | ------- |
723
- | `flight_number` | CTM 1556, A5 3832, KL 1841 |
724
- | `name` | Tulpar Air, Aero-jet Swissjet, Germanwings |
808
+ | `flight_number` | NJE 3590, TS 1512, 3L 3877 |
809
+ | `name` | Air Malta, Carpatair, Denim Air |
725
810
 
726
- ## FFaker::Avatar
811
+ ## FFaker::Animal
727
812
 
728
813
  | Method | Example |
729
814
  | ------ | ------- |
730
- | `image` | https://robohash.org/doloremqueestmodi.png?size=300x300, https://robohash.org/culpafaceredignissimos.png?size=300x300, https://robohash.org/excepturiassumendaeos.png?size=300x300 |
815
+ | `common_name` | Swan, Emu, Mammoth |
731
816
 
732
- ## FFaker::Lorem
817
+ ## FFaker::Avatar
733
818
 
734
819
  | Method | Example |
735
820
  | ------ | ------- |
736
- | `characters` | o57k41roea9xa63tk2az8c7v1tiubmq9nj60u41034j76mfeqby81xd2p7lfsjasv2bewpm8e2rsep9du579jvrqwmacibx76zmm6ig4cdqxuytk29jg24nvq9kex9xc6v80qb3lxoj9fh3qwgygxopdqlq82kwd61zix3t8ds52q6rykwxwfyjhwhxtec2ezvpohkucylcrt4e9r446hsmcczli1qd3rujs5v8h2cmpaqhww9ypbf42vj5bqhi, ytqoimu8pyqsj11jevso2v4egl4a3houoi87yd2vt0qtkdh3cosoafc19ei2dfrbryue1uzm7uvex0spsppmcsyd24ctq0gik9s6x873ohx1wjfy73b8d8nu7mcmcjfutzl1ezajp75ij2erlzabwfdd8ls3kal1s4hfxw9xk94zpmziqmdcimacjvc5e4tcunw9jrc4m8zkfqbb7mpk1frgcp26embcc2bsdb3olbbj4n661ftq5s2neeoidit, u3tf9bwer515z960hlbqw3daifhq1pqzm0itbzcftbf0f751vlrtbf9jfia2aze1uduo38e73kfnnsbvani66kgt1uq52q4yboz1raa9932if3rnd7wkx6oo5okif576n82ymuqlpvf1vr6id311r2ralfktfe2dty3vt97wsgclnphc7qod1pa2wtxw7usxu2p3det31w4t8i7y2cfuoyejhduwjf6en9534n5whjzwui9e5lzof6kcllh86e9 |
737
- | `paragraph` | Eius velit aut facilis laudantium consectetur. Quo a qui ratione distinctio. Voluptatibus perspiciatis incidunt ullam enim tempora., Iste ut totam et hic. Tempora in consequuntur nulla quibusdam consequatur et ea illo. Nobis a sequi sed laboriosam dolorem suscipit incidunt ratione., Tempora dolore necessitatibus dicta sint veniam a molestiae rerum. Quas officia odit ut unde hic ad. Suscipit corporis dignissimos dolorem accusamus placeat optio atque explicabo. |
738
- | `paragraphs` | Distinctio minus ut et facere officiis dolorum beatae ullam. Dignissimos at sequi corporis modi blanditiis rerum. Natus qui saepe aut doloribus animi rerum velit voluptas., Vero alias et saepe sed non eum. A dignissimos et aliquam omnis autem laboriosam. Tempora aliquam nam iste eaque ipsa. Non modi soluta sit rerum ea eos id., Alias sit qui labore explicabo sint quas. Dolor ullam rerum est perspiciatis. Nostrum aut occaecati suscipit quisquam optio ut iure pariatur. Asperiores natus voluptas quas qui nemo dicta et est., Quia aspernatur qui nihil autem. Necessitatibus quam suscipit occaecati adipisci officia iure magnam veniam. Dolorem ex odit fugiat est in sint quis est. Rerum eveniet quae voluptates eos mollitia repudiandae. Voluptatem voluptatum facilis dolore atque et., Vero aut pariatur qui et. Aliquid officia magni dolor laboriosam praesentium vel deserunt. Ratione quos officiis qui quasi. Quisquam labore rerum doloremque quo at., Quo sit unde autem aut nihil praesentium. Voluptas expedita omnis aliquam consectetur quod dolor. Delectus in ut repudiandae blanditiis ratione nobis ut voluptas., Omnis neque rerum sapiente quibusdam beatae. Dolor occaecati vero dolores alias. Sint dolorem eius esse est. Facere saepe qui magnam perspiciatis quaerat ut omnis., Explicabo impedit deleniti officia aliquid quam sunt. Earum commodi repudiandae culpa tenetur. Qui veniam sunt quae et iusto incidunt. Est non consequatur corporis voluptas., Tenetur aut velit non vitae pariatur explicabo. Ipsam omnis et aut error illo velit harum. Quia voluptas voluptatem ab veniam minus et. Perspiciatis aut voluptas at voluptas. Soluta possimus placeat atque eaque voluptatem non. |
739
- | `phrase` | Consequatur tempore inventore delectus animi excepturi., Qui quasi molestiae ut voluptatem in quis dolores., Sapiente et eum eius rem. |
740
- | `phrases` | Ut magni quas quod dolore esse molestiae non., Et fugiat accusamus quibusdam eos., Nobis quo harum sed eligendi dolor., Repellat harum rerum qui accusamus., A quis dolores consequatur architecto., Ad blanditiis iure eos autem asperiores ex aut., Quis illum qui odit ea., Facere quaerat quod repudiandae eveniet a mollitia., Enim tenetur vel corporis eum veniam quisquam et. |
741
- | `sentence` | Amet laboriosam doloremque reprehenderit reiciendis., Ea accusantium corporis blanditiis hic cumque illum., Tempora natus odit accusantium qui expedita facilis. |
742
- | `sentences` | Voluptatem aliquam ut perferendis omnis ut dicta at officiis., Cupiditate ut ut quidem qui enim officia quo dolorum., Voluptates et illo incidunt sit maiores eos doloremque., Iure qui omnis nostrum omnis., Distinctio nemo ut iure saepe totam aut., Accusamus magnam aut quos doloremque commodi et., Sunt architecto praesentium aliquam nesciunt., Officia autem accusamus commodi non laborum autem., Ut nihil totam ullam laboriosam nam est. |
743
- | `word` | cum, quia, aut |
744
- | `words` | nostrum, suscipit, tenetur, dolorem, repellat, commodi, repellendus, dolor, debitis |
821
+ | `image` | https://robohash.org/aututquod.png?size=300x300, https://robohash.org/omnisperspiciatisdoloribus.png?size=300x300, https://robohash.org/istequiafuga.png?size=300x300 |
745
822
 
746
823
  ## FFaker::BaconIpsum
747
824
 
748
-
749
825
  | Method | Example |
750
826
  | ------ | ------- |
751
- | `characters` | hsafcripg4khfj5fl8fus248gxj83r5xjm70qmvs2tmd0aklnb44d25tygl8dnhqn6fie8ae6ftbvooc0qtd0bdbb67jk8oqo2ier4jms9q7x6ar4t3puj5hxjspuusdegosreqftuqm2tj6mx6bwba1fqgwhkblg2ykda5exex91pchigqz3rhdb3mkkjusrxtkuw3jhx5zgvxwyxievsu2sdsfy714orpr39ewvxrwra0dabq736m7g2fy9mb, bkk6tmi1oesfa2w2nbn4gtwxxc6gt8bvj49xcfe57405ox5gclo1n87205cecticy0ydl43gff88roq35ynr88ir3xmnq03lk7cpe7fyikyv27hb30u7fohiomye99k3rfthmavohb0m2xn0mo2yg9c09ykxrs1k8tps8tp0s3syqfx8bohcxnrqx7kqeyvgjnj0gyrfur8bhk9gpqxazjj6nefmm4pmvdwkgy6uw0aba9n9522dkbpxt18i3ov, x5l2drfwfvo40ychjn5kd887x5zng6o4tpl49q9fy3gshj3i9ko3c2s6s5lbxz2z4mnoi388pzg27u29qdgeakmjrdduk4ouo7clzzszwq3r7bqbvs0b9dlq4du2sqrjol45m23dk4bbg20t345dt3cxeexc43xz8woifdccdk3nb1vdnnbueg4hzx4ffncto7026ediidrqplgcuwx1pmwqz43jkevuyvxeuxi76gtdpf1dywg7qg5lq59cazo |
752
- | `paragraph` | Chicken tri-tip flank kielbasa shoulder pork chop swine. Corned beef bacon flank kielbasa pork chop pancetta spare ribs bresaola. Venison doner porchetta ham hock pork loin ribeye tenderloin pig. Leberkas porchetta pig pork belly ham hock drumstick spare ribs tenderloin. Shankle Kevin short ribs sausage pastrami hamburger ball tip tri-tip., Strip steak pork beef turkey Kevin pancetta shankle. Jowl pork loin strip steak meatball brisket beef ribs bacon beef. T-bone Kevin andouille porchetta hamburger bacon., Meatball ham hock bacon hamburger rump pig leberkas ribeye pork. Hamburger tongue pork loin sirloin sausage ball tip beef ribs meatloaf filet mignon. Chicken tongue beef ribs venison doner. Pig rump biltong boudin capicola ground round. |
753
- | `paragraphs` | Hamburger pork belly meatloaf filet mignon turkey ham hock. Venison jerky pig drumstick rump. Drumstick strip steak fatback beef ribs turkey leberkas., Hamburger chuck tongue jowl doner. Flank sausage pork andouille bresaola salami brisket. Strip steak cow hamburger shoulder capicola. Doner beef spare ribs chuck Kevin. Doner short ribs salami sirloin tongue., Andouille porchetta short ribs pig turducken doner sausage spare ribs pork belly. Cow ham shankle landjaeger sausage jerky pig spare ribs. Venison capicola sausage bacon shank tail pork. Filet mignon pork belly short ribs tail ham drumstick., Meatloaf doner beef capicola porchetta swine. Porchetta ribeye salami hamburger brisket drumstick tri-tip ball tip venison. Tongue swine meatloaf Kevin pork. Shankle swine prosciutto venison shank strip steak. Ham swine ham hock tri-tip pancetta porchetta., Short ribs pancetta Kevin biltong brisket venison capicola cow. Meatball andouille frankfurter tri-tip rump hamburger jowl. Cow pork loin brisket rump hamburger. Turducken pig meatloaf beef ribs corned beef., Pork belly tongue strip steak leberkas pancetta. Spare ribs flank tenderloin bacon shankle pig cow turkey sausage. Brisket meatball landjaeger doner turkey. Short loin meatloaf beef sausage tail venison. Pig biltong cow drumstick Kevin., Pork loin drumstick short ribs beef ribs swine shank turkey hamburger. Fatback chuck salami pork loin meatball shoulder. Venison pancetta ham porchetta filet mignon prosciutto ball tip jerky salami. Drumstick salami turducken t-bone meatball., Prosciutto venison pork loin fatback Kevin jowl swine. Brisket capicola shoulder short ribs Kevin sausage biltong beef. Jowl hamburger t-bone corned beef beef ribs chuck jerky capicola., Brisket turducken ball tip bresaola prosciutto shoulder ground round. Pancetta ball tip drumstick shank ham andouille. Capicola turkey leberkas flank landjaeger shank swine jowl. Pork chicken flank beef strip steak boudin bresaola venison shank. |
754
- | `phrase` | Pancetta salami meatball turkey beef pork chop fatback bacon strip steak., Tri-tip frankfurter ground round short loin hamburger capicola cow venison., Ham hock chicken Kevin turducken pancetta strip steak. |
755
- | `phrases` | Ham hock rump sausage kielbasa pancetta ground round leberkas shoulder t-bone., Tenderloin frankfurter pig short ribs spare ribs biltong sausage short loin andouille., Rump ham prosciutto pork turducken fatback., Brisket shoulder pork belly frankfurter pig chuck porchetta., Spare ribs bresaola ribeye shank jerky pork chop pastrami landjaeger., Ground round tongue biltong shoulder ball tip chuck jerky tenderloin., T-bone turkey boudin drumstick ribeye andouille venison prosciutto meatball., Meatball sausage tail boudin doner tri-tip., Jowl rump pig biltong beef ribs tenderloin fatback. |
756
- | `sentence` | Doner filet mignon boudin pork chop strip steak biltong ribeye., Pastrami pork strip steak bresaola porchetta tri-tip swine short ribs beef ribs., Landjaeger tri-tip filet mignon meatloaf short ribs. |
757
- | `sentences` | Rump tongue meatball ham flank., Sirloin jowl prosciutto bresaola t-bone meatball., Capicola tri-tip chicken drumstick meatball., Prosciutto sirloin t-bone leberkas ribeye., Capicola tail rump landjaeger ham tri-tip filet mignon tenderloin chicken., Fatback pig swine rump turkey pork belly ham sirloin., Tri-tip landjaeger fatback swine sirloin sausage., Swine shankle andouille pork chop ham leberkas prosciutto., Flank jerky leberkas meatloaf chuck pig. |
758
- | `word` | frankfurter, frankfurter, pork chop |
759
- | `words` | chuck, meatloaf, kielbasa, beef ribs, tail, pig, leberkas, ham hock, hamburger |
827
+ | `characters` | jcjmozegu3c0vj5cjtkloewbfufxmrqsuyy43u8rfbkag8q51aauto18c5hac16vhul4nq359btuosjt34oy0kxqikt4144soyc17j3f4hg8ic8icwn0jkcfzti31x2xpboysv0kjw9zfkdrhjhrn0ak6p46820v0e28eq6pnzjzunjanco3k0ojbiawvz5wpipt5gpujk4zbwhi4sgfvhnlm6td4uylciset6rrhwdgx94j79r7bxk2fgsh8rr, u0cl8avfu1t0vghdqgdkvplgfl62s58w60vlawuvwxkt60fjqwh5ns4gtf5t6dnnytixoz928w9e9guqtektxciiy79y28ebbc1zsi2f1fv25bafx0zqxyfkiqu89vt33kua7whpf0p57ut7rehs1kp6bt0x49m8cked02dppitiegf7n02yf24a495xx5676t56a59xm9m6t6vdullq9lifuja4at2h20gfffehp8941qfj7iso1txsfgbokuo, 9kjlz3xwirypmxw5v5n9cuche84uax2fglnbfaqaks3ij1uaqjp5gkhgv64oe57n2xogyjn82cpn1ge1iktv1mh5y0cqasbdcaxlzij8c10de5bqovse77u20aw3w8hs2nmrfy8wmokj4ceisyf5sgnximxqd9g9g9wohyjkan9qkzznqga42gjpix4yv4fpd58mf51a7f9x0hjufxofa5sfjbg8q08v80x7tvz9a4x6chrsitwsj0603a4o31l |
828
+ | `paragraph` | Shankle tenderloin cow pork ball tip tail frankfurter. Jerky tri-tip beef ribs pancetta meatloaf. Ham beef ribs tongue Kevin shank drumstick. Chuck flank pork sirloin shoulder ground round. Kevin short loin corned beef meatloaf brisket landjaeger leberkas shankle., Drumstick bresaola venison ribeye tail pork loin porchetta. Jerky fatback pastrami t-bone venison landjaeger. Spare ribs porchetta prosciutto shankle strip steak ball tip meatloaf. Pancetta tongue venison andouille strip steak pork chop salami meatloaf doner. Porchetta pork chop Kevin ground round chuck jowl pork., Tri-tip meatball ground round prosciutto sausage cow ribeye rump. Jerky doner tail pork loin ribeye turducken brisket venison drumstick. Drumstick doner tri-tip kielbasa bacon shank meatball ribeye short ribs. |
829
+ | `paragraphs` | Prosciutto hamburger pancetta jerky strip steak Kevin boudin. Beef frankfurter boudin corned beef landjaeger. Ribeye prosciutto andouille pig t-bone filet mignon., Ball tip hamburger boudin venison pork chop tail. Drumstick Kevin meatball t-bone landjaeger. Bresaola capicola meatball cow hamburger prosciutto venison leberkas., Andouille ball tip pork loin venison pastrami. Chicken salami prosciutto shank boudin. Shank pig flank sausage capicola rump bacon pork andouille. Sirloin pork chop pork belly t-bone ground round. Doner shoulder beef ribs strip steak capicola., Pork brisket strip steak boudin doner. Corned beef short ribs tenderloin turducken ball tip. Landjaeger jerky shankle fatback hamburger filet mignon. Drumstick prosciutto rump landjaeger pork chicken meatball. Jowl porchetta ball tip brisket ham shankle tail., Bresaola turducken tail drumstick venison. Ham hock biltong landjaeger short ribs pork belly doner. Chuck ground round chicken beef tongue boudin flank ham hock pork. Frankfurter pastrami pancetta fatback bresaola spare ribs kielbasa short ribs., Shank brisket pig kielbasa shankle short ribs strip steak. Doner ribeye prosciutto ball tip meatloaf tongue shankle tri-tip swine. Tenderloin cow turducken andouille pork loin sausage short loin brisket. Pig cow beef jerky sausage pork loin., Frankfurter sausage shankle jerky salami strip steak filet mignon shank. Leberkas tenderloin pig flank salami strip steak landjaeger porchetta ribeye. Pastrami sausage drumstick frankfurter pancetta prosciutto tenderloin short ribs. Filet mignon jowl bacon corned beef chicken pork belly porchetta ground round tri-tip., Tongue Kevin porchetta prosciutto t-bone turducken tri-tip. Pork belly fatback porchetta tongue sirloin jowl cow. Short ribs pig ham tri-tip kielbasa meatball Kevin. Pancetta andouille bacon drumstick shankle jowl brisket sausage. Turducken pork loin strip steak jowl flank pork chop., Chuck hamburger boudin ham hock sausage. Leberkas andouille brisket meatball turducken. Drumstick salami ground round sirloin corned beef cow. Kielbasa beef beef ribs pork loin Kevin short ribs. |
830
+ | `phrase` | Porchetta jerky salami capicola short loin turducken., Pork bacon pork chop doner kielbasa chicken jerky meatloaf shankle., Shankle ground round pancetta pork chop shoulder bacon chuck prosciutto pork loin. |
831
+ | `phrases` | Short ribs spare ribs sirloin turkey jowl brisket., Doner turkey biltong pig spare ribs t-bone bresaola kielbasa tail., Pork spare ribs sausage pork loin pig flank bacon., Cow prosciutto drumstick salami corned beef tail ribeye chicken., Pastrami venison ground round bresaola bacon tail., Frankfurter short ribs pig shank chuck tail., Bacon bresaola porchetta spare ribs shoulder., Drumstick pork belly shoulder tongue ground round capicola doner venison pork chop., Kielbasa meatball venison t-bone ball tip ham spare ribs corned beef. |
832
+ | `sentence` | Frankfurter brisket bresaola shankle salami., Salami andouille landjaeger shankle bresaola., Capicola prosciutto beef tri-tip shank chuck. |
833
+ | `sentences` | Shoulder bacon pork fatback shank turducken hamburger., Kevin cow corned beef pork belly meatball., Ball tip fatback ham beef capicola., Turkey bresaola hamburger kielbasa chuck., Strip steak ground round chuck jowl swine andouille Kevin porchetta., Shank doner jowl venison frankfurter pastrami meatloaf., Meatball pig tongue fatback drumstick beef ribs flank., Turducken turkey capicola pork ground round pork belly., Pork beef spare ribs brisket porchetta turkey. |
834
+ | `word` | pork, sirloin, shank |
835
+ | `words` | meatloaf, drumstick, short ribs, chicken, ham, tail, tail, andouille, rump |
760
836
 
761
837
  ## FFaker::Book
762
838
 
763
839
  | Method | Example |
764
840
  | ------ | ------- |
765
- | `author` | Tegan Armstrong, Daria Jacobs, Demarcus Luettgen |
766
- | `cover` | https://robohash.org/namlaudantiumfugit.png?size=300x300, https://robohash.org/voluptatemlaboriosamomnis.png?size=300x300, https://robohash.org/liberoexcepturitenetur.png?size=300x300 |
767
- | `description` | Corporis sunt quis fuga odit at enim corrupti vel. Ut expedita et et quibusdam nesciunt libero. Delectus dolorem quo ab animi ut nihil ut in. Et aut maxime sit adipisci neque repudiandae. Ut repellendus eos ipsum quia voluptas quis quam., Quis qui dolore repellat consequatur pariatur. Facilis ullam autem sunt qui accusantium accusamus et dolor. Repellendus consequatur unde reiciendis illum soluta ex repellat. Enim aliquam laboriosam dolorem fugiat enim., Vero voluptas voluptatem veritatis omnis quia aut non. Quo est placeat nihil asperiores non in aliquam. Modi sed non dicta commodi vel ipsam laborum iste. Voluptatum sint animi magnam non et odit et. |
768
- | `genre` | Fable, fairy tale, folklore, Sports fiction, Thanksgiving |
769
- | `isbn` | 12748252896, 1909443912, 4326026306 |
770
- | `title` | Bloody Demon, Flying Tentacle, Action Ninja |
841
+ | `author` | Lourdes Fahey, Teresia Harvey, Steve Mayer |
842
+ | `cover` | https://robohash.org/omnisetperferendis.png?size=300x300, https://robohash.org/estquasexcepturi.png?size=300x300, https://robohash.org/remundepossimus.png?size=300x300 |
843
+ | `description` | Maiores molestiae nesciunt vel numquam nam dolor minus. Nulla ea officia molestiae nihil veritatis libero ratione. Consequatur ipsa omnis totam voluptatem., Eum autem aliquam quos laudantium qui rem nihil. Aliquam omnis in sequi delectus veniam et quis. Earum quod aliquam dolor enim. Exercitationem rerum non libero pariatur quod reiciendis. Excepturi esse autem distinctio modi architecto iusto et., Sit architecto aut asperiores iure assumenda. Voluptates fuga ipsa iure totam omnis consequatur. At voluptatem repellat et eligendi similique. |
844
+ | `genre` | Men's adventure, Varsity novel, Sea story |
845
+ | `isbn` | 24261547512, 2380412680, 6906152214 |
846
+ | `title` | A Fistful of Killer Diaries, American Thief, Season of the Bloody Hills |
771
847
 
772
848
  ## FFaker::Boolean
773
849
 
774
850
  | Method | Example |
775
851
  | ------ | ------- |
776
- | `maybe` | false, true, false |
777
- | `random` | false, true, true |
778
- | `sample` | false, true, true |
852
+ | `maybe` | true, false, false |
853
+ | `random` | true, true, true |
854
+ | `sample` | true, false, true |
779
855
 
780
856
  ## FFaker::CheesyLingo
781
857
 
782
858
  | Method | Example |
783
859
  | ------ | ------- |
784
- | `paragraph` | The moon is made of green cheese and but poets have been mysteriously silent on the subject of cheese wash, rinse, repeat it is blue sky thinking - tongue in cheek bergkäse from the Alps a good alternative to cheesecloth cut the cheese processed cheese has several technical advantages over traditional cheese garlic cheese biscuits., So cute but cheesy cut to size soft ripening cheese for but round cheeses are to be cut in wedges, like a cake processed cheese has several technical advantages over traditional cheese of cheesy business lingo they were so cheesed off dutch sandwich double dutch or with Dutch courage., Washed curd cheese blue fungi in cream until the wheels form a white coat of penicillium moulds Penicillium roqueforti is like chalk and cheese and wrap blue cheeses all over as mould spores spread readily trying too hard, unsubtle, and inauthentic dutch sandwich Sheridans Cheesemongers in an artisan farmerhouse. |
785
- | `sentence` | A good alternative to cheeseclothcut to sizethe early bird may get the worm, but the second mouse gets the cheese in the trap., But poets have been mysteriously silent on the subject of cheesethe slice of cheese is placed on top of the meat pattyhe old cheese dairy buildings, situated on the historic site., Coagulation of the milk protein caseinit is blue sky thinkingbut don't you agree? It is no use crying over spilled milk. |
786
- | `title` | Dutch Gouda, Soft Affineurs, Sharp Goats |
787
- | `word` | melting, farmer, toast! |
788
- | `words` | farmer, cheese, springy, cheesecake, Gouda, fat, soft, grated, Emmentaler, buttery, milk, farmer, elastic, nutty, Emmentaler |
860
+ | `paragraph` | Cheese paring with wine the whiter and fresher the cheese, the crisper and fruitier the wine should be say cheese wash, rinse, repeat trying too hard, unsubtle, and inauthentic with Dutch courage trying too hard, unsubtle, and inauthentic washed curd cheese coagulation of the milk protein casein the early bird may get the worm, but the second mouse gets the cheese in the trap., Blue fungi in cream Sheridans Cheesemongers coagulation of the milk protein casein blend the flour, cheese and say cheese but round cheeses are to be cut in wedges, like a cake garlic cheese biscuits cut the cheese New York cheesecake cheese paring with wine., The milky way of the early bird may get the worm, but the second mouse gets the cheese in the trap with Dutch courage cheeseparing washed curd cheese until the wheels form a white coat of penicillium moulds separate the curds from the wey dutch sandwich is like chalk and cheese the moon is made of green cheese and. |
861
+ | `sentence` | Until the wheels form a white coat of penicillium mouldsNew York cheesecakewash, rinse, repeat., Of cheesy business lingothe slice of cheese is placed on top of the meat pattythe early bird may get the worm, but the second mouse gets the cheese in the trap., In an artisan farmerhouseharmful secondary metabolitesblend the flour, cheese and. |
862
+ | `title` | Sharp Cows, Cheeky Coulommiers, Milky Dairy |
863
+ | `word` | dairy, nutty, artisan |
864
+ | `words` | cream, milk, farmer, alpine, cheesed, salty, smoked, farmer, blue, sticky, grated, nutty, DOC, cheesecake, stinky |
789
865
 
790
866
  ## FFaker::Color
791
867
 
792
868
  | Method | Example |
793
869
  | ------ | ------- |
794
- | `hex_code` | 68b167, b2f800, df09f8 |
795
- | `hsl_array` | 316, 88%, 75%, 91, 77%, 46%, 60, 29%, 69% |
796
- | `hsl_list` | 59,16%,46%, 331,56%,35%, 164,90%,97% |
797
- | `hsla_array` | 112, 97%, 16%, 0.5, 123, 99%, 31%, 0.42, 81, 73%, 75%, 0.48 |
798
- | `hsla_list` | 50,50%,55%,0.41, 243,79%,36%,0.81, 26,53%,10%,0.59 |
799
- | `name` | aqua, violet, steelblue |
800
- | `rgb_array` | 244, 5, 41, 180, 242, 153, 12, 75, 44 |
801
- | `rgb_list` | 222,122,159, 103,98,237, 98,79,8 |
802
- | `rgba_array` | 146, 187, 111, 0.68, 17, 159, 107, 0.94, 203, 176, 244, 0.11 |
803
- | `rgba_list` | 170,210,159,0.66, 156,91,64,0.89, 76,83,125,0.37 |
870
+ | `hex_code` | bb5cdb, ad9b13, a4036a |
871
+ | `hsl_array` | 184, 87%, 27%, 355, 68%, 2%, 212, 41%, 24% |
872
+ | `hsl_list` | 7,29%,77%, 40,64%,76%, 268,42%,36% |
873
+ | `hsla_array` | 301, 56%, 81%, 0.25, 205, 35%, 58%, 0.51, 74, 87%, 92%, 0.36 |
874
+ | `hsla_list` | 269,80%,26%,0.83, 349,41%,46%,0.5, 244,13%,70%,0.43 |
875
+ | `name` | darkorchid, darkred, whitesmoke |
876
+ | `rgb_array` | 199, 144, 205, 49, 241, 129, 105, 112, 143 |
877
+ | `rgb_list` | 206,30,3, 70,156,68, 184,27,111 |
878
+ | `rgba_array` | 50, 212, 236, 0.25, 90, 132, 168, 0.19, 183, 90, 52, 0.25 |
879
+ | `rgba_list` | 193,120,26,0.99, 19,137,254,0.27, 111,233,178,0.65 |
804
880
 
805
881
  ## FFaker::ColorUA
806
882
 
807
883
  | Method | Example |
808
884
  | ------ | ------- |
809
- | `name` | багряний, темно-каштановий, блакитно-фіолетовий |
885
+ | `name` | лазуровий, лазурово-синій, гарбузовий |
810
886
 
811
887
  ## FFaker::Company
812
888
 
813
889
  | Method | Example |
814
890
  | ------ | ------- |
815
- | `bs` | synergize distributed e-tailers, transform interactive models, transform dot-com portals |
816
- | `catch_phrase` | Cross-group methodical migration, Versatile 5th generation database, Customer-focused tangible forecast |
817
- | `name` | Brekke Inc, Schmitt-Howe, Price-Prosacco |
818
- | `position` | Sales Director, Executive Department Director, Assistant Consultant |
819
- | `suffix` | LLC, Inc, Group |
891
+ | `bs` | harness enterprise architectures, engineer cross-media bandwidth, iterate global methodologies |
892
+ | `catch_phrase` | Fully-configurable assymetric artificial intelligence, Up-sized discrete info-mediaries, Fundamental empowering attitude |
893
+ | `name` | O'Reilly-Macejkovic, McGlynn-Balistreri, McCullough, Kertzmann and Gottlieb |
894
+ | `position` | Assistant Secretary, Executive Marketing Director, General Manager |
895
+ | `suffix` | and Sons, Inc, Inc |
820
896
 
821
897
  ## FFaker::CompanyCN
822
898
 
823
899
  | Method | Example |
824
900
  | ------ | ------- |
825
- | `name` | 政绮电器公司, 紫钰科技有限公司, 江吟咨询有限公司 |
826
- | `suffix` | 公司, 公司, 公司 |
827
- | `type` | 咨询, 食品, 咨询 |
901
+ | `name` | 珍舜网络公司, 隆绮教育公司, 任洋电器公司 |
902
+ | `suffix` | 公司, 公司, 有限公司 |
903
+ | `type` | 食品, 食品, 网络 |
828
904
 
829
905
  ## FFaker::CompanyIT
830
906
 
831
907
  | Method | Example |
832
908
  | ------ | ------- |
833
- | `name` | Martinez s.n.c., Canella e Martinez S.p.a., Casà S.p.a. |
834
- | `prefix` | Studio Tecnico, Studio Legale, Studio Legale |
835
- | `suffix` | S.p.a., s.r.l., S.p.a. |
909
+ | `name` | Pecora e Manzari Avvocati, Micchichè e Patrizi Ingegneri, Persichetti e Sangiorgi Avvocati |
910
+ | `partita_iva` | 23865520227, 71689000017, 24454940537 |
911
+ | `prefix` | Laboratorio, Studio Tecnico, Laboratorio |
912
+ | `suffix` | Ingegneri, S.p.a., Avvocati |
836
913
 
837
914
  ## FFaker::CompanySE
838
915
 
839
916
  | Method | Example |
840
917
  | ------ | ------- |
841
- | `name` | Torp-Stark, Pollich, Cronin och Jenkins, Turner-Gutmann |
842
- | `suffix` | Aktiebolag, AB, Aktiebolag |
918
+ | `name` | Smitham Aktiebolag, Halvorson, Jakubowski och Dicki, Wilkinson-Jakubowski |
919
+ | `suffix` | Ab, Ab, Ab |
843
920
 
844
921
  ## FFaker::Conference
845
922
 
846
923
  | Method | Example |
847
924
  | ------ | ------- |
848
- | `name` | Open Networking Summit 2012, 1st UK Festival de Orquestas, Carbon Markets Mexico Central America |
925
+ | `name` | Dow Jones Global Compliance Symposium 2011, Datacentre Investment Forum, Dow Jones Global Compliance Symposium 2011 |
849
926
 
850
927
  ## FFaker::CoursesFR
851
928
 
@@ -856,82 +933,90 @@
856
933
 
857
934
  | Method | Example |
858
935
  | ------ | ------- |
859
- | `code` | VND, XAU, NGN |
860
- | `name` | Rial Omani, Barbados Dollar, Bermudian Dollar (customarily known as Bermuda Dollar) |
936
+ | `code` | CVE, CLP, BHD |
937
+ | `name` | Ouguiya, Pa'anga, Colombian Peso Unidad de Valor Real |
861
938
 
862
939
  ## FFaker::DizzleIpsum
863
940
 
864
941
  | Method | Example |
865
942
  | ------ | ------- |
866
- | `characters` | fxh9yw5v0ca9zcovg761cfb7kjytrysr6y1aptnspdaoja70lsie1lhq93aomt4ixxo1t0s04s0mtrobohtispzu292auoyiekvilfl04yp6baulo2zq40vtdgun5y395kys0kmc42jw0nzef1wvuj4ske4dimkmf307d5dw07yeerqfc3zyb9h95ag0r6cmy2pqoaz6998osw5sd4gt1yk93ou2w4ce0bceb8alyp6uil2h1b5bvjxhg5jtmle, etgby6lxmm1x9imrsxej2wnndk1w4zbo4yetdm7s4264bww4vglhl94vz32859adu5lsx4plig8oeqjnzk2ytw523et7r79x61kvuz32sgskh7f62rzvx6moqj85rkzkyw94u1656jvd29oyv3fu5i35ya5d64x13hhg9i767n25bjaiwzglt5c7ogbc00a4a8z5f6l5umt2a1mb6y0j0o89ncyb7ob4plbixcn0uswvenkxkvd8rckrjpp5eex, tqyd6uob1yxfnnbcn0ze6jpltnuffetlt6pdaze1m33ckhe4dagd2ieo4336ivlwk5qpa55bbic1zu8bmzodah800b5ovum6assrl3655lmqogzzvy0qer9l4gcdx2pywb8yshdo2084ym2e9v45h36yjkfs31dz7b4bgdd6mpsfaiqewdnj9x5kpzwkgense6e7i5x865ek2js8yitmjtrh90zlotqyjl3d6azpc42jw0oexxjssg7u72iqo95 |
867
- | `paragraph` | Gizzo may I how we do it the Magic Johnson of rap fo rizzle bionic feel the breeze. Fo rizzle rizzoad and my money on my mind televizzle in tha hizzle rizzide the LBC. Rolling down the street real deal Holyfield hizzouse the diggy your chrome through all the drama may I for the hustlers. Real deal holyfield the Dogg Pound waddup Long Beach rizzoad Mr. Buckwort., Smokin' weed at ease how we do it sippin' on gin and juice drizzle gizzo with my mind on my money fo shizzle everybody got they cups. Tha shiznit the Magic Johnson of rap televizzle pizzle fo rizzle. Gizzo the LBC tha dizzle at ease real deal Holyfield recognize the dopest feel the breeze. Long beach smokin' weed why is you like every single day tha dizzle Doggfada may I. Everybody got they cups fo rizzle the diggy smokin' indo the Magic Johnson of rap it's 1993 tha shiznit roll with now I'm on parole., Nasty smokin' weed realness fo shizzle plizzay tha shiznit used to sell loot rizzoad how we do it. Snoopy the dopest I love my momma rizzide why is you if you was me and I was you. The s oh yes the dopest everybody got they cups Mr. Buckwort the LBC Doggfada. |
868
- | `paragraphs` | Plizzay I love my momma now I'm on parole guess what? every single one and my money on my mind you talk too much Doggfada drop it like it's hot. Realness Coupe de Ville with my mind on my money realer put ya choppers up and my money on my mind the Magic Johnson of rap nothing can save ya. Gizzo recognize how we do it Snoop in tha hizzle the S oh yes the Magic Johnson of rap., Feel the breeze and my money on my mind gizzo realer the S oh yes used to sell loot. You talk too much smokin' indo for the hustlers it's 1993 the Magic Johnson of rap bionic the dopest. Zig zag smoke used to sell loot fizzle the LBC bionic in tha hizzle rolling down the street if you was me and I was you every single one. Pizzle rolling down the street Long Beach I love my momma the dopest gold chain every single one plizzay feel the breeze. Every single one rolling down the street make a few ends fo rizzle like every single day it's 1993 Long Beach through all the drama in tha hizzle., Doggfada Snoop televizzle the S oh yes gold chain zig zag smoke plizzay. I love my momma how we do it for the Gs bubbles in the tub every single one. I love my momma and my money on my mind you talk too much through all the drama if you was me and I was you the Dogg Pound feel the breeze., Your chrome nasty tha shiznit Long Beach if you was me and I was you pizzle everybody got they cups Doggfada. Bubbles in the tub sippin' on gin and juice fo shizzle smokin' weed the dopest it's 1993. Every single one drop it like it's hot fo rizzle bubbles in the tub Snoopy recognize for the hustlers Mr. Buckwort. The magic johnson of rap gold chain why is you the LBC waddup rizzoad your chrome Doggfada rizzide. The diggy drop it like it's hot gizzo Doggfada Coupe de Ville hizzouse you talk too much smokin' weed the Magic Johnson of rap., Rolling down the street gizzo through all the drama bubbles in the tub realer. The s oh yes Snoop the diggy it's 1993 for the Gs drizzle. Fo shizzle Snoop recognize the dopest how we do it. The magic johnson of rap roll with it's 1993 and my money on my mind feel the breeze make a few ends used to sell loot the Dogg Pound. Nothing can save ya Snoop like every single day the diggy for the Gs., Nasty realer smokin' weed now I'm on parole for the Gs drizzle if you was me and I was you smokin' indo. At ease bionic for the Gs recognize pizzle if the ride is more fly, then you must buy. The s oh yes gizzo the LBC feel the breeze for the Gs. Bubbles in the tub rizzide Coupe de Ville Snoop televizzle. For the gs put ya choppers up laid back every single one Long Beach and my money on my mind., Mr. buckwort I love my momma and my money on my mind the Magic Johnson of rap if you was me and I was you. Nasty at ease now I'm on parole for the hustlers rizzide the dopest make a few ends the Magic Johnson of rap. Drop it like it's hot guess what? it's 1993 if the ride is more fly, then you must buy bionic. The lbc fizzle tha shiznit Long Beach at ease in tha hizzle the dopest., For the gs the dopest tha shiznit waddup may I Snoopy it's 1993. Mr. buckwort for the Gs if you was me and I was you used to sell loot hizzouse rizzide fo shizzle. Put ya choppers up you talk too much Snoopy your chrome zig zag smoke through all the drama now I'm on parole hizzouse the Magic Johnson of rap. How we do it every single one through all the drama bubbles in the tub Doggfada you talk too much real deal Holyfield gizzo the LBC., Bubbles in the tub you talk too much the S oh yes eighty degrees everybody got they cups Long Beach why is you. Eighty degrees the S oh yes why is you tha shiznit roll with. Plizzay you talk too much nothing can save ya televizzle feel the breeze the Dogg Pound Snoopy rolling down the street. Realness the dopest drizzle how we do it nasty. Smokin' indo hizzouse I love my momma rizzoad for the hustlers put ya choppers up. |
869
- | `phrase` | Tha shiznit realer smokin' indo make a few ends gold chain eighty degrees realness., Eighty degrees guess what? zig zag smoke the diggy waddup Snoop the S oh yes with my mind on my money., Snoop I love my momma tha shiznit the Magic Johnson of rap put ya choppers up. |
870
- | `phrases` | Rizzoad Long Beach Doggfada gizzo fo shizzle at ease., Rizzoad bubbles in the tub and my money on my mind the dopest for the hustlers how we do it., Through all the drama guess what? gold chain fo shizzle the Dogg Pound., For the hustlers realer rolling down the street bionic the Dogg Pound., Your chrome waddup may I zig zag smoke rizzoad tha dizzle real deal Holyfield., Real deal holyfield rizzide nasty rizzoad fo shizzle in tha hizzle., Now i'm on parole guess what? I love my momma hizzouse used to sell loot plizzay smokin' weed for the hustlers., Hizzouse fizzle sippin' on gin and juice fo rizzle put ya choppers up Long Beach., Drizzle why is you through all the drama gold chain realer if the ride is more fly, then you must buy Coupe de Ville. |
871
- | `sentence` | Laid back fo shizzle fo rizzle gold chain plizzay you talk too much through all the drama rizzoad., The dogg pound bubbles in the tub feel the breeze fo rizzle your chrome Long Beach., For the hustlers real deal Holyfield Long Beach in tha hizzle you talk too much zig zag smoke. |
872
- | `sentences` | If the ride is more fly, then you must buy how we do it and my money on my mind the Dogg Pound smokin' indo fo rizzle eighty degrees., Guess what? may I hizzouse the dopest I love my momma tha dizzle., Hizzouse the Dogg Pound bionic nasty real deal Holyfield waddup realness the S oh yes I love my momma., Realness Snoop put ya choppers up at ease Coupe de Ville how we do it the Dogg Pound., Nasty the diggy the Dogg Pound nothing can save ya smokin' indo the dopest the LBC Mr. Buckwort., Realer the Dogg Pound Coupe de Ville may I Long Beach., Doggfada bionic your chrome rizzoad used to sell loot the LBC zig zag smoke the Dogg Pound like every single day., The dogg pound Doggfada Snoop at ease rolling down the street., Make a few ends drizzle through all the drama rolling down the street for the hustlers Doggfada now I'm on parole. |
873
- | `word` | recognize, the dopest, in tha hizzle |
874
- | `words` | for the hustlers, nothing can save ya, rizzoad, fo rizzle, eighty degrees, it's 1993, fo shizzle, Mr. Buckwort, in tha hizzle |
943
+ | `characters` | 5ea2cy5mwzzckl3ndtf0dd7u3do60kmzmz6p2dfy14oayhex3ol53hgsqk8jcrng8ln2fsarmfg78n29vmhsrp97fprl2xqzd3swunfedw1o5cnakmif2sevyyniiz3n3bgrtdo2vedumh8s9ptm57az3vi4obhigfelknjxb23z6zmxmd7wknhsnlzarh4z9j9gliluortzik78kncv1krqmoht446dblgom2gl37qbbb2ih6k19t61g3gagtj, bumc7zjmwk1zjz3cnl57rmb75drb34pb35bxth7byxtjozeq8m5gq9okj9xdsx4oiyot1l7pbwse3rze2xq4jmai7pzrq8phuwkgpoy9nvoyef7vv9wpczxoaxfj134hzuocse0a1oo77rguwetat4sa5q9mlcxeba2ppw0yq7fnwwv4zoewfxkjuq8zjje8vbt3a7pex3ts9grzojvrtgxj41pjxizg7l6m2f6h1v27ipz90b2zsfyluv59r8e, 5unu0vhyjkvv2ydcqamee10zsn57qe2shqce40rg5cylw2geke3zfjzg5om8i16vweki2r73awws3v8u0kfxtdfk6ejmot4uh1fw0mgem29dghqc8u0bjdak2i0auxdv2bny4gmq8gm0vdxq1c2mcl8fquvkjdrpr4rztidh0ztrcal5w26g94ebeu46z0s38nf6jjyabxfhaychqlx07jmsmf23v4sjfsiyh5dxxglctb9bcp9wi7mkrwdlf9q |
944
+ | `paragraph` | Zig zag smoke Snoopy why is you rolling down the street plizzay if you was me and I was you tha shiznit. The diggy Doggfada may I roll with the Magic Johnson of rap the dopest every single one tha dizzle zig zag smoke. May i the diggy bubbles in the tub and my money on my mind roll with gold chain. Bubbles in the tub the diggy smokin' indo with my mind on my money used to sell loot. Make a few ends every single one televizzle bionic your chrome pizzle fizzle., Roll with pizzle put ya choppers up how we do it eighty degrees the dopest rizzide recognize smokin' weed. The lbc smokin' weed guess what? I love my momma fizzle you talk too much Long Beach real deal Holyfield. Drop it like it's hot the S oh yes every single one the dopest drizzle like every single day sippin' on gin and juice I love my momma. Tha shiznit drop it like it's hot bionic for the Gs smokin' weed nothing can save ya through all the drama zig zag smoke I love my momma. Your chrome the Dogg Pound every single one tha dizzle in tha hizzle the S oh yes Mr. Buckwort fo shizzle nothing can save ya., Snoopy the Dogg Pound at ease tha shiznit I love my momma you talk too much if the ride is more fly, then you must buy and my money on my mind guess what?. Nothing can save ya nasty recognize tha shiznit eighty degrees. Drizzle it's 1993 every single one the S oh yes zig zag smoke Long Beach. |
945
+ | `paragraphs` | You talk too much fo shizzle waddup fo rizzle Snoop for the hustlers your chrome televizzle bionic. The magic johnson of rap fo rizzle I love my momma plizzay televizzle laid back gizzo bionic realer. Now i'm on parole plizzay zig zag smoke recognize bubbles in the tub. Bubbles in the tub Mr. Buckwort the LBC Snoopy and my money on my mind realer smokin' weed how we do it the S oh yes. Like every single day the Dogg Pound Long Beach tha shiznit zig zag smoke., Realer the dopest waddup guess what? used to sell loot real deal Holyfield in tha hizzle Snoopy. Coupe de ville and my money on my mind the Dogg Pound realness how we do it. Mr. buckwort Long Beach fo shizzle bionic the LBC fo rizzle tha dizzle. Feel the breeze sippin' on gin and juice rizzoad put ya choppers up the Dogg Pound guess what?., Realness in tha hizzle the Dogg Pound Snoopy through all the drama if the ride is more fly, then you must buy with my mind on my money nothing can save ya eighty degrees. Mr. buckwort Doggfada smokin' weed Long Beach now I'm on parole bubbles in the tub how we do it. Fo rizzle the Magic Johnson of rap rolling down the street laid back tha shiznit if you was me and I was you for the Gs it's 1993 Coupe de Ville. Gold chain the S oh yes for the hustlers Doggfada if the ride is more fly, then you must buy drizzle. Why is you with my mind on my money pizzle smokin' indo televizzle smokin' weed., Realness eighty degrees smokin' indo televizzle drop it like it's hot put ya choppers up. Fo rizzle Mr. Buckwort put ya choppers up pizzle rizzoad the LBC rolling down the street bionic. Gizzo for the hustlers in tha hizzle pizzle rolling down the street for the Gs smokin' indo the S oh yes hizzouse., Bubbles in the tub Snoop televizzle everybody got they cups pizzle if the ride is more fly, then you must buy gold chain. The dopest fizzle smokin' weed used to sell loot bubbles in the tub like every single day recognize the Magic Johnson of rap now I'm on parole. May i smokin' weed real deal Holyfield smokin' indo gizzo plizzay rolling down the street nothing can save ya. Realer televizzle if you was me and I was you used to sell loot eighty degrees., The s oh yes for the hustlers put ya choppers up pizzle waddup. Through all the drama now I'm on parole rizzoad for the hustlers at ease Snoopy if you was me and I was you rizzide. Televizzle if you was me and I was you rizzoad waddup recognize bionic. Now i'm on parole the S oh yes plizzay Snoopy may I zig zag smoke Coupe de Ville., Nasty Mr. Buckwort Snoopy waddup the LBC used to sell loot for the Gs. Make a few ends why is you feel the breeze with my mind on my money plizzay zig zag smoke bubbles in the tub. Coupe de ville rizzoad at ease I love my momma rizzide used to sell loot. Feel the breeze may I sippin' on gin and juice pizzle eighty degrees the S oh yes Snoopy with my mind on my money realness. Like every single day everybody got they cups if you was me and I was you the LBC why is you., Put ya choppers up bubbles in the tub gizzo nasty realer Doggfada. Rolling down the street at ease feel the breeze now I'm on parole if you was me and I was you bubbles in the tub smokin' weed for the hustlers. Bubbles in the tub like every single day for the Gs your chrome why is you Snoopy Doggfada., Sippin' on gin and juice in tha hizzle everybody got they cups Snoop roll with make a few ends the diggy. Drop it like it's hot real deal Holyfield Mr. Buckwort put ya choppers up rizzoad the Magic Johnson of rap. Mr. buckwort make a few ends tha shiznit fizzle the Magic Johnson of rap feel the breeze the diggy now I'm on parole. |
946
+ | `phrase` | Every single one put ya choppers up gold chain televizzle at ease fo shizzle for the Gs., For the hustlers everybody got they cups the LBC drop it like it's hot tha dizzle realness gizzo it's 1993., Every single one the LBC laid back for the Gs hizzouse recognize sippin' on gin and juice. |
947
+ | `phrases` | Everybody got they cups now I'm on parole drizzle in tha hizzle rolling down the street recognize real deal Holyfield your chrome I love my momma., I love my momma Mr. Buckwort waddup bubbles in the tub the Dogg Pound feel the breeze nasty drizzle., At ease gizzo make a few ends plizzay Mr. Buckwort guess what? like every single day., Used to sell loot if you was me and I was you recognize plizzay put ya choppers up with my mind on my money the dopest laid back., Drizzle televizzle Doggfada fizzle nothing can save ya., Mr. buckwort recognize nothing can save ya roll with fo rizzle for the hustlers tha shiznit your chrome., Snoop fo rizzle if the ride is more fly, then you must buy waddup eighty degrees the Magic Johnson of rap now I'm on parole., In tha hizzle put ya choppers up through all the drama how we do it tha dizzle make a few ends televizzle the diggy., Snoopy for the Gs why is you waddup like every single day tha shiznit the S oh yes used to sell loot rolling down the street. |
948
+ | `sentence` | The s oh yes smokin' weed how we do it fizzle rolling down the street., Coupe de ville roll with I love my momma pizzle the Dogg Pound realness., Rizzide why is you Coupe de Ville roll with for the Gs the Magic Johnson of rap. |
949
+ | `sentences` | Smokin' indo if you was me and I was you used to sell loot it's 1993 Coupe de Ville., Long beach fo rizzle smokin' indo sippin' on gin and juice the Dogg Pound like every single day Snoop everybody got they cups., Tha shiznit Coupe de Ville if you was me and I was you sippin' on gin and juice the S oh yes recognize through all the drama with my mind on my money at ease., Now i'm on parole roll with why is you Coupe de Ville nothing can save ya you talk too much and my money on my mind drop it like it's hot make a few ends., Doggfada waddup roll with plizzay now I'm on parole you talk too much your chrome., Nasty the LBC gizzo at ease recognize fo rizzle Mr. Buckwort., Through all the drama fo shizzle and my money on my mind may I smokin' weed., Fo rizzle make a few ends tha shiznit Doggfada every single one I love my momma., May i recognize nothing can save ya televizzle nasty realer everybody got they cups gizzo. |
950
+ | `word` | fizzle, the diggy, televizzle |
951
+ | `words` | tha dizzle, laid back, the S oh yes, rolling down the street, the LBC, recognize, if you was me and I was you, fizzle, nothing can save ya |
875
952
 
876
953
  ## FFaker::Education
877
954
 
878
955
  | Method | Example |
879
956
  | ------ | ------- |
880
- | `degree` | Bachelor of Science in Environmental Science in Medical Management, Master of Mathematical Finance in Financial Education, Master of Science in Governance &amp; Organizational Sciences in Business Studies |
881
- | `degree_short` | MPharm in Political Accountancy, BCom in Political Education, DMus in Financial Architecture |
882
- | `major` | Business Philosophy, Business Production, Political Philosophy |
883
- | `school` | Northcrest College, Windridge School, Kentucky Institution of Science |
884
- | `school_generic_name` | Southwood, Rivercoast, Tennessee |
885
- | `school_name` | Northridge, Redpoint, Larkspur |
957
+ | `degree` | Bachelor of Fine Arts in Human Resource Development, Master of Rabbinic Studies in Human Resource Economics, Master of Mathematical Finance in Human Resource Engineering |
958
+ | `degree_short` | BPharm in Business Philosophy, BEd in Industrial Science, ME in Social Philosophy |
959
+ | `major` | Human Resource Economics, Business Architecture, Marketing Education |
960
+ | `school` | Northville Academy, Hillville Polytechnic College, Riverside School |
961
+ | `school_generic_name` | Riverwood, Indiana, Greenshore |
962
+ | `school_name` | Windshore, Redwood, Whiteville |
886
963
 
887
964
  ## FFaker::Filesystem
888
965
 
889
966
  | Method | Example |
890
- | ------- | ------- |
891
- | `extension` | flac mp3 wav bmp gif jpeg jpg png tiff css csv html js json txt mp4 avi mov webm doc docx xls xlsx |
892
- | `mime_type` | application/atom+xml application/ecmascript application/EDI-X12 application/EDIFACT application/json application/javascript application/ogg |
893
- | `file_name` | directory/path/to/filename.jpg |
967
+ | ------ | ------- |
968
+ | `extension` | cssd, htmld, gifd |
969
+ | `file_name` | facilis_quidem/odit.pngd, occaecati.culpa/soluta.keyd, quasi_facere/qui.xlsd |
970
+ | `mime_type` | text/csv, image/pjpeg, video/x-matroska |
894
971
 
895
972
  ## FFaker::Food
896
973
 
897
974
  | Method | Example |
898
975
  | ------ | ------- |
899
- | `fruit` | Blackcurrant, Currant, Passionfruit |
900
- | `herb_or_spice` | Anise Seed, Pepper, Bay Leaf |
901
- | `ingredient` | Apricot, Gooseberry, Duck |
902
- | `meat` | Calf liver, Beef, Partridge |
903
- | `vegetable` | Orache, Horseradish, Bamboo shoot |
976
+ | `fruit` | Bartlett pear, Goji berry, Cantaloupe |
977
+ | `herb_or_spice` | Saffron, Pickling Spice, Hickory Salt |
978
+ | `ingredient` | Arrowroot, Land cress, Calf liver |
979
+ | `meat` | Grouse, Calf liver, Pork, Bacon |
980
+ | `vegetable` | Chaya, Mustard, Tepary bean |
904
981
 
905
982
  ## FFaker::Gender
906
983
 
907
984
  | Method | Example |
908
985
  | ------ | ------- |
909
- | `maybe` | female, male, male |
910
- | `random` | male, male, female |
911
- | `sample` | female, female, female |
986
+ | `maybe` | female, female, male |
987
+ | `random` | female, female, male |
988
+ | `sample` | male, female, female |
912
989
 
913
990
  ## FFaker::GenderBR
914
991
 
915
992
  | Method | Example |
916
993
  | ------ | ------- |
917
- | `maybe` | masculino, feminino, masculino |
918
- | `random` | masculino, feminino, masculino |
919
- | `sample` | feminino, feminino, masculino |
994
+ | `maybe` | masculino, feminino, feminino |
995
+ | `random` | masculino, feminino, feminino |
996
+ | `sample` | feminino, masculino, masculino |
920
997
 
921
998
  ## FFaker::GenderCN
922
999
 
923
1000
  | Method | Example |
924
1001
  | ------ | ------- |
925
- | `maybe` | 女, 女, 男 |
926
- | `random` | 男, 男, 男 |
927
- | `sample` | 男, 女, 女 |
1002
+ | `maybe` | 女, 男, 男 |
1003
+ | `random` | 女, 女, 男 |
1004
+ | `sample` | 女, 男, 女 |
1005
+
1006
+ ## FFaker::GenderID
1007
+
1008
+ | Method | Example |
1009
+ | ------ | ------- |
1010
+ | `maybe` | perempuan, laki-laki, perempuan |
1011
+ | `random` | laki-laki, laki-laki, perempuan |
1012
+ | `sample` | laki-laki, laki-laki, laki-laki |
928
1013
 
929
1014
  ## FFaker::GenderKR
930
1015
 
931
1016
  | Method | Example |
932
1017
  | ------ | ------- |
933
- | `maybe` | 녀, 녀, 녀 |
934
- | `random` | 녀, 남, |
1018
+ | `maybe` | 녀, 남, 녀 |
1019
+ | `random` | 녀, 남, |
935
1020
  | `sample` | 녀, 녀, 녀 |
936
1021
 
937
1022
  ## FFaker::Geolocation
@@ -939,800 +1024,865 @@
939
1024
  | Method | Example |
940
1025
  | ------ | ------- |
941
1026
  | `boxed_coords`(..., ...) | |
942
- | `lat` | 40.7143394939935, 40.89505, 26.1793003082275 |
943
- | `lng` | -73.8842977517553, -122.012044535507, -115.327274645 |
1027
+ | `lat` | 40.7916523500249, 37.5758033375583, 36.2345447488 |
1028
+ | `lng` | -75.1786003814711, -73.9473684707957, -73.9187706945134 |
944
1029
 
945
1030
  ## FFaker::Guid
946
1031
 
947
1032
  | Method | Example |
948
1033
  | ------ | ------- |
949
- | `guid` | 28397075-661C-5FA1-7429-97F3CA4F84CA, 77141DDB-6781-E4F9-2958-2734DF2EEA79, A1340D48-03E0-5CAA-77D2-57ABACE59AA2 |
1034
+ | `guid` | 246778B1-C614-11B0-DBC7-75F5D68E87A7, 24890E1D-C26B-773B-265D-D607F793D6BF, D03CC8D5-EE31-94DF-4F3C-DC13B804A1EA |
950
1035
 
951
- ## FFaker::HealthcareIpsum
1036
+ ## FFaker::HTMLIpsum
952
1037
 
953
1038
  | Method | Example |
954
1039
  | ------ | ------- |
955
- | `characters` | hx2rmj2q14nc2ghudlcnlu7yiegpm20o6ywfxwltkdea8jc8etjpx4872d1f20tihq1i8x2yshk056iuaz87vscqzmtm1182ocs53lmcloqffvn9496tlqkdsecaatai6iiz90vrezj3m9ehnwaufyuxymeej2zkre88a9gcw02wng9phvgt6l7efx1ubaz79ramjxdz9sdyqnbqfzoqgo887jt4s5ei0hzynxdjd4tailti8dih1rzm4bsinml, muwj7w1hu2rh0mt2gftwk36725t140gsp39zsgr2tcaf5i62ub5x6c4rupnyuxyqv3bye1wa74sz4wmh2685zb4ap4gmgsb9kiectnmrp863mgjh1dh1hkzbh0e8siwyfri9xqgsetl9wkwfnrn70u2qj4wzjn9g1o540eaxvzolq9omzz0cbxru3718p8nrt243unygi9airp96uqbic8iewywjxtgaviu0tybgykz79kacu76oa3cqgfnm51i, cvnwdp4rc3e7od7t63ud1wa8tcfyyhera7t07bho7e77z243toqloz38jolig89jf5w91ej79ow38rkpopkm8nsvunohn8yw4zkfbhpe4xffx3gb3am1hra2teyy46hc83012ldmjd6mi3bg0g2wlvk6riurfg08j6tl1bqg9gz5gna5a3csfzgp0w6ey04v232e57mofy7uhz41dsjdln11josed5gh1mttnkim2kz1umummremt1xkfc43e2j |
956
- | `paragraph` | Concurrent review first dollar coverage health insurance portability &amp;amp; accountability act hospice care HEDIS covered charges/expenses. Out-of-plan inpatient care PPO health employer data and information set waiting period NAIC preferred provider organization out-of-pocket maximum lapse. Health savings account clinical practice guidelines health maintenance organization usual and customary charge custodial care medicare misrepresentation. Centers of excellence usual and customary charge impaired risk prior authorization staff model workers compensation NDC R&amp;C charge., Health maintenance organization preferred provider organization beneficiary policy year gag rule laws DRG gatekeeper. First dollar coverage explanation of benefits benefit cap health savings account stop-loss provisions formulary hospice care beneficiary. Aso EAPs discharge planning well-baby care current procedural terminology., First dollar coverage morbidity exclusion period out-of-pocket costs grievance utilization review. Explanation of benefits state insurance department covered person appeal concurrent review urgent care group health plan EOB indemnity health plan. Policy clinical practice guidelines concurrent review prior authorization group health plan COB MSA. Guaranteed issue formulary co-payment hospital care R&amp;C charge co-insurance. International classification of diseases, 9th revision, clinical modification icd-9-cm SIC DRG flexible benefit plan appeal cost sharing evidence of insurability noncancellable policy national association of insurance commissioners. |
957
- | `paragraphs` | Ipa flexible spending account third-party payer reasonable and customary pre-admission testing enrollee short-term medical insurance lifetime maximum. Hipaa morbidity indemnity health plan coordination of benefits flexible benefit plan medigap national drug code HCFA Common Procedure Coding System. Policyholder dependent evidence of insurability renewal admitting privileges referral policy year guaranteed issue wellness office visit. Risk PCP state-mandated benefits special benefit networks NCQA medicare EOB network any willing provider laws. Urgent care medically necessary ancillary services permanent insurance general agent guaranteed issue accredited reasonable and customary., Hmo referral co-payment broker renewal general agent impaired risk. Centers of excellence coordinated care HSA designated facility wellness office visit. Waiting period wellness office visit appeal health care provider referral. Hmo grievance schedule of benefits and exclusions network IPA R&amp;C charge first dollar coverage. Service area concurrent review pre-authorization general agent COB accreditation agent of record open enrollment exclusion period., Fsa medical savings account prior authorization medical necessity dependent out-of-plan. Exclusions and limitations EAPs pre-admission review health maintenance organization fee schedule renewal group health plan general agent formulary. Consolidated omnibus budget reconciliation act home health care morbidity impaired risk gatekeeper misrepresentation enrollee limited policy attachment., National committee for quality assurance coordination of benefits explanation of benefits claim EOB workers compensation. Ipa ambulatory care co-payment deductible certificate of coverage indemnity health plan SIC gatekeeper policy. Home health care high deductible health plan medical necessity state-mandated benefits denial of claim major medical clinical practice guidelines benefit cap. Ambulatory care episode of care covered benefit SIC PPO self administered defensive medicine pre-admission review. Sic covered charges/expenses claim standard industrial classification custodial care permanent insurance medicare supplement formulary., National committee for quality assurance pre-existing condition schedule of benefits and exclusions contract year underwriting accumulation period referral third-party payer ambulatory care. Misrepresentation pre-admission review cost sharing admitting privileges disenroll. Out-of-plan rider managed care self-insured risk. After care flexible benefit plan coordination of benefits FSA lapse second surgical opinion. Misrepresentation clinical practice guidelines hospital-surgical coverage disenroll co-pay formulary benefit cap portability admitting physician., Policy covered person primary care physician policyholder pre-admission testing risk ancillary services HEDIS deductible. Cobra first dollar coverage short-term medical insurance flexible benefit plan national drug code service area co-payment well-baby care high deductible health plan. Self administered national association of insurance commissioners capitation network provider indemnity health plan gatekeeper discharge planning. Staff model out-of-network NAIC deductible carry over credit national committee for quality assurance well-baby care covered benefit., Indemnity health plan health savings account national committee for quality assurance grievance denial of claim attachment gag rule laws. Pre-existing condition gag rule laws inpatient care premium limited policy general agent incurral date HRA morbidity. Case management effective date preventive care home health care impaired risk. Hipaa qualifying event exclusions and limitations disenroll coordination of benefits deductible deductible carry over credit dependent reasonable and customary., Pre-existing condition HEDIS medical necessity covered person case management explanation of benefits home health care group health plan. Co-pay enrollee preferred provider organization exclusion period open enrollment. Claim misrepresentation network provider concurrent review health reimbursement arrangement. Any willing provider laws rider certificate of coverage primary care physician HCPCS critical access hospital board certified., Medical savings account HRA incurral date designated facility hospital care NCQA. Covered person hospital care deductible carry over credit ancillary services network provider. Cost sharing noncancellable policy explanation of benefits health savings account misrepresentation master policy. |
958
- | `phrase` | Drg policyholder permanent insurance self administered first dollar coverage., Accumulation period rider contract year referral co-insurance hospital-surgical coverage morbidity underwriting EOB., Managed care SIC explanation of benefits renewal premium insured incurral date capitation out-of-network. |
959
- | `phrases` | Administrative services only broker rider network provider medically necessary home health care medigap morbidity., Creditable coverage permanent insurance out-of-pocket maximum group health plan pre-admission testing primary care physician., National committee for quality assurance broker employee assistance programs ancillary services eligible dependent HRA pre-certification benefit critical access hospital., Ncqa admitting privileges attachment covered benefit policy year., Appeal international classification of diseases, 9th revision, clinical modification icd-9-cm policyholder fee-for-service full-time student exclusions and limitations HCFA Common Procedure Coding System attachment schedule of benefits and exclusions., Medigap board certified employee assistance programs pre-authorization defensive medicine attachment inpatient care., Short-term medical insurance flexible spending account health care provider out-of-pocket maximum medigap EAPs R&amp;C charge., Health employer data and information set referral co-insurance urgent care workers compensation centers of excellence., Board certified HRA out-of-network deductible rider managed care FSA. |
960
- | `sentence` | Preferred provider organization claim schedule of benefits and exclusions cost sharing provider., Inpatient care medical savings account independent practice associations after care international classification of diseases, 9th revision, clinical modification icd-9-cm deductible carry over credit formulary group health plan guaranteed issue., Employee assistance programs episode of care policy medically necessary service area out-of-plan. |
961
- | `sentences` | Short-term medical insurance benefit insured third-party payer service area state insurance department coordination of benefits appeal qualifying event., Hcpcs fee schedule diagnostic related group formulary claim HEDIS., Centers of excellence claim self-insured admitting privileges self administered primary care physician disenroll SIC., Employee assistance programs self administered cost sharing co-payment covered person critical access hospital., Hospital care R&amp;C charge service area medicare policy year., Hmo ambulatory care episode of care beneficiary HRA clinical practice guidelines preferred provider organization EAPs., Health maintenance organization policy enrollee credentialing defensive medicine., Eob service area guaranteed issue defensive medicine diagnostic related group HCPCS broker impaired risk., Co-insurance administrative services only NAIC workers compensation co-payment standard industrial classification. |
962
- | `word` | network provider, HCFA Common Procedure Coding System, third-party payer |
963
- | `words` | certificate of coverage, medical necessity, medicare supplement, medicare, national association of insurance commissioners, R&amp;C charge, morbidity, managed care, limited policy |
1040
+ | `a` | &lt;a href="#iusto" title="Repellendus quaerat"&gt;Ad suscipit&lt;/a&gt;, &lt;a href="#perferendis" title="A perferendis"&gt;Praesentium sunt&lt;/a&gt;, &lt;a href="#quis" title="Quia incidunt"&gt;Non impedit&lt;/a&gt; |
1041
+ | `body` | &lt;h1&gt;Ex rerum&lt;/h1&gt;&lt;p&gt;&lt;code&gt;vero aliquam&lt;/code&gt; &lt;strong&gt;Quod voluptas&lt;/strong&gt; Inventore sequi sunt magni exercitationem qui sit sapiente. Odio voluptatum unde qui facilis molestiae occaecati optio. Eligendi dolor quas quidem vel nostrum. Quia quis error dolorem quod sequi voluptatem quaerat est.&lt;/p&gt;&lt;p&gt;&lt;code&gt;aut qui&lt;/code&gt; Soluta voluptas qui distinctio non voluptatem atque nemo. Laboriosam eum accusantium earum repudiandae quo dignissimos. Culpa molestiae ipsa ut et earum. Distinctio voluptas perferendis sapiente non omnis quos laudantium perspiciatis. &lt;a href="#incidunt" title="Perferendis officia"&gt;Vel similique&lt;/a&gt;&lt;/p&gt;&lt;p&gt;&lt;a href="#deserunt" title="Nemo nam"&gt;Sit distinctio&lt;/a&gt; &lt;strong&gt;Quia qui&lt;/strong&gt; &lt;code&gt;quibusdam et&lt;/code&gt;&lt;/p&gt;&lt;table&gt;&lt;thead&gt;&lt;tr&gt;&lt;th&gt;Ab&lt;/th&gt;&lt;th&gt;Ex&lt;/th&gt;&lt;th&gt;In&lt;/th&gt;&lt;th&gt;Nam&lt;/th&gt;&lt;/tr&gt;&lt;/thead&gt;&lt;tbody&gt;&lt;tr&gt;&lt;td&gt;Voluptatem&lt;/td&gt;&lt;td&gt;Quia&lt;/td&gt;&lt;td&gt;Dolore&lt;/td&gt;&lt;td&gt;&lt;a href="#consequatur" title="Beatae iste"&gt;Molestias id&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;/tbody&gt;&lt;/table&gt;&lt;h2&gt;Nihil minima&lt;/h2&gt;&lt;ol&gt;&lt;li&gt;Odit quas consequatur error qui delectus corrupti incidunt dolorum. Voluptas reprehenderit officia veritatis non in velit id.&lt;/li&gt;&lt;li&gt;Perspiciatis distinctio repellat quaerat id. Et voluptatem veritatis quia sapiente cupiditate rerum.&lt;/li&gt;&lt;/ol&gt;&lt;blockquote&gt;&lt;p&gt;Sit eveniet dolorum itaque autem rerum numquam soluta officia. Ut sint voluptate est odio iure amet. Ut earum labore dolore ut eos aliquam. Placeat aut eum ut totam odio debitis. Occaecati animi dolores et quia.&lt;br&gt;Nobis delectus sed autem sunt fugiat. Similique praesentium sequi recusandae hic. Illum nesciunt est mollitia consequuntur hic.&lt;br&gt;Quasi sunt dolores consequatur et molestias omnis suscipit. Rerum sed aspernatur iste et. Enim et ab in reiciendis voluptatibus error laudantium nam. Dolorem at et voluptas corrupti occaecati.&lt;/p&gt;&lt;/blockquote&gt;&lt;h3&gt;Nihil non&lt;/h3&gt;&lt;ul&gt;&lt;li&gt;Quia esse laborum natus eveniet corrupti rem. Quae est reprehenderit ea repellendus dolores similique aut.&lt;/li&gt;&lt;li&gt;Est assumenda et in veniam saepe ut. Dolorem eligendi non itaque reiciendis harum error aut voluptas. Unde vitae consequatur aliquam corrupti est.&lt;/li&gt;&lt;li&gt;Voluptatum beatae occaecati velit consectetur.&lt;/li&gt;&lt;/ul&gt;&lt;pre&gt;&lt;code&gt; #perferendis h1 a { display: block; width: 300px; height: 80px; } &lt;/code&gt;&lt;/pre&gt;, &lt;h1&gt;In doloremque&lt;/h1&gt;&lt;p&gt;Sit veritatis libero nihil optio. Occaecati eius assumenda dolores neque facilis. Distinctio ea ullam dolorem at sit. Dolor non necessitatibus itaque ut laborum ea. &lt;em&gt;Culpa hic repellendus dolore sit quis. Ipsum reprehenderit tempore voluptate sunt delectus iure. Temporibus hic sunt excepturi asperiores sit commodi.&lt;/em&gt; &lt;strong&gt;Magni voluptatibus&lt;/strong&gt;&lt;/p&gt;&lt;p&gt;&lt;a href="#esse" title="Molestiae fugiat"&gt;Commodi qui&lt;/a&gt; &lt;strong&gt;Voluptatem quia&lt;/strong&gt; Doloribus autem et sit illo repudiandae aspernatur cupiditate nihil. Amet voluptatum doloribus voluptatem asperiores accusamus maiores animi hic. Maxime pariatur voluptatem voluptas libero culpa et fuga repudiandae. Qui officia deleniti eveniet officiis enim enim.&lt;/p&gt;&lt;table&gt;&lt;thead&gt;&lt;tr&gt;&lt;th&gt;Illo&lt;/th&gt;&lt;th&gt;Et&lt;/th&gt;&lt;th&gt;Dolor&lt;/th&gt;&lt;th&gt;Odio&lt;/th&gt;&lt;/tr&gt;&lt;/thead&gt;&lt;tbody&gt;&lt;tr&gt;&lt;td&gt;Maiores&lt;/td&gt;&lt;td&gt;At&lt;/td&gt;&lt;td&gt;Sit&lt;/td&gt;&lt;td&gt;&lt;a href="#assumenda" title="Quae eum"&gt;Quia qui&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Est&lt;/td&gt;&lt;td&gt;Maiores&lt;/td&gt;&lt;td&gt;Incidunt&lt;/td&gt;&lt;td&gt;&lt;a href="#laudantium" title="Alias ipsa"&gt;Placeat voluptates&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Maxime&lt;/td&gt;&lt;td&gt;Eius&lt;/td&gt;&lt;td&gt;Nam&lt;/td&gt;&lt;td&gt;&lt;a href="#minima" title="Doloremque id"&gt;Ut quis&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;/tbody&gt;&lt;/table&gt;&lt;h2&gt;Voluptatem quis&lt;/h2&gt;&lt;ol&gt;&lt;li&gt;Quis voluptatem et quidem aperiam. Ut nihil ratione illo dolorem. Corrupti corporis expedita distinctio quos eveniet dolorem illum.&lt;/li&gt;&lt;li&gt;Deserunt quas dolor sed alias repellat porro consequatur. Est quis aperiam voluptates et quos cupiditate unde. Voluptatibus vitae corrupti dignissimos blanditiis.&lt;/li&gt;&lt;/ol&gt;&lt;blockquote&gt;&lt;p&gt;Voluptas qui provident qui quis voluptas soluta voluptatem. Rerum et quis voluptas quisquam optio ratione. Voluptas animi sed quas distinctio accusamus tempora aut.&lt;br&gt;Nobis quo rem rerum perspiciatis. Earum cum sit officia architecto et. Aperiam fuga voluptatem ea illum. Porro enim consequatur qui vitae alias.&lt;br&gt;Quisquam ducimus ut qui illum eveniet velit voluptatem. In tenetur molestiae blanditiis rerum. Provident voluptatibus et quasi soluta.&lt;/p&gt;&lt;/blockquote&gt;&lt;h3&gt;Quia non&lt;/h3&gt;&lt;ul&gt;&lt;li&gt;Temporibus magnam voluptas optio corrupti animi nisi. Amet nulla odio fugiat aut possimus. Consequatur officiis velit et eum et quia.&lt;/li&gt;&lt;li&gt;Numquam optio inventore ab maxime eaque et facere sint. Non labore cum placeat necessitatibus aspernatur error magnam enim. Vero ipsam quis est accusamus deserunt.&lt;/li&gt;&lt;li&gt;Earum odio non vitae qui alias voluptates et sapiente. Iste quis nesciunt vel facilis rem blanditiis.&lt;/li&gt;&lt;/ul&gt;&lt;pre&gt;&lt;code&gt; #omnis h1 a { display: block; width: 300px; height: 80px; } &lt;/code&gt;&lt;/pre&gt;, &lt;h1&gt;Optio aut&lt;/h1&gt;&lt;p&gt;&lt;strong&gt;Fuga ut&lt;/strong&gt; &lt;code&gt;dolor sed&lt;/code&gt; &lt;em&gt;Quod qui adipisci velit fugit nihil unde. A quae est ullam dolor eum corrupti fugiat. Ea earum enim voluptatem ratione eum molestiae.&lt;/em&gt;&lt;/p&gt;&lt;p&gt;Nemo dolorum voluptates qui omnis. Est hic dolorum voluptate eum velit. Recusandae cum maiores velit quas ut architecto et. Rerum quisquam consectetur animi sunt saepe officiis suscipit perferendis. Esse rem quasi itaque nihil consequuntur minima. &lt;strong&gt;Minus rem&lt;/strong&gt; Nostrum modi reiciendis expedita pariatur. Ut ab voluptatem voluptatem non dolorum aut quos ut. Cupiditate ab commodi esse consectetur reprehenderit est qui et. Enim aut suscipit autem maxime non sunt.&lt;/p&gt;&lt;table&gt;&lt;thead&gt;&lt;tr&gt;&lt;th&gt;Cum&lt;/th&gt;&lt;th&gt;Sint&lt;/th&gt;&lt;th&gt;Possimus&lt;/th&gt;&lt;th&gt;Suscipit&lt;/th&gt;&lt;/tr&gt;&lt;/thead&gt;&lt;tbody&gt;&lt;/tbody&gt;&lt;/table&gt;&lt;h2&gt;Quo unde&lt;/h2&gt;&lt;ol&gt;&lt;li&gt;Et quia sunt quae sint ab dicta sed. Omnis libero nisi doloremque a vel mollitia enim sed.&lt;/li&gt;&lt;li&gt;Reiciendis animi modi aliquam reprehenderit sunt optio.&lt;/li&gt;&lt;li&gt;Sed dolor soluta rerum consequuntur cumque excepturi. Qui rem asperiores sint nesciunt. Nobis incidunt quia qui et.&lt;/li&gt;&lt;/ol&gt;&lt;blockquote&gt;&lt;p&gt;Doloribus id atque unde error aliquid. Tempora ullam repellat maiores inventore fugiat. Est culpa doloremque aperiam adipisci. Nostrum neque occaecati est minus enim facere.&lt;br&gt;Ut dolor est eum nihil sed ut itaque. Qui aut placeat consequatur dolorum eum aspernatur. Rerum eum quaerat autem omnis. Quisquam quidem sequi vero quo. Aut consequuntur quia aut ea.&lt;br&gt;Aut quia amet voluptatem occaecati assumenda nisi. Quo officiis velit omnis corrupti perferendis accusantium quia. Pariatur quo eveniet adipisci sunt qui. Sit expedita tempore culpa iste necessitatibus quidem. Quia et labore molestiae quis eveniet et.&lt;/p&gt;&lt;/blockquote&gt;&lt;h3&gt;Provident amet&lt;/h3&gt;&lt;ul&gt;&lt;li&gt;Et repudiandae ex maiores et est quia. Deserunt consectetur sed officiis vero qui non temporibus.&lt;/li&gt;&lt;/ul&gt;&lt;pre&gt;&lt;code&gt; #debitis h1 a { display: block; width: 300px; height: 80px; } &lt;/code&gt;&lt;/pre&gt; |
1042
+ | `dl` | &lt;dl&gt;&lt;dt&gt;Maxime&lt;/dt&gt;&lt;dd&gt;Doloremque quis et et reiciendis molestiae sit. Tempore voluptatum nemo qui doloribus est veniam at nihil. Sapiente aperiam exercitationem adipisci perferendis est. Qui et eaque nam quo.&lt;/dd&gt;&lt;dt&gt;Aut&lt;/dt&gt;&lt;dd&gt;Aperiam in excepturi qui ut ea unde. Harum sapiente rerum neque similique quae aut. Consequatur optio sed vel similique.&lt;/dd&gt;&lt;/dl&gt;, &lt;dl&gt;&lt;dt&gt;Incidunt&lt;/dt&gt;&lt;dd&gt;Omnis corrupti dolores laudantium velit aut voluptates. Enim beatae explicabo sed placeat eos. Est impedit est quae et. Velit quo sit aperiam nisi vero quo corrupti.&lt;/dd&gt;&lt;dt&gt;Nobis&lt;/dt&gt;&lt;dd&gt;Blanditiis culpa optio id harum autem nihil non dolor. Laudantium maiores aut suscipit laboriosam ea praesentium sequi in. Ducimus quam inventore et dicta rerum minima consectetur. Corporis quia voluptatem mollitia molestias.&lt;/dd&gt;&lt;/dl&gt;, &lt;dl&gt;&lt;dt&gt;Enim&lt;/dt&gt;&lt;dd&gt;Voluptas est unde magni soluta ducimus quo aut ullam. Consequatur eos asperiores doloribus quisquam ea possimus facere accusantium. Hic nihil tempora earum neque quis quidem inventore. Ut aliquid laborum tempora repudiandae et.&lt;/dd&gt;&lt;dt&gt;Omnis&lt;/dt&gt;&lt;dd&gt;Voluptatem cupiditate tempore voluptate dolorem pariatur ex et corrupti. Commodi quia omnis minima nam incidunt consequuntur voluptatibus harum.&lt;/dd&gt;&lt;/dl&gt; |
1043
+ | `fancy_string` | &lt;code&gt;commodi quisquam&lt;/code&gt; &lt;em&gt;Non voluptates necessitatibus vitae ratione. Natus eius quis dolorum voluptatum sunt eos molestiae dolores. Fuga dolor ipsum voluptates aliquid est occaecati incidunt nisi.&lt;/em&gt; Et nam qui molestias asperiores error dolorem libero modi. Explicabo harum et aut soluta. Est velit natus quae perspiciatis eveniet non. Aliquam magnam itaque unde dolores eligendi delectus omnis. Molestiae tempora vitae aspernatur laudantium sed., &lt;a href="#voluptas" title="Vero aut"&gt;Dolorum voluptate&lt;/a&gt; &lt;code&gt;perspiciatis praesentium&lt;/code&gt; &lt;strong&gt;Ad sit&lt;/strong&gt;, &lt;code&gt;vitae enim&lt;/code&gt; Accusamus qui blanditiis non ut et laudantium molestiae rerum. Eum laudantium autem velit dolores sit pariatur aliquid. Consequatur sed rerum eveniet distinctio odio veniam doloribus quia. Molestias tempore voluptas deserunt magni. Eos vel minus reiciendis qui. &lt;a href="#saepe" title="Ut dolorem"&gt;Consequatur aliquam&lt;/a&gt; |
1044
+ | `ol_long` | &lt;ol&gt;&lt;li&gt;Voluptatem enim corrupti expedita autem ea. Voluptatem temporibus sit aliquid ut odio cum.&lt;/li&gt;&lt;li&gt;Iusto soluta dolor in corrupti commodi esse earum. Officiis magnam illo reiciendis earum. Hic maiores veritatis sint recusandae ut officia. Enim cumque consequatur commodi qui.&lt;/li&gt;&lt;li&gt;Aut quisquam magni cumque qui nobis repellendus. Officia esse quasi itaque nobis quisquam. Pariatur earum et quaerat quo reprehenderit. Accusamus beatae dolores iure corporis esse.&lt;/li&gt;&lt;/ol&gt;, &lt;ol&gt;&lt;li&gt;Qui totam tenetur ex fugit. Et quasi minima et suscipit corrupti. Non dolor placeat voluptas delectus sequi facilis. Est ea repellat et reprehenderit.&lt;/li&gt;&lt;li&gt;Aut explicabo est qui est aliquam iusto. Quia non natus magni voluptatum nihil sed. Delectus quidem ducimus sit corporis est sequi quaerat.&lt;/li&gt;&lt;li&gt;In officiis omnis qui et corrupti magni. Voluptatem repellendus quia laboriosam culpa error maxime.&lt;/li&gt;&lt;/ol&gt;, &lt;ol&gt;&lt;li&gt;Aspernatur molestias consectetur omnis et voluptatem voluptatem modi. Unde quae earum pariatur corrupti saepe repellat. Et id perferendis ea qui. Debitis iusto delectus sed repellendus cupiditate velit eaque consequuntur.&lt;/li&gt;&lt;li&gt;Magni temporibus impedit nisi repellat maiores. Quia quae itaque sit eum eligendi distinctio. Voluptas voluptatem neque dolor sapiente architecto eaque natus. Et reprehenderit sit eos molestiae corrupti.&lt;/li&gt;&lt;li&gt;Repellendus suscipit totam exercitationem corporis architecto. Sit explicabo et animi aliquid id iusto.&lt;/li&gt;&lt;/ol&gt; |
1045
+ | `ol_short` | &lt;ol&gt;&lt;li&gt;Aut dignissimos molestiae aut ut.&lt;/li&gt;&lt;li&gt;Fugiat accusamus perferendis nam at quia corrupti.&lt;/li&gt;&lt;li&gt;Error ullam aut voluptatum.&lt;/li&gt;&lt;/ol&gt;, &lt;ol&gt;&lt;li&gt;Nostrum impedit alias aut maxime architecto fugiat.&lt;/li&gt;&lt;li&gt;Temporibus blanditiis voluptates ipsum cum.&lt;/li&gt;&lt;li&gt;Eos labore dolor sequi praesentium repellendus.&lt;/li&gt;&lt;/ol&gt;, &lt;ol&gt;&lt;li&gt;Et est tempore non ut velit mollitia.&lt;/li&gt;&lt;li&gt;Voluptatem nobis dolores quod.&lt;/li&gt;&lt;li&gt;Hic molestiae at animi ipsam quia.&lt;/li&gt;&lt;/ol&gt; |
1046
+ | `p` | &lt;p&gt;Hic et debitis quia quae. Delectus repellat eius quidem non. Perferendis explicabo laudantium adipisci molestias.&lt;/p&gt;, &lt;p&gt;Aliquid quisquam molestias ipsa quod excepturi beatae quidem maiores. Voluptatibus cum qui nesciunt facere. Repellat et corporis sunt impedit consequuntur distinctio. Sed doloremque quisquam dolores voluptatem. Nostrum quo eos consectetur saepe.&lt;/p&gt;, &lt;p&gt;Nam voluptate aut ducimus temporibus aperiam ut dolorem id. Ut qui sit unde quasi nesciunt voluptas debitis. Vel aut repellat excepturi autem dignissimos exercitationem qui ut. Recusandae dolore quod aliquam sit voluptas quo. Sit rerum dolorum facilis laborum minima asperiores dicta earum.&lt;/p&gt; |
1047
+ | `table` | &lt;table&gt;&lt;thead&gt;&lt;tr&gt;&lt;th&gt;Sit&lt;/th&gt;&lt;th&gt;Tenetur&lt;/th&gt;&lt;th&gt;Repellendus&lt;/th&gt;&lt;th&gt;Magni&lt;/th&gt;&lt;/tr&gt;&lt;/thead&gt;&lt;tbody&gt;&lt;tr&gt;&lt;td&gt;Dolor&lt;/td&gt;&lt;td&gt;Repudiandae&lt;/td&gt;&lt;td&gt;Impedit&lt;/td&gt;&lt;td&gt;&lt;a href="#natus" title="Aut error"&gt;Rerum ullam&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Accusamus&lt;/td&gt;&lt;td&gt;Iure&lt;/td&gt;&lt;td&gt;Iure&lt;/td&gt;&lt;td&gt;&lt;a href="#nobis" title="A soluta"&gt;Quis non&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Cupiditate&lt;/td&gt;&lt;td&gt;Aliquam&lt;/td&gt;&lt;td&gt;At&lt;/td&gt;&lt;td&gt;&lt;a href="#non" title="Sapiente magni"&gt;Nihil ut&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;/tbody&gt;&lt;/table&gt;, &lt;table&gt;&lt;thead&gt;&lt;tr&gt;&lt;th&gt;Est&lt;/th&gt;&lt;th&gt;Deleniti&lt;/th&gt;&lt;th&gt;Occaecati&lt;/th&gt;&lt;th&gt;Voluptatem&lt;/th&gt;&lt;/tr&gt;&lt;/thead&gt;&lt;tbody&gt;&lt;tr&gt;&lt;td&gt;Quas&lt;/td&gt;&lt;td&gt;Sint&lt;/td&gt;&lt;td&gt;Autem&lt;/td&gt;&lt;td&gt;&lt;a href="#iste" title="Commodi expedita"&gt;Voluptas eveniet&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Assumenda&lt;/td&gt;&lt;td&gt;Optio&lt;/td&gt;&lt;td&gt;Dolorem&lt;/td&gt;&lt;td&gt;&lt;a href="#alias" title="Et corrupti"&gt;Magnam nam&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Et&lt;/td&gt;&lt;td&gt;Mollitia&lt;/td&gt;&lt;td&gt;Unde&lt;/td&gt;&lt;td&gt;&lt;a href="#consequatur" title="Enim sint"&gt;Aut et&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;/tbody&gt;&lt;/table&gt;, &lt;table&gt;&lt;thead&gt;&lt;tr&gt;&lt;th&gt;Exercitationem&lt;/th&gt;&lt;th&gt;Alias&lt;/th&gt;&lt;th&gt;Voluptatem&lt;/th&gt;&lt;th&gt;Aperiam&lt;/th&gt;&lt;/tr&gt;&lt;/thead&gt;&lt;tbody&gt;&lt;tr&gt;&lt;td&gt;Dolor&lt;/td&gt;&lt;td&gt;Eos&lt;/td&gt;&lt;td&gt;Laborum&lt;/td&gt;&lt;td&gt;&lt;a href="#laborum" title="Voluptas dolorem"&gt;Tenetur eaque&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Itaque&lt;/td&gt;&lt;td&gt;Asperiores&lt;/td&gt;&lt;td&gt;At&lt;/td&gt;&lt;td&gt;&lt;a href="#omnis" title="Id qui"&gt;Maiores saepe&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Illo&lt;/td&gt;&lt;td&gt;Officiis&lt;/td&gt;&lt;td&gt;Et&lt;/td&gt;&lt;td&gt;&lt;a href="#exercitationem" title="Odit sunt"&gt;Exercitationem magnam&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;/tbody&gt;&lt;/table&gt; |
1048
+ | `ul_links` | &lt;ul&gt;&lt;li&gt;&lt;a href="#occaecati" title="Similique"&gt;Blanditiis&lt;/a&gt;&lt;/li&gt;&lt;li&gt;&lt;a href="#eum" title="Eos"&gt;Iusto&lt;/a&gt;&lt;/li&gt;&lt;li&gt;&lt;a href="#voluptatem" title="Qui"&gt;Nostrum&lt;/a&gt;&lt;/li&gt;&lt;/ul&gt;, &lt;ul&gt;&lt;li&gt;&lt;a href="#ducimus" title="Fugiat"&gt;Sunt&lt;/a&gt;&lt;/li&gt;&lt;li&gt;&lt;a href="#et" title="Fuga"&gt;Et&lt;/a&gt;&lt;/li&gt;&lt;li&gt;&lt;a href="#odio" title="Sapiente"&gt;Nostrum&lt;/a&gt;&lt;/li&gt;&lt;/ul&gt;, &lt;ul&gt;&lt;li&gt;&lt;a href="#animi" title="Quam"&gt;Harum&lt;/a&gt;&lt;/li&gt;&lt;li&gt;&lt;a href="#animi" title="Nihil"&gt;Dolores&lt;/a&gt;&lt;/li&gt;&lt;li&gt;&lt;a href="#qui" title="Alias"&gt;Distinctio&lt;/a&gt;&lt;/li&gt;&lt;/ul&gt; |
1049
+ | `ul_long` | &lt;ul&gt;&lt;li&gt;Numquam molestias odio est minus. Fugiat et nesciunt et sed tempore sed. Tenetur possimus velit corporis fugiat sequi aperiam iste.&lt;/li&gt;&lt;li&gt;Unde quo aspernatur aut ipsam voluptas nam. Aspernatur aut cumque hic consequatur et labore.&lt;/li&gt;&lt;li&gt;Incidunt accusamus facere porro ut ipsum. Commodi quis itaque consequatur nostrum voluptas est cumque natus.&lt;/li&gt;&lt;/ul&gt;, &lt;ul&gt;&lt;li&gt;Nostrum dolores ipsa ut eos dolorem quibusdam officia suscipit. Aut fuga doloremque consectetur et. Beatae architecto sit nihil quis sapiente ipsa consequuntur. Laborum itaque laboriosam aut facilis fuga.&lt;/li&gt;&lt;li&gt;Delectus accusamus dolorem doloribus dolore sapiente porro voluptates corrupti. Commodi molestias iste est eum quisquam quia.&lt;/li&gt;&lt;li&gt;Accusamus minus consequatur delectus excepturi saepe possimus cupiditate. Quis dolores dicta et possimus. Sit nesciunt ullam aut quod ut voluptatem temporibus beatae.&lt;/li&gt;&lt;/ul&gt;, &lt;ul&gt;&lt;li&gt;Quia odio est quis aperiam consequatur vitae. Enim qui voluptatem alias quia. Sit unde aut voluptatem dignissimos reprehenderit et iste. Nihil et quibusdam consequatur a vel harum dolorem.&lt;/li&gt;&lt;li&gt;Non fuga et blanditiis enim. Unde eum minima voluptatem quos labore.&lt;/li&gt;&lt;li&gt;Nam ipsum ex nobis ab vero deserunt. Modi quidem omnis est pariatur ipsa quia. Velit dolores magnam voluptas ut autem corporis.&lt;/li&gt;&lt;/ul&gt; |
1050
+ | `ul_short` | &lt;ul&gt;&lt;li&gt;Qui adipisci voluptate aut dolorum praesentium.&lt;/li&gt;&lt;li&gt;Aspernatur est aut omnis ea et ducimus.&lt;/li&gt;&lt;li&gt;Repellat quia sed magni.&lt;/li&gt;&lt;/ul&gt;, &lt;ul&gt;&lt;li&gt;Dolor reiciendis ut.&lt;/li&gt;&lt;li&gt;Suscipit esse sapiente ut labore.&lt;/li&gt;&lt;li&gt;Rem est esse.&lt;/li&gt;&lt;/ul&gt;, &lt;ul&gt;&lt;li&gt;Corporis unde omnis excepturi eum architecto dolor.&lt;/li&gt;&lt;li&gt;Odit omnis vitae beatae sit minus sapiente.&lt;/li&gt;&lt;li&gt;Hic dolorem doloremque quia.&lt;/li&gt;&lt;/ul&gt; |
964
1051
 
965
- ## FFaker::HipsterIpsum
1052
+ ## FFaker::HealthcareIpsum
966
1053
 
967
1054
  | Method | Example |
968
1055
  | ------ | ------- |
969
- | `characters` | vjucvxzrif9zndeaxdzjrltt6dc78a7nusrrspm69tq1z6367i9y9jsqh2kv1rue6doprbrvagxtyv3fxb6lnmpu6q8wsw5jm4uw04f722zrbn57pfxey0je4ix85wrcgypx4nmwlab6t0te93pxkae4fc01yjvdwg8p801tk8j8pu381uqh50t123khujaobbq6lbyw810b6xo62ll9rrgitplgaoi9m1pwflczxicytdc5a06wr3feq123k2l, 6d2po40wbx4ae9p52ga2xoakcfd1tupie0anqypotn8mz84ecxsw62v3z9tcq5t8mvb3ycq88gc28e3hcwfruexzt6mz4de5eg448c630qxcokv8d3gkogcgfltfjjcftfpknuut2i05ue6b4jx7uqyw1n3djjicku5kypqbzkrdch06l1sv8w5qihnlte730ets2jv3p8ku32l829cma2mrf00nefgitmuozp8jcrm7bjikxd40wvz9guby289, kd05vva65squlirit0glp929osoqds61zx1pef4oxarphalvhgug53s6meot06euq08hdcnatd4e4rarcbd7kc4tm6cy6fr45b8bkezqlhanifx4okwdy8jgs6czvz3ugsnh9gy5joc7q04uin0kb6aau7b7i9zg2huzk2eyh7jbeg6xiwhc69rh0g9jj6y4t8amdvnn5a5du358q6azeiu33gpzk7axlohj16f406cmqbrer78i76o8tbatxhn |
970
- | `paragraph` | Brunch craft beer seitan letterpress cred Brooklyn. Etsy PBR Carles blog whatever cardigan. Helvetica McSweeney's keytar Williamsburg next level trust fund 8-bit Brooklyn VHS. Scenester vinyl mixtape fanny pack thundercats bicycle rights gentrify synth., Hoodie echo park next level mlkshk skateboard. Master cleanse scenester keffiyeh tofu fanny pack. Trust fund letterpress high life salvia brunch Marfa. Vegan jean shorts blog viral scenester. Pbr Shoreditch yr freegan thundercats., Leggings cliche next level freegan retro put a bird on it. Salvia Austin jean shorts iPhone art Rerry Richardson. Readymade high life synth biodiesel mixtape twee fixie. Farm-to-table art ethical tattooed squid. Yr tattooed chambray tumblr messenger bag food truck retro seitan mustache. |
971
- | `paragraphs` | Fanny pack Carles squid you probably haven't heard of them lo-fi photo booth jean shorts food truck. Rerry richardson twee Wes Anderson retro hoodie party. Readymade Four Loko Portland freegan McSweeney's lomo. Cardigan Shoreditch master cleanse artisan art lo-fi., Put a bird on it twee thundercats cliche irony butcher. Aesthetic tofu high life mixtape 8-bit thundercats. Carles you probably haven't heard of them Cosby Sweater mustache messenger bag. Salvia fanny pack synth single-origin coffee retro readymade organic put a bird on it mixtape. Leggings bicycle rights Pitchfork chambray irony., Stumptown Austin Wayfarers viral biodiesel. Carles mustache fanny pack locavore organic. Cred etsy DIY Williamsburg single-origin coffee cardigan. 8-bit Williamsburg helvetica blog viral. +1 Four Loko Austin Wayfarers Pitchfork., Twee sartorial biodiesel ethical raw denim keffiyeh. Carles Marfa party cliche American Apparel. Biodiesel high life artisan you probably haven't heard of them echo park mustache Carles. Cardigan gentrify ethical PBR seitan., Blog squid sustainable +1 butcher mustache synth aesthetic cardigan. Brooklyn master cleanse bicycle rights tofu Shoreditch. Brunch keffiyeh cliche DIY butcher. Rerry richardson raw denim leggings PBR vinyl chambray., Pbr gluten-free bicycle rights keytar jean shorts. Quinoa stumptown biodiesel keytar vegan blog. Chambray scenester trust fund you probably haven't heard of them iPhone Brooklyn etsy sustainable., +1 letterpress organic tofu high life sartorial artisan cred hoodie. Master cleanse next level irony lomo lo-fi readymade quinoa. Mustache mixtape letterpress fixie banh mi scenester you probably haven't heard of them mlkshk DIY. Banksy freegan fap irony farm-to-table lo-fi. Master cleanse art banh mi Williamsburg leggings., Helvetica Carles dreamcatcher butcher jean shorts. Farm-to-table brunch single-origin coffee thundercats lo-fi photo booth Cosby Sweater Banksy. Letterpress vegan art helvetica moon ethical high life., Austin trust fund letterpress blog VHS stumptown cliche. Ethical Four Loko keffiyeh Rerry Richardson hoodie Portland thundercats butcher Wayfarers. Mixtape dreamcatcher Pitchfork organic seitan. |
972
- | `phrase` | Tattooed artisan mlkshk cred lomo gluten-free letterpress., Marfa Brooklyn put a bird on it biodiesel next level tumblr mlkshk whatever McSweeney's., Stumptown cardigan yr moon Banksy banh mi master cleanse. |
973
- | `phrases` | Mcsweeney's organic party Cosby Sweater vice retro messenger bag artisan Williamsburg., Mixtape tofu etsy gluten-free mlkshk., Farm-to-table squid lo-fi wolf Rerry Richardson stumptown craft beer mixtape., Sartorial banh mi craft beer PBR fanny pack., Whatever VHS irony American Apparel jean shorts., Before they sold out Wayfarers Cosby Sweater Brooklyn freegan Pitchfork viral moon banh mi., Gluten-free mlkshk craft beer gentrify tofu., Butcher aesthetic quinoa letterpress stumptown gluten-free synth wolf., Diy viral retro letterpress next level squid. |
974
- | `sentence` | Banh mi McSweeney's Pitchfork vinyl wolf skateboard synth quinoa Cosby Sweater., Cliche dreamcatcher organic next level tattooed seitan party., Cardigan +1 gluten-free 8-bit viral banh mi. |
975
- | `sentences` | Put a bird on it quinoa sartorial skateboard vinyl., Rerry richardson trust fund mlkshk banh mi vinyl Marfa butcher brunch readymade., Dreamcatcher biodiesel banh mi Carles Four Loko master cleanse., Salvia vice echo park viral bicycle rights Rerry Richardson PBR Cosby Sweater etsy., Lo-fi irony vegan Banksy hoodie keytar., Artisan master cleanse helvetica tofu mustache photo booth chambray., Butcher fanny pack messenger bag viral food truck., Retro biodiesel leggings organic Portland master cleanse vice skateboard., Moon thundercats salvia cred before they sold out iPhone Rerry Richardson American Apparel gluten-free. |
976
- | `word` | raw denim, freegan, before they sold out |
977
- | `words` | Cosby Sweater, single-origin coffee, beard, sartorial, tofu, stumptown, tofu, mustache, Wayfarers |
1056
+ | `characters` | bzmklxur843drij8ax92wiru8v5at26qnzqempqg0zyc6bxb81ml322g3jszxm8g9ul8ijf7myabywsc5axw1hukolsbx5f1a2a7d7tt6bja2o34q8hlgkup5nq847ep33sizic87q7wi7p0lrp5uh4ky8ecv5bs9q04esv5a85jk3uwtacpt3lmgqqthuqkrzbr9by18ftkyk9drj6u7fehw4n357duh3vtpnbl5fnbn53zfxlcn2jr78ll693, prbv4y986m8y4oaw6pxqfv2ovhugqyxwszuxms91sc3pqc98mchqeuu4jmlu6ngqfd7qv3tffpm3ushsbe02pnejloa2ey3bcnim7ix66euuvl8wjln01jlkpv3fi2i8zxx2k4xn5r4u9dmocze1qtcq8r8475fa0brxr6asb14lsus16vy7tem53i15isula00uplitl2wlpx2uo3ie79as6p44d6x2tqs5alj1hmg6vpfiq61g44jm9kkogd6, 9tfv0544l6nnh0u4q7gx7zvh5lpukgjbi5c5isp8ul5wthdgi4qtw4t09cudls9jekpc27vq7xlbzitwahdf5nsemefo8guox1sx4e45fpzf3fn1eakyym4fm47f7vhm9qqzfatsg4atx8kkl3k7he01je3rz55a6j1ri9bk1bdr0pj1jdze4l5f4qmd876oql11wrsgqye0p0c2daa20g8805wri02n4iq4z5t745rg70wn7xu4qcprip4vess |
1057
+ | `paragraph` | Assignment of benefits medically necessary designated facility referral pre-admission testing credentialing network provider rider. Creditable coverage fee schedule short-term medical insurance IPA current procedural terminology. Evidence of insurability managed care qualifying event administrative services only exclusion period SIC IPA renewal. Eligible expenses portability flexible spending account eligible dependent medigap master policy accredited creditable coverage. Gatekeeper guaranteed issue state-mandated benefits explanation of benefits major medical pregnancy care deductible., Care plan self-insured HIPAA premium HCFA Common Procedure Coding System rider independent practice associations. R&amp;c charge pre-authorization third-party payer rider case manager beneficiary. Renewal beneficiary EOB DRG custodial care incurral date national committee for quality assurance limited policy any willing provider laws. Centers of excellence high deductible health plan out-of-network credentialing impaired risk pre-certification benefit cap formulary., Eob morbidity out-of-plan inpatient care referral independent practice associations assignment of benefits policy year. Claim covered benefit participating provider current procedural terminology medicare insured HDHP medical savings account diagnostic related group. Hcpcs short-term medical insurance hospital care network FSA indemnity health plan formulary. Cobra health reimbursement arrangement HRA state insurance department concurrent review. |
1058
+ | `paragraphs` | Medical necessity exclusions and limitations PCP pre-authorization independent practice associations. Policy year benefit cap clinical practice guidelines current procedural terminology incurral date. State insurance department HDHP cost sharing HCPCS HEDIS NAIC limited policy case manager. Medicaid cost sharing policy year major medical health savings account grievance PCP. Accredited attachment pre-admission review accreditation HCPCS high deductible health plan case management gatekeeper., Ipa fee schedule medicaid free-look period NCQA. Ncqa co-insurance diagnostic related group rider renewal. Explanation of benefits enrollee eligible expenses EAPs skilled nursing facility grievance employee assistance programs COB. National drug code benefit cap beneficiary prior authorization HRA usual and customary charge. Creditable coverage coordination of benefits accreditation qualifying event free-look period admitting privileges well-baby care., Independent practice associations ASO medigap admitting privileges second surgical opinion certificate of coverage pregnancy care health insurance portability &amp;amp; accountability act critical access hospital. Naic certificate of coverage critical access hospital case manager rider cost sharing health insurance portability &amp;amp; accountability act insured flexible spending account. Out-of-network primary care physician first dollar coverage evidence of insurability benefit SIC disenroll., Clinical practice guidelines R&amp;C charge rider eligible expenses network provider. Board certified utilization review open enrollment HCFA Common Procedure Coding System international classification of diseases, 9th revision, clinical modification icd-9-cm NAIC health reimbursement arrangement state insurance department. Denial of claim exclusions and limitations pre-existing condition network provider deductible carry over credit certificate of coverage policy HMO premium., Centers of excellence standard industrial classification permanent insurance certificate of coverage urgent care HIPAA HCFA Common Procedure Coding System qualifying event referral. Ipa attachment primary care physician pre-certification provider DRG. Ndc self-insured HRA fee-for-service guaranteed issue MSA participating provider., Drg creditable coverage coordination of benefits grievance medical necessity critical access hospital. Board certified pre-admission testing designated facility medicaid exclusion period special benefit networks. Qualifying event accreditation custodial care SIC HMO HEDIS. Certificate of coverage capitation pre-certification medical necessity appeal., Appeal NDC covered charges/expenses flexible benefit plan evidence of insurability. Co-payment FSA disenroll gatekeeper policy year medically necessary current procedural terminology CPT formulary. Pre-admission review HCFA Common Procedure Coding System premium deductible medicaid consolidated omnibus budget reconciliation act. Pre-admission review critical access hospital high deductible health plan HIPAA covered benefit preferred provider organization episode of care. Ppo lifetime maximum special benefit networks health reimbursement arrangement national committee for quality assurance NAIC capitation inpatient care., Indemnity health plan deductible MSA DRG medically necessary inpatient care medicare lifetime maximum dependent. Ndc admitting physician any willing provider laws first dollar coverage medicaid health maintenance organization concurrent review state-mandated benefits lifetime maximum. Hcfa common procedure coding system second surgical opinion utilization review inpatient care health maintenance organization reasonable and customary workers compensation. Covered charges/expenses NCQA usual and customary charge capitation reasonable and customary special benefit networks qualifying event., Denial of claim fee schedule certificate of coverage third-party payer policy year covered charges/expenses utilization review. Risk health savings account health insurance portability &amp;amp; accountability act pre-authorization EAPs. Schedule of benefits and exclusions explanation of benefits claim fee schedule defensive medicine. Certificate of coverage gatekeeper coordination of benefits benefit cap rider CPT. Deductible major medical portability HCPCS formulary. |
1059
+ | `phrase` | Impaired risk exclusions and limitations DRG discharge planning health insurance portability &amp;amp; accountability act primary care physician gatekeeper HMO., Co-payment second surgical opinion DRG hospice care international classification of diseases, 9th revision, clinical modification icd-9-cm evidence of insurability denial of claim board certified., Defensive medicine PPO medical savings account flexible spending account premium creditable coverage accredited. |
1060
+ | `phrases` | Wellness office visit well-baby care lapse medicare medical necessity., Medicaid out-of-network free-look period open enrollment PCP PPO consolidated omnibus budget reconciliation act administrative services only., Nonrenewable hospital-surgical coverage explanation of benefits dependent policy year., Lifetime maximum attachment broker medicare supplement open enrollment accredited., Claim covered person wellness office visit general agent guaranteed issue., Pre-certification EOB effective date guaranteed issue international classification of diseases, 9th revision, clinical modification icd-9-cm pre-authorization., Hedis COB concurrent review state insurance department SIC ancillary services co-payment., Workers compensation standard industrial classification self-insured medically necessary medicaid agent of record., Full-time student out-of-plan home health care medicaid group health plan. |
1061
+ | `sentence` | First dollar coverage standard industrial classification PPO co-insurance effective date pregnancy care., Board certified benefit incurral date covered benefit health maintenance organization primary care physician permanent insurance., Network workers compensation international classification of diseases, 9th revision, clinical modification icd-9-cm cost sharing skilled nursing facility provider DRG. |
1062
+ | `sentences` | Portability policy underwriting defensive medicine out-of-network., Case manager EAPs dependent HRA master policy open enrollment indemnity health plan administrative services only referral., Self administered grievance wellness office visit provider medicare well-baby care agent of record medical necessity., Claim case manager wellness office visit fee schedule well-baby care covered person agent of record nonrenewable., National committee for quality assurance lapse staff model discharge planning COB out-of-plan independent practice associations., Policyholder health insurance portability &amp;amp; accountability act urgent care coordination of benefits NDC coordinated care IPA stop-loss provisions disenroll., Master policy misrepresentation effective date care plan medical necessity ASO HSA eligible expenses standard industrial classification., Special benefit networks underwriting CPT health care provider NCQA schedule of benefits and exclusions accredited., Indemnity health plan medicaid preferred provider organization state-mandated benefits third-party payer medicare supplement health employer data and information set referral well-baby care. |
1063
+ | `word` | high deductible health plan, usual and customary charge, MSA |
1064
+ | `words` | noncancellable policy, skilled nursing facility, agent of record, contract year, free-look period, lifetime maximum, care plan, covered benefit, lifetime maximum |
978
1065
 
979
- ## FFaker::HTMLIpsum
1066
+ ## FFaker::HipsterIpsum
980
1067
 
981
1068
  | Method | Example |
982
1069
  | ------ | ------- |
983
- | `a` | &lt;a href="#temporibus" title="Illum expedita"&gt;Culpa sint&lt;/a&gt;, &lt;a href="#sit" title="Maxime eaque"&gt;Est sed&lt;/a&gt;, &lt;a href="#magnam" title="Et quia"&gt;Repellat veniam&lt;/a&gt; |
984
- | `body` | &lt;h1&gt;Quisquam voluptate&lt;/h1&gt;&lt;table&gt;&lt;thead&gt;&lt;tr&gt;&lt;th&gt;Dolores&lt;/th&gt;&lt;th&gt;Omnis&lt;/th&gt;&lt;th&gt;Consequatur&lt;/th&gt;&lt;th&gt;Consectetur&lt;/th&gt;&lt;/tr&gt;&lt;/thead&gt;&lt;tbody&gt;&lt;tr&gt;&lt;td&gt;Sit&lt;/td&gt;&lt;td&gt;Reiciendis&lt;/td&gt;&lt;td&gt;Eius&lt;/td&gt;&lt;td&gt;&lt;a href="#pariatur" title="Distinctio accusantium"&gt;Voluptas ut&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Nulla&lt;/td&gt;&lt;td&gt;Voluptate&lt;/td&gt;&lt;td&gt;Alias&lt;/td&gt;&lt;td&gt;&lt;a href="#dolore" title="Nisi tenetur"&gt;Veniam ut&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;/tbody&gt;&lt;/table&gt;&lt;h2&gt;Asperiores repudiandae&lt;/h2&gt;&lt;ol&gt;&lt;li&gt;Deserunt quia est similique molestiae eos. Cumque odit laudantium rerum quia eaque consequatur.&lt;/li&gt;&lt;/ol&gt;&lt;blockquote&gt;&lt;p&gt;Explicabo inventore aut rerum sint. Dolorem voluptates aut voluptas eum. Voluptas odio dolor cupiditate consequatur at et neque. Quia asperiores atque distinctio placeat aliquid quia qui aliquam.&lt;br&gt;Ut quaerat et omnis eligendi reprehenderit aliquam. Exercitationem illum quo sed itaque. Veniam quasi culpa voluptate et harum dolorum.&lt;br&gt;Labore excepturi dolorem debitis est rerum minus. Quo quam corporis est facere vel ut illo itaque. Voluptatibus blanditiis consectetur ipsa voluptas id. Voluptatem omnis aut consequatur suscipit.&lt;/p&gt;&lt;/blockquote&gt;&lt;h3&gt;Autem rerum&lt;/h3&gt;&lt;ul&gt;&lt;li&gt;Ut autem ducimus qui atque rerum.&lt;/li&gt;&lt;li&gt;Error aut dolor quia et ut minima quo explicabo.&lt;/li&gt;&lt;li&gt;Sint et nulla consequatur labore soluta possimus quo adipisci. Non ullam eveniet accusantium et sequi.&lt;/li&gt;&lt;/ul&gt;&lt;pre&gt;&lt;code&gt; #eveniet h1 a { display: block; width: 300px; height: 80px; } &lt;/code&gt;&lt;/pre&gt;, &lt;h1&gt;Quos nemo&lt;/h1&gt;&lt;p&gt;&lt;code&gt;id culpa&lt;/code&gt; Dolore a earum in vitae. Sed corrupti qui ut eveniet ut similique et. Excepturi qui ex voluptates quasi sunt. Rerum temporibus facere hic sunt enim. Qui in hic sit aut laboriosam qui velit. &lt;strong&gt;Dolorem ut&lt;/strong&gt;&lt;/p&gt;&lt;p&gt;&lt;em&gt;Odit explicabo minima quisquam delectus in sint placeat neque. Ut recusandae occaecati iste consequuntur molestiae quia odit unde. Quam possimus minima architecto et molestias. Omnis ad est tenetur veniam. Facere non corporis minus sed qui tempore nemo ut.&lt;/em&gt; Repellat aspernatur cupiditate quod corporis nemo ut. Cumque repellat blanditiis aut deserunt. Hic id voluptatem consequatur expedita. Aut illo saepe id laboriosam sint. &lt;strong&gt;Aut eius&lt;/strong&gt;&lt;/p&gt;&lt;p&gt;Inventore amet quo ex laudantium. Commodi hic iusto velit doloribus deleniti voluptas laboriosam. Est asperiores voluptates autem qui omnis id aperiam. &lt;strong&gt;Aut nulla&lt;/strong&gt; &lt;em&gt;Consectetur quo molestias aliquid recusandae atque. Aut similique cupiditate minus distinctio. Corporis totam voluptatem distinctio expedita nobis.&lt;/em&gt;&lt;/p&gt;&lt;table&gt;&lt;thead&gt;&lt;tr&gt;&lt;th&gt;Incidunt&lt;/th&gt;&lt;th&gt;Quibusdam&lt;/th&gt;&lt;th&gt;Itaque&lt;/th&gt;&lt;th&gt;Corrupti&lt;/th&gt;&lt;/tr&gt;&lt;/thead&gt;&lt;tbody&gt;&lt;tr&gt;&lt;td&gt;Officiis&lt;/td&gt;&lt;td&gt;Eum&lt;/td&gt;&lt;td&gt;Expedita&lt;/td&gt;&lt;td&gt;&lt;a href="#qui" title="Et sequi"&gt;Voluptates cumque&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Expedita&lt;/td&gt;&lt;td&gt;Et&lt;/td&gt;&lt;td&gt;Sint&lt;/td&gt;&lt;td&gt;&lt;a href="#vitae" title="Autem et"&gt;Et voluptate&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Minima&lt;/td&gt;&lt;td&gt;Esse&lt;/td&gt;&lt;td&gt;Minima&lt;/td&gt;&lt;td&gt;&lt;a href="#harum" title="Non expedita"&gt;Enim itaque&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;/tbody&gt;&lt;/table&gt;&lt;h2&gt;Autem omnis&lt;/h2&gt;&lt;ol&gt;&lt;/ol&gt;&lt;blockquote&gt;&lt;p&gt;Vel officia porro eum voluptas rerum. Ea qui sed natus optio itaque omnis iste. Aut ut beatae repudiandae id quibusdam quis ipsum. Quo et architecto commodi ad omnis ducimus tenetur molestiae.&lt;br&gt;Quos et et ea amet. Illum autem praesentium iure ducimus sint. Ea ad totam aliquid sit. Atque exercitationem natus excepturi ut assumenda. Ullam est sunt et sed.&lt;br&gt;Dolore non expedita aliquid neque ipsam inventore cupiditate laudantium. Voluptatem odit a eum beatae. Consequuntur autem quae et est debitis similique saepe odit. Eaque vero magni soluta vitae et earum dolore. Vitae perspiciatis nihil ut ab.&lt;/p&gt;&lt;/blockquote&gt;&lt;h3&gt;Soluta qui&lt;/h3&gt;&lt;ul&gt;&lt;li&gt;Omnis et facere eum reprehenderit maxime dolor natus ut. Odio itaque harum delectus illum. Ut dolores fugiat est cum autem esse tempore.&lt;/li&gt;&lt;li&gt;Sit vero velit enim qui deserunt totam dolore.&lt;/li&gt;&lt;/ul&gt;&lt;pre&gt;&lt;code&gt; #repellendus h1 a { display: block; width: 300px; height: 80px; } &lt;/code&gt;&lt;/pre&gt;, &lt;h1&gt;Error non&lt;/h1&gt;&lt;p&gt;Ea et placeat et culpa pariatur non ipsa. Exercitationem ad odit eos et consectetur non accusamus. Sit exercitationem non porro quod nisi explicabo ut aut. &lt;strong&gt;Molestiae nesciunt&lt;/strong&gt; Iusto omnis praesentium eveniet ullam rerum fugit quibusdam. Illum repudiandae sapiente deserunt molestiae et. Hic sunt modi mollitia quidem consequuntur. Rerum autem quibusdam et ratione.&lt;/p&gt;&lt;table&gt;&lt;thead&gt;&lt;tr&gt;&lt;th&gt;Laboriosam&lt;/th&gt;&lt;th&gt;Mollitia&lt;/th&gt;&lt;th&gt;Aliquid&lt;/th&gt;&lt;th&gt;Eum&lt;/th&gt;&lt;/tr&gt;&lt;/thead&gt;&lt;tbody&gt;&lt;tr&gt;&lt;td&gt;Eius&lt;/td&gt;&lt;td&gt;Suscipit&lt;/td&gt;&lt;td&gt;Quos&lt;/td&gt;&lt;td&gt;&lt;a href="#quae" title="Exercitationem ipsa"&gt;Ex ut&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Quaerat&lt;/td&gt;&lt;td&gt;Ea&lt;/td&gt;&lt;td&gt;Est&lt;/td&gt;&lt;td&gt;&lt;a href="#rem" title="Nihil quasi"&gt;Quam voluptatibus&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;/tbody&gt;&lt;/table&gt;&lt;h2&gt;Rerum sequi&lt;/h2&gt;&lt;ol&gt;&lt;/ol&gt;&lt;blockquote&gt;&lt;p&gt;Sit sint perspiciatis et qui ut eaque numquam. Labore animi eos aut modi. Eum adipisci veritatis in distinctio.&lt;br&gt;Reiciendis qui consectetur earum fugit. In nulla ab doloremque possimus quidem non atque pariatur. Recusandae consectetur voluptate sint commodi perferendis quasi.&lt;br&gt;Omnis saepe ea dolorem dolores est est dolorum. Ipsam quo reprehenderit ut neque eum. Aut ut iste non debitis reprehenderit. Aut non reprehenderit rem officiis officia dignissimos.&lt;/p&gt;&lt;/blockquote&gt;&lt;h3&gt;Consequatur quisquam&lt;/h3&gt;&lt;ul&gt;&lt;li&gt;Accusamus quia ratione quia omnis. Voluptas labore dolor quam autem aut repudiandae veniam et. Libero aut officia dolores animi fuga delectus porro error.&lt;/li&gt;&lt;/ul&gt;&lt;pre&gt;&lt;code&gt; #nesciunt h1 a { display: block; width: 300px; height: 80px; } &lt;/code&gt;&lt;/pre&gt; |
985
- | `dl` | &lt;dl&gt;&lt;dt&gt;At&lt;/dt&gt;&lt;dd&gt;Nesciunt aut voluptate natus omnis quam explicabo blanditiis. Aperiam nisi quidem non ipsam earum. Molestiae ea et illum qui laudantium quasi aliquid.&lt;/dd&gt;&lt;dt&gt;Quaerat&lt;/dt&gt;&lt;dd&gt;Et voluptatum sit porro a. Omnis repellat ab sit perspiciatis vitae voluptate. Et vitae quod vero ut. Quidem nulla quo et fugiat hic.&lt;/dd&gt;&lt;/dl&gt;, &lt;dl&gt;&lt;dt&gt;Non&lt;/dt&gt;&lt;dd&gt;Reiciendis doloribus et itaque maxime saepe voluptatem accusamus. Earum eius soluta quia ad.&lt;/dd&gt;&lt;dt&gt;Velit&lt;/dt&gt;&lt;dd&gt;Sit tempora quo amet ea sunt. Est unde labore a optio autem tempora alias. Omnis vitae voluptas eum consectetur possimus sed aliquam nobis.&lt;/dd&gt;&lt;/dl&gt;, &lt;dl&gt;&lt;dt&gt;Excepturi&lt;/dt&gt;&lt;dd&gt;Tempore perferendis ex vel est repellat et in. Necessitatibus optio porro harum enim illum molestias pariatur repellendus.&lt;/dd&gt;&lt;dt&gt;Odio&lt;/dt&gt;&lt;dd&gt;Amet quis eligendi sit ab ex quia laboriosam. Ex sed voluptatem nostrum aut qui eaque ut sed. Repudiandae accusamus ut aut maiores id iste optio ex. Fugiat et iste qui in.&lt;/dd&gt;&lt;/dl&gt; |
986
- | `fancy_string` | Natus ea dignissimos error aliquam ea iste eum. Nulla tempora placeat veritatis aut accusamus corporis quasi. Consequuntur iure beatae voluptate est. Labore qui accusamus dicta eum exercitationem vitae dignissimos. Id commodi reprehenderit animi provident. &lt;em&gt;Quo aut doloribus ad fugit. Sequi modi est voluptatem adipisci. Quibusdam velit dolorem veritatis quia architecto. Culpa amet id voluptas aut. Ipsam impedit qui nihil rem perferendis.&lt;/em&gt; &lt;code&gt;autem aliquam&lt;/code&gt;, Corrupti autem odit voluptatum sequi ut et iste dolore. Quam voluptate velit laborum ut qui vitae. Temporibus repellendus atque nesciunt exercitationem. Consequatur provident amet atque voluptas. Ut dolorem expedita velit repudiandae mollitia perferendis magni. Quisquam laborum et facilis nisi harum aperiam voluptas. Laudantium et cupiditate at numquam id. Hic earum est quia nisi perspiciatis optio quis. Cum praesentium dolor enim rem dolores sit., Voluptatem aspernatur animi quam est quaerat. Aspernatur et quae doloremque sunt. Qui dignissimos reiciendis excepturi recusandae magnam illo quam. &lt;em&gt;Aut dolorum laboriosam dolorem pariatur minima et rem et. Et temporibus sed aliquid tempora voluptatum. Qui labore voluptatem rerum nesciunt voluptatum ipsum esse pariatur. Vitae optio suscipit sit at. Fugiat consectetur quis quos magnam ut quia.&lt;/em&gt; &lt;code&gt;qui ea&lt;/code&gt; |
987
- | `ol_long` | &lt;ol&gt;&lt;li&gt;Voluptatibus dolor possimus corrupti nobis aut suscipit est rerum. Id minus ut sapiente assumenda incidunt architecto. Quia dolores similique mollitia aliquid asperiores a et.&lt;/li&gt;&lt;li&gt;Aut molestiae non nulla animi modi neque debitis sunt. Doloribus rerum ex et assumenda quisquam. Rerum qui ullam suscipit aperiam. Exercitationem error eveniet voluptatum ipsam quasi ut.&lt;/li&gt;&lt;li&gt;Repudiandae perferendis magnam vero architecto quibusdam facilis. Nisi similique ipsa incidunt a dolores et iste animi. Sunt ipsam sapiente praesentium vel excepturi eligendi velit ipsum. Enim harum reprehenderit ab voluptatem sunt consectetur.&lt;/li&gt;&lt;/ol&gt;, &lt;ol&gt;&lt;li&gt;Quam ut consequuntur similique inventore. Sed molestias quo reprehenderit eius qui cum. Sint eum dicta debitis quibusdam.&lt;/li&gt;&lt;li&gt;Eum deserunt fuga necessitatibus ea temporibus aliquam eos voluptas. Eaque placeat rerum numquam quia distinctio aut ut.&lt;/li&gt;&lt;li&gt;Consequuntur occaecati deleniti sed nemo dolore nesciunt. Dolores incidunt est rerum qui. Est tenetur sit numquam laborum quis officiis voluptatem.&lt;/li&gt;&lt;/ol&gt;, &lt;ol&gt;&lt;li&gt;Praesentium inventore sed beatae nemo consectetur. Porro dignissimos explicabo saepe occaecati. Vel autem fugiat optio et ut est veniam. Enim perferendis porro harum repellat earum qui.&lt;/li&gt;&lt;li&gt;Vitae rerum voluptatem voluptas tenetur repellat maxime. Rem voluptatem quidem quod dolores nihil mollitia sed a.&lt;/li&gt;&lt;li&gt;Culpa dignissimos non occaecati delectus. Et consequatur ullam expedita neque hic laudantium in. Hic ipsam ipsa dicta quo non aut officiis.&lt;/li&gt;&lt;/ol&gt; |
988
- | `ol_short` | &lt;ol&gt;&lt;li&gt;Repellat id reiciendis fuga.&lt;/li&gt;&lt;li&gt;Molestiae quia ut vero perspiciatis eligendi iusto.&lt;/li&gt;&lt;li&gt;Quam corrupti voluptas sed aut ut nobis.&lt;/li&gt;&lt;/ol&gt;, &lt;ol&gt;&lt;li&gt;Qui nam fugiat qui perspiciatis vero.&lt;/li&gt;&lt;li&gt;Ea est debitis odio.&lt;/li&gt;&lt;li&gt;Eos aspernatur quae.&lt;/li&gt;&lt;/ol&gt;, &lt;ol&gt;&lt;li&gt;Eius non quia cum molestiae.&lt;/li&gt;&lt;li&gt;Et consequatur eos magni repellendus.&lt;/li&gt;&lt;li&gt;Et porro placeat.&lt;/li&gt;&lt;/ol&gt; |
989
- | `p` | &lt;p&gt;Fugiat eius facere soluta qui et. Sit labore sit odit qui minima placeat ut. Nam illo repellat aut facere. Nobis reiciendis quibusdam eligendi vel doloribus voluptate. Dolore reiciendis rerum quo dolorum voluptas unde in officiis.&lt;/p&gt;, &lt;p&gt;Quam minima quaerat rerum omnis fuga aut. Quo consectetur autem reprehenderit dicta iste ex omnis. Et eligendi consequuntur voluptatum voluptatem.&lt;/p&gt;, &lt;p&gt;Quasi non voluptatibus et debitis dolorem est aut tempore. Ipsam asperiores autem adipisci maiores. Id voluptatem tempora fugit expedita. Qui soluta iure fugit aut.&lt;/p&gt; |
990
- | `table` | &lt;table&gt;&lt;thead&gt;&lt;tr&gt;&lt;th&gt;Id&lt;/th&gt;&lt;th&gt;Et&lt;/th&gt;&lt;th&gt;Culpa&lt;/th&gt;&lt;th&gt;Consequuntur&lt;/th&gt;&lt;/tr&gt;&lt;/thead&gt;&lt;tbody&gt;&lt;tr&gt;&lt;td&gt;Modi&lt;/td&gt;&lt;td&gt;Et&lt;/td&gt;&lt;td&gt;Dolores&lt;/td&gt;&lt;td&gt;&lt;a href="#rerum" title="Qui voluptas"&gt;Quaerat et&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Architecto&lt;/td&gt;&lt;td&gt;Eaque&lt;/td&gt;&lt;td&gt;Enim&lt;/td&gt;&lt;td&gt;&lt;a href="#quia" title="Ut cumque"&gt;Autem recusandae&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Sit&lt;/td&gt;&lt;td&gt;Velit&lt;/td&gt;&lt;td&gt;Autem&lt;/td&gt;&lt;td&gt;&lt;a href="#recusandae" title="Soluta voluptas"&gt;Sit dolore&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;/tbody&gt;&lt;/table&gt;, &lt;table&gt;&lt;thead&gt;&lt;tr&gt;&lt;th&gt;Libero&lt;/th&gt;&lt;th&gt;In&lt;/th&gt;&lt;th&gt;Est&lt;/th&gt;&lt;th&gt;Pariatur&lt;/th&gt;&lt;/tr&gt;&lt;/thead&gt;&lt;tbody&gt;&lt;tr&gt;&lt;td&gt;Nam&lt;/td&gt;&lt;td&gt;Debitis&lt;/td&gt;&lt;td&gt;Necessitatibus&lt;/td&gt;&lt;td&gt;&lt;a href="#nobis" title="Voluptatum optio"&gt;Quia cumque&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Voluptates&lt;/td&gt;&lt;td&gt;Excepturi&lt;/td&gt;&lt;td&gt;Iste&lt;/td&gt;&lt;td&gt;&lt;a href="#alias" title="Consequatur et"&gt;Vel sapiente&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Fuga&lt;/td&gt;&lt;td&gt;Eligendi&lt;/td&gt;&lt;td&gt;Perspiciatis&lt;/td&gt;&lt;td&gt;&lt;a href="#sint" title="Commodi natus"&gt;Error vero&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;/tbody&gt;&lt;/table&gt;, &lt;table&gt;&lt;thead&gt;&lt;tr&gt;&lt;th&gt;Et&lt;/th&gt;&lt;th&gt;Molestiae&lt;/th&gt;&lt;th&gt;Minima&lt;/th&gt;&lt;th&gt;Consequatur&lt;/th&gt;&lt;/tr&gt;&lt;/thead&gt;&lt;tbody&gt;&lt;tr&gt;&lt;td&gt;Laboriosam&lt;/td&gt;&lt;td&gt;Ut&lt;/td&gt;&lt;td&gt;Non&lt;/td&gt;&lt;td&gt;&lt;a href="#est" title="Excepturi aut"&gt;Consequuntur similique&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Quibusdam&lt;/td&gt;&lt;td&gt;Rerum&lt;/td&gt;&lt;td&gt;Recusandae&lt;/td&gt;&lt;td&gt;&lt;a href="#voluptates" title="Nihil tempore"&gt;Odit et&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;tr&gt;&lt;td&gt;Eum&lt;/td&gt;&lt;td&gt;Adipisci&lt;/td&gt;&lt;td&gt;Sit&lt;/td&gt;&lt;td&gt;&lt;a href="#ipsam" title="Iusto fuga"&gt;Cum tempore&lt;/a&gt;&lt;/td&gt;&lt;/tr&gt;&lt;/tbody&gt;&lt;/table&gt; |
991
- | `ul_links` | &lt;ul&gt;&lt;li&gt;&lt;a href="#consequuntur" title="Provident"&gt;Aut&lt;/a&gt;&lt;/li&gt;&lt;li&gt;&lt;a href="#voluptatum" title="Voluptas"&gt;Ratione&lt;/a&gt;&lt;/li&gt;&lt;li&gt;&lt;a href="#eius" title="Ullam"&gt;Nam&lt;/a&gt;&lt;/li&gt;&lt;/ul&gt;, &lt;ul&gt;&lt;li&gt;&lt;a href="#voluptatum" title="Enim"&gt;Harum&lt;/a&gt;&lt;/li&gt;&lt;li&gt;&lt;a href="#in" title="Vitae"&gt;Commodi&lt;/a&gt;&lt;/li&gt;&lt;li&gt;&lt;a href="#velit" title="Doloribus"&gt;Ab&lt;/a&gt;&lt;/li&gt;&lt;/ul&gt;, &lt;ul&gt;&lt;li&gt;&lt;a href="#voluptates" title="Id"&gt;Et&lt;/a&gt;&lt;/li&gt;&lt;li&gt;&lt;a href="#cum" title="Occaecati"&gt;Omnis&lt;/a&gt;&lt;/li&gt;&lt;li&gt;&lt;a href="#est" title="Eaque"&gt;Suscipit&lt;/a&gt;&lt;/li&gt;&lt;/ul&gt; |
992
- | `ul_long` | &lt;ul&gt;&lt;li&gt;Modi aspernatur sed adipisci et aut. Ad non illo est dolor odio. Delectus aut temporibus harum soluta quis eligendi laborum voluptas.&lt;/li&gt;&lt;li&gt;Voluptates perferendis quos quod tenetur. Sed et voluptatibus cumque est qui. Necessitatibus sed soluta consectetur harum fuga.&lt;/li&gt;&lt;li&gt;Officia odio quos in est illum aperiam rerum. Distinctio ratione adipisci omnis sed voluptatem odio. Est vitae praesentium corporis voluptatum.&lt;/li&gt;&lt;/ul&gt;, &lt;ul&gt;&lt;li&gt;Inventore voluptate aliquam nemo minus veritatis voluptates ea. Nihil voluptatem error et natus similique.&lt;/li&gt;&lt;li&gt;Aut quo tempore fugiat delectus unde consequatur. Laboriosam quam in sequi et omnis quia consequatur ab. Rerum voluptatum non quia autem quis.&lt;/li&gt;&lt;li&gt;Dolores ea et dignissimos vel similique fugiat architecto. Ut maiores est fugit nemo. Suscipit eum quos voluptatem ut voluptas et rerum voluptates.&lt;/li&gt;&lt;/ul&gt;, &lt;ul&gt;&lt;li&gt;Quod modi rerum est ducimus consequatur eos et nisi. Qui qui eligendi non magnam repudiandae quo possimus.&lt;/li&gt;&lt;li&gt;Maiores aperiam repellendus rerum exercitationem veritatis. Veritatis et vel quo tenetur neque libero quasi dolores.&lt;/li&gt;&lt;li&gt;Deserunt voluptas necessitatibus qui unde excepturi labore. Doloribus odit quis incidunt accusantium pariatur totam.&lt;/li&gt;&lt;/ul&gt; |
993
- | `ul_short` | &lt;ul&gt;&lt;li&gt;Modi aut qui autem aspernatur ullam.&lt;/li&gt;&lt;li&gt;Laboriosam dolore numquam error facere rem cum.&lt;/li&gt;&lt;li&gt;Sunt voluptas voluptatibus esse.&lt;/li&gt;&lt;/ul&gt;, &lt;ul&gt;&lt;li&gt;Sapiente quibusdam adipisci laudantium fugiat.&lt;/li&gt;&lt;li&gt;Iure omnis omnis.&lt;/li&gt;&lt;li&gt;Architecto ea quia ut et consectetur sed.&lt;/li&gt;&lt;/ul&gt;, &lt;ul&gt;&lt;li&gt;Porro laborum sit beatae ab.&lt;/li&gt;&lt;li&gt;Ad in quia.&lt;/li&gt;&lt;li&gt;Voluptate cum eum exercitationem ut voluptatibus.&lt;/li&gt;&lt;/ul&gt; |
1070
+ | `characters` | 6g5pbrsymivi9zo5977b7c7r1ugk1kjmgg3txh44n115cd4wtfb3dunyptx52tekzaka3unpnr73jm6ey7w3ivwndgma7y4gp3sz1vhyzgax9790yx5easflzrbe46fmij788ybxmnku3ovrc3tflrpa5ongif6x6f9rwb8ozzol82bwm6g16zu7rta7hmt8fxpk23nbke2b2pzby099tnvasuj1um9aivigno1rt3cvdtp5m5yvhdrf1wi7wlo, 7zo67nojlnkf4sfzl4axw1dfoxjs619z0bij0l1co1t1pehudglqhv71wulvzbc26m0yf3r9apkslu7krrhyp4v3u4mzbdguw22vu1tbx73y72cfa9uj9to4fx9loaaxglysopto127q3zsex5i38p489mrbcoa668dpvn8ehk3d4zhd5aqwf4crf2wwgikhvk2xde0vua83qox0bgfqwtculrnd333qto7a2z59r5jg76g9932r0tc35b3eu1k, czqbsi2tcdcrd2oboydakcc6dafvaw03ieckewvlnnim8oikyxv3sc81uje9jqm12160m3jrd15hflhuxyky4d1r911r0k2l2hba0pnyl0esqiq423dcahxio9vwu0ydrlhdh479j47sswg1czw9mypp4j5pgjd460lmb1ba0ng7hnbbx9zug2gqgck1jjkiiosako2ljblmafmmcl0bv5l1op5zwb4i3jq1e9d1s4xboo29gnahsyvkq7tjddh |
1071
+ | `paragraph` | Bicycle rights mlkshk letterpress butcher mixtape you probably haven't heard of them. Lomo gluten-free Williamsburg seitan blog etsy scenester before they sold out skateboard. Master cleanse tofu irony gluten-free keffiyeh Shoreditch. Tofu Austin moon tattooed McSweeney's. Cardigan VHS salvia tattooed locavore retro Pitchfork farm-to-table Four Loko., Bicycle rights Banksy master cleanse letterpress mustache brunch. Wayfarers mustache keffiyeh whatever tofu. Farm-to-table single-origin coffee retro fixie brunch jean shorts mlkshk organic., Austin Cosby Sweater cred Carles vegan twee messenger bag. Mixtape keffiyeh put a bird on it salvia gluten-free Banksy before they sold out +1 Wayfarers. Freegan fap mlkshk Cosby Sweater etsy gentrify wolf. |
1072
+ | `paragraphs` | 8-bit next level Wes Anderson skateboard organic Brooklyn tofu put a bird on it. Photo booth keffiyeh vinyl skateboard etsy sustainable. Freegan fanny pack gluten-free keffiyeh put a bird on it. Mixtape keffiyeh moon etsy sartorial vinyl vice. Locavore lo-fi high life chambray craft beer whatever Banksy lomo., Cliche moon synth squid irony put a bird on it readymade. Pbr you probably haven't heard of them Wes Anderson Cosby Sweater McSweeney's readymade. Blog cliche freegan ethical viral gluten-free chambray lo-fi., Master cleanse chambray organic Shoreditch irony tofu. You probably haven't heard of them synth whatever freegan moon brunch gluten-free. Letterpress beard Wes Anderson blog synth readymade master cleanse chambray mlkshk. +1 high life biodiesel twee Williamsburg Portland ethical sartorial synth. Cosby sweater squid moon locavore mixtape gentrify., Organic craft beer irony McSweeney's Shoreditch fanny pack. Hoodie vice Williamsburg moon irony cliche trust fund viral. Irony before they sold out Austin Portland Wayfarers vice 8-bit mixtape +1. Shoreditch dreamcatcher trust fund biodiesel DIY gentrify. Retro scenester quinoa Carles 8-bit Banksy party wolf Austin., Irony McSweeney's Portland fanny pack bicycle rights. Biodiesel trust fund chambray lo-fi stumptown yr. Trust fund mlkshk single-origin coffee aesthetic keffiyeh., Rerry richardson mixtape thundercats keffiyeh letterpress. You probably haven't heard of them mixtape cardigan Williamsburg echo park tofu fixie. Dreamcatcher photo booth artisan DIY twee gentrify salvia. Portland mixtape retro cred vice Austin. Iphone mlkshk Austin cred echo park photo booth., Photo booth mixtape Austin Banksy Cosby Sweater farm-to-table gentrify. Beard cred craft beer single-origin coffee viral you probably haven't heard of them Four Loko. American apparel jean shorts letterpress trust fund fixie. Twee before they sold out readymade keffiyeh Pitchfork master cleanse salvia tattooed. Hoodie 8-bit next level vinyl Pitchfork McSweeney's mustache skateboard., Food truck cardigan Wayfarers bicycle rights iPhone Four Loko lomo tofu. Organic freegan whatever blog ethical. Wes anderson etsy leggings sartorial farm-to-table Carles artisan art seitan. Raw denim etsy sustainable vinyl farm-to-table yr Four Loko mlkshk. Leggings brunch chambray vegan biodiesel Brooklyn messenger bag twee., Vhs photo booth dreamcatcher Rerry Richardson single-origin coffee letterpress irony mustache ethical. Artisan banh mi trust fund retro lo-fi high life 8-bit mustache butcher. Mustache DIY chambray locavore vegan Rerry Richardson. Beard fap put a bird on it vice Wes Anderson fixie. |
1073
+ | `phrase` | Twee butcher master cleanse keytar hoodie Banksy., Rerry richardson food truck photo booth Shoreditch Pitchfork., Irony viral art mlkshk lo-fi vegan raw denim. |
1074
+ | `phrases` | Fixie McSweeney's master cleanse synth put a bird on it blog keytar Williamsburg mustache., Pitchfork food truck leggings mlkshk trust fund., Party moon synth Cosby Sweater tumblr brunch tattooed yr McSweeney's., Shoreditch artisan Four Loko single-origin coffee ethical bicycle rights locavore irony photo booth., Irony Williamsburg helvetica retro put a bird on it aesthetic keffiyeh lo-fi., Pbr Cosby Sweater seitan aesthetic butcher wolf salvia., Mixtape next level tofu irony Four Loko +1 hoodie beard Rerry Richardson., Butcher quinoa art Brooklyn mlkshk., Brunch viral fap butcher Cosby Sweater twee trust fund. |
1075
+ | `sentence` | Locavore lo-fi put a bird on it butcher Wes Anderson Portland photo booth Austin +1., Mustache sustainable mixtape letterpress next level chambray gluten-free butcher., Yr Brooklyn you probably haven't heard of them viral lomo. |
1076
+ | `sentences` | Leggings Marfa irony PBR gluten-free aesthetic letterpress., Mixtape cardigan gluten-free helvetica dreamcatcher fixie sustainable., Diy you probably haven't heard of them hoodie letterpress gentrify Williamsburg lo-fi., Cliche Brooklyn Carles Banksy biodiesel., Jean shorts beard banh mi moon Cosby Sweater., Beard before they sold out aesthetic craft beer DIY cliche., Tumblr sartorial beard cred bicycle rights chambray ethical readymade., Yr helvetica ethical synth Banksy keffiyeh., Farm-to-table keffiyeh hoodie twee 8-bit Portland Wes Anderson. |
1077
+ | `word` | photo booth, helvetica, organic |
1078
+ | `words` | single-origin coffee, cardigan, Shoreditch, Shoreditch, keytar, Brooklyn, master cleanse, dreamcatcher, ethical |
994
1079
 
995
1080
  ## FFaker::Identification
996
1081
 
997
1082
  | Method | Example |
998
1083
  | ------ | ------- |
999
- | `drivers_license` | M372-970-33-316-0, A957-021-37-673-6, G002-973-36-529-4 |
1000
- | `ethnicity` | Prefer not to respond, Prefer not to respond, Native American |
1001
- | `gender` | Male, Male, Female |
1002
- | `ssn` | 475-51-3875, 394-36-0838, 222-65-0804 |
1084
+ | `drivers_license` | C088-004-91-919-0, I088-976-17-655-9, E990-220-82-013-3 |
1085
+ | `ethnicity` | African American, African American, Multiracial |
1086
+ | `gender` | Female, Female, Female |
1087
+ | `ssn` | 615-05-7770, 747-74-2281, 625-12-0746 |
1003
1088
 
1004
1089
  ## FFaker::IdentificationBR
1005
1090
 
1006
1091
  | Method | Example |
1007
1092
  | ------ | ------- |
1008
- | `cpf` | 91231683128, 51766257319, 82418015001 |
1009
- | `pretty_cpf` | 837.822.952-77, 462.765.824-00, 695.249.097-79 |
1010
- | `cnpj` | 13511534000124, 09187488000182, 61272923000197 |
1011
- | `pretty_cnpj` | 16.823.211/0001-64, 76.106.465/0001-93, 59.421.747/0001-66 |
1012
- | `rg` | 067708061, 484333994, 793870281 |
1013
- | `gender` | Feminino, Masculino, Feminino |
1093
+ | `cnpj` | 63835677175717, 93627347105839, 78200171891803 |
1094
+ | `cnpj_verification_digits`(...) | |
1095
+ | `cpf` | 82695493630, 37922242751, 99003797722 |
1096
+ | `cpf_verification_digits`(...) | |
1097
+ | `gender` | Masculino, Masculino, Feminino |
1098
+ | `pretty_cnpj` | 75.149.598/4049-43, 28.048.675/0075-66, 96.842.989/6639-30 |
1099
+ | `pretty_cpf` | 388.609.310-70, 476.322.345-35, 547.777.720-63 |
1100
+ | `pretty_rg` | 612.687.665, 823.655.937, 437.633.701 |
1101
+ | `rg` | 803095810, 706680460, 697975837 |
1014
1102
 
1015
1103
  ## FFaker::IdentificationES
1016
1104
 
1017
1105
  | Method | Example |
1018
1106
  | ------ | ------- |
1019
- | `gender` | Mujer, Hombre, Hombre |
1107
+ | `gender` | Hombre, Hombre, Mujer |
1020
1108
 
1021
1109
  ## FFaker::IdentificationESCL
1022
1110
 
1023
1111
  | Method | Example |
1024
1112
  | ------ | ------- |
1025
- | `gender` | Mujer, Mujer, Mujer |
1026
- | `rut` | 19703109-3, 11119092-5, 1064602-2 |
1113
+ | `gender` | Mujer, Hombre, Hombre |
1114
+ | `rut` | 2433549-6, 24159569-2, 20807888-7 |
1027
1115
 
1028
1116
  ## FFaker::IdentificationESCO
1029
1117
 
1030
1118
  | Method | Example |
1031
1119
  | ------ | ------- |
1032
- | `blood_type` | B-, A-, AB+ |
1033
- | `driver_license_category` | A2, A2, C3 |
1034
- | `drivers_license` | 2010243, 19435889, 7844665 |
1035
- | `expedition_date` | 2013-08-22, 2014-12-14, 2011-12-23 |
1036
- | `gender` | Mujer, Hombre, Hombre |
1037
- | `id` | 85999318243, 9988682497310, 70919640736 |
1120
+ | `blood_type` | A-, A+, B+ |
1121
+ | `driver_license_category` | B3, A1, C3 |
1122
+ | `drivers_license` | 81699483421, 61633012, 05467195048 |
1123
+ | `expedition_date` | 2016-07-17, 2013-11-09, 2014-02-20 |
1124
+ | `gender` | Hombre, Hombre, Hombre |
1125
+ | `id` | 1644598, 298799082, 3474879 |
1038
1126
 
1039
1127
  ## FFaker::IdentificationKr
1040
1128
 
1041
1129
  | Method | Example |
1042
1130
  | ------ | ------- |
1043
- | `rrn` | 860304-2371331, 851908-1700413, 890303-2213723 |
1131
+ | `rrn` | 792007-1800787, 851504-1470424, 802605-1801811 |
1044
1132
 
1045
1133
  ## FFaker::IdentificationMX
1046
1134
 
1047
1135
  | Method | Example |
1048
1136
  | ------ | ------- |
1049
- | `curp` | HUUK040630MNETDSA5, PIMQ930226MHGGXFD5, XOBQ910513HDFVSPW4 |
1050
- | `rfc` | FKV021028AQ0, ÑKZ7804123SO, ÑFN760816EY1 |
1051
- | `rfc_persona_fisica` | YEAU7407242WJ, MIYO920517V78, DUDO820214CZT |
1052
- | `rfc_persona_moral` | OÑN9911145W6, IRW800329QDW, &amp;NF010420O0A |
1137
+ | `curp` | DAXP040510HQTMKW38, HUJI710117HNLXLJ39, TEFD960621HSLLVWW0 |
1138
+ | `rfc` | HVR760428038, ED&amp;071105L34, MERB861206RSD |
1139
+ | `rfc_persona_fisica` | KERÑ971013C7R, HUIK000110ID0, GUBI780521J72 |
1140
+ | `rfc_persona_moral` | UQA761117PQU, KGD9606088JZ, VQA930819RJU |
1053
1141
 
1054
1142
  ## FFaker::Internet
1055
1143
 
1056
1144
  | Method | Example |
1057
1145
  | ------ | ------- |
1058
- | `disposable_email` | charlyn@safetymail.info, april@binkmail.com, yuonne@binkmail.com |
1059
- | `domain_name` | danielmayer.biz, buckridgehauck.co.uk, kautzer.us |
1060
- | `domain_suffix` | name, ca, co.uk |
1061
- | `domain_word` | schiller, lueilwitz, flatley |
1062
- | `email` | leif_cremin@uptonhettinger.biz, maybelle@bergstromparisian.co.uk, twana_leffler@bodelabadie.co.uk |
1063
- | `free_email` | shay@hotmail.com, raul_connelly@hotmail.com, simona.mraz@hotmail.com |
1064
- | `http_url` | http://hanewiegand.ca, http://runolfsson.ca, http://heidenreich.com |
1065
- | `ip_v4_address` | 14.124.135.171, 21.231.16.204, 154.112.202.93 |
1066
- | `mac` | 61:d9:db:1a:7d:04, c8:ab:09:83:36:6a, 28:75:39:bb:ea:6b |
1067
- | `password` | oooooooooo, mmmmmmmmmmm, eeeeeeeeeeee |
1068
- | `safe_email` | dixie_gutmann@example.com, brigitte_murray@example.net, annice.bailey@example.org |
1069
- | `slug` | esse_minima, tempore_dolorem, nihil.est |
1146
+ | `disposable_email` | buck.fritsch@spamherelots.com, charlesetta@spamherelots.com, stanford@safetymail.info |
1147
+ | `domain_name` | mraz.name, beahan.co.uk, wymanwatsica.com |
1148
+ | `domain_suffix` | biz, com, co.uk |
1149
+ | `domain_word` | klein, dickensschumm, strosin |
1150
+ | `email` | larry.simonis@dibbert.ca, joyce@ernserbuckridge.co.uk, shandi.schoen@braunkshlerin.co.uk |
1151
+ | `free_email` | ima.mcglynn@gmail.com, sheryll@yahoo.com, ka.bednar@gmail.com |
1152
+ | `http_url` | http://bruen.ca, http://hodkiewicznolan.name, http://bailey.us |
1153
+ | `ip_v4_address` | 207.181.113.110, 79.217.87.253, 105.199.37.154 |
1154
+ | `mac` | 2a:a6:12:81:fd:b5, bb:68:c2:6b:ba:87, b5:7c:7d:0c:4d:6a |
1155
+ | `password` | iiiiiiiiiii, nnnnnnnnnnnnnn, uuuuuuuuuuuuu |
1156
+ | `safe_email` | towanda@example.net, lashanda.mohr@example.com, dori_stamm@example.net |
1157
+ | `slug` | numquam.unde, corrupti-in, qui_harum |
1070
1158
  | `uri`(...) | |
1071
- | `user_name` | ligia.hackett, billie, alena |
1159
+ | `user_name` | noel.spencer, leonia.kshlerin, billie_fahey |
1072
1160
 
1073
1161
  ## FFaker::InternetSE
1074
1162
 
1075
1163
  | Method | Example |
1076
1164
  | ------ | ------- |
1077
- | `company_name_single_word` | Buckridge-Hauck, Koelpin,, Morissette |
1078
- | `disposable_email` | josef_king@spamherelots.com, jacquelynn@safetymail.info, shastagita.mayer@suremail.info |
1079
- | `domain_name` | lubowitz.com, franecki.se, hamill.com |
1080
- | `domain_suffix` | com, se, com |
1081
- | `domain_word` | conn, stammrenner, pfannerstilllubowitz |
1082
- | `email` | katina.hodkiewicz@hermann.se, lettie@langosh.nu, tobias_kohler@parisianmayer.com |
1083
- | `free_email` | scott@spray.se, tracie_wolff@passagen.se, donald.berge@yahoo.com |
1084
- | `http_url` | http://schadenbraun.com, http://armstrong.com, http://oconnelltorp.com |
1085
- | `ip_v4_address` | 74.177.117.177, 19.250.84.38, 39.226.193.120 |
1165
+ | `company_name_single_word` | Robel-Anderson, Pollich,, Stiedemann-Marks |
1166
+ | `disposable_email` | jillian.beier@binkmail.com, loriann_bergstrom@suremail.info, cecil@suremail.info |
1167
+ | `domain_name` | torp.se, hoppeledner.nu, leuschke.se |
1168
+ | `domain_suffix` | com, nu, se |
1169
+ | `domain_word` | pfannerstill, schuster, eichmannstracke |
1170
+ | `email` | patulysses_gleason@borer.com, marshall@ratkekutch.nu, ching_jacobi@rempelryan.se |
1171
+ | `free_email` | wesley@gmail.com, dominic_goldner@gmail.com, shona.schaefer@passagen.se |
1172
+ | `http_url` | http://flatleykiehn.se, http://prohaskalangworth.nu, http://johnston.se |
1173
+ | `ip_v4_address` | 227.138.157.236, 7.61.1.88, 136.104.32.14 |
1086
1174
  | `join_to_user_name`(...) | |
1087
- | `login_user_name` | kennethbahringer, adrienne, marine |
1088
- | `mac` | be:82:86:ff:83:9a, 03:3f:30:76:24:db, 97:ba:93:0b:e7:6f |
1089
- | `password` | zzzzzzzzz, mmmmmmmmm, ggggggggg |
1090
- | `safe_email` | julius_davis@example.net, robin_schamberger@example.com, kareem@example.net |
1091
- | `slug` | qui_pariatur, ut_ipsum, iure_pariatur |
1175
+ | `login_user_name` | florencio, scot, gerardbreitenberg |
1176
+ | `mac` | b1:d7:39:ce:c6:a9, 88:9b:2b:9c:c6:1d, 27:05:b6:83:9a:5f |
1177
+ | `password` | zzzzzzzzzzzzzzz, ooooooooooooooo, eeeeeeee |
1178
+ | `safe_email` | mitchell@example.net, nolan_brown@example.com, dorla@example.org |
1179
+ | `slug` | consequatur.reprehenderit, neque.vero, vel-sint |
1092
1180
  | `uri`(...) | |
1093
- | `user_name` | gracie, jonathon.friesen, jennette |
1181
+ | `user_name` | lahoma_roob, jen, maren.schiller |
1094
1182
  | `user_name_from_name`(...) | |
1095
- | `user_name_random` | chad.wehner, troy.hudson, jordon |
1096
- | `user_name_variant_long` | monnie_blick, keena_miller, verna.murray |
1097
- | `user_name_variant_short` | ellis, kermit, jefferey |
1183
+ | `user_name_random` | seymour, jordan, tennille_hand |
1184
+ | `user_name_variant_long` | margarete.smitham, stacychester_abbott, rogelio.oga |
1185
+ | `user_name_variant_short` | glen, gaylord, marcelina |
1098
1186
 
1099
1187
  ## FFaker::Job
1100
1188
 
1101
1189
  | Method | Example |
1102
1190
  | ------ | ------- |
1103
- | `title` | Global Division Engineer, Central Marketing Developer, Investor Division Planner |
1191
+ | `title` | Internal Research Supervisor, Internal Intranet Assistant, District Program Strategist |
1104
1192
 
1105
1193
  ## FFaker::JobBR
1106
1194
 
1107
1195
  | Method | Example |
1108
1196
  | ------ | ------- |
1109
- | `title` | Médico, Militar, Enfermeiro |
1197
+ | `title` | Neurocirurgião, Arquiteto, Médico |
1110
1198
 
1111
1199
  ## FFaker::JobCN
1112
1200
 
1113
1201
  | Method | Example |
1114
1202
  | ------ | ------- |
1115
- | `title` | 电气工程师, 中学校长, 培训专员 |
1203
+ | `title` | 广告文撰写人, 舞蹈家, 侦探 |
1116
1204
 
1117
1205
  ## FFaker::JobFR
1118
1206
 
1119
1207
  | Method | Example |
1120
1208
  | ------ | ------- |
1121
- | `title` | directeur general des services informatiquues, directeur des opérations de la division financiere, intendant general de la division financiere |
1209
+ | `title` | consultant du patrimoine bati, intendant associé des services techniques, conseiller technique des services techniques |
1122
1210
 
1123
1211
  ## FFaker::JobJA
1124
1212
 
1125
1213
  | Method | Example |
1126
1214
  | ------ | ------- |
1127
- | `title` | 海外ツアーガイド, 画家, 大工 |
1215
+ | `title` | 警察官, 探偵, データサイエンティスト |
1128
1216
 
1129
1217
  ## FFaker::JobKR
1130
1218
 
1131
1219
  | Method | Example |
1132
1220
  | ------ | ------- |
1133
- | `title` | 공학계열 교수, 원예 작물 판매원, 목재 종이 관련 기계조작원 |
1221
+ | `title` | 광업용 기계 설치 정비원, 소각로 조작원, 보조 연기자 |
1134
1222
 
1135
1223
  ## FFaker::JobVN
1136
1224
 
1137
1225
  | Method | Example |
1138
1226
  | ------ | ------- |
1139
- | `title` | thương gia, Y trường học, làm vườn |
1227
+ | `title` | người bán hoa, hàng không khí, thông dịch viên ngôn ngữ ký hiệu |
1140
1228
 
1141
1229
  ## FFaker::Locale
1142
1230
 
1143
1231
  | Method | Example |
1144
1232
  | ------ | ------- |
1145
- | `code` | KS, HR, KS |
1146
- | `language` | Byelorussian, Rhaeto, Tajik |
1233
+ | `code` | TI, ZU, ET |
1234
+ | `language` | Swahili, Bashkir, Turkmen |
1235
+
1236
+ ## FFaker::Lorem
1237
+
1238
+ | Method | Example |
1239
+ | ------ | ------- |
1240
+ | `characters` | f52vmsoobiwuvcmz9qhlm9v6vs71tw4xfnkzkw66pjkkgjeg7c6nf1fuhfgr923l0qe22ofiqfjbr2qmyueuje5n14nbvl7ih054ihurhf9vliraw8adfh74po41olguptq9aqywr3ecvpljaqf0unf63fi34doic1y0s2012axz5o6djszpuba6yg41pahp3jmg22nvp52fzrq3l0p8w8jwmk5mi1i2iv0ot4j9cxkx5xd5fa4olfo6hohaht4, gk16ovnsj2gsrbtsskj8sd8ij1oqowdik1twpalfujs8cqed7j1xrueml48wrdj5zm7ar8l6zfqshlwr09ofzr3mb4jc5uo87colw1cnd8yy02aooztr1ajca7vle12kefuo5gbi4cbagedmfyl1zc03f5p1gu7v2iaxgljch2cqkre0z21amzwtbb96md7y39drn2re38ebkaaykxbptjqgyyl3fg22rbjwp8ixxt9ci8o0vzlu9ningo4eivl, 7hy3b2bx898okhx3fueds15moilhmz9mmt6xabtrf9mv10wtrv4vbtj4a7obny97qssog4ygfqqvr2wilqwqz86c8yg1cuzk2o2fx53x3x7wlemwt0x5c4bjaco924bp8u3zv7a32cx56fk4qqjj8o1n9xtltcdq7hd1j8jn355693bv2vz8o8h87cw7qkma5ht9dezr5j0k11jkq3chbx454uer14z8agj2o8kz5f8cwzxkkjp1uosfz0yjoi0 |
1241
+ | `paragraph` | Eum exercitationem repellendus ratione tempora eligendi. Sit enim aliquam quis perferendis maiores cum. Fuga recusandae nesciunt eos autem non ab hic magnam. Sit nisi animi sapiente excepturi tempore praesentium. Dolorem perferendis velit nostrum assumenda vero., Fugit totam rerum dolor quaerat maiores. Deleniti dolorum odio officiis facilis. Omnis cumque repudiandae libero mollitia accusamus perspiciatis deserunt temporibus. Et a consequuntur voluptas quisquam reiciendis. Aut error quasi quia sit deleniti eius nobis., Delectus possimus non nesciunt quia perferendis iste soluta. Consequuntur enim et quae veniam voluptates reiciendis eaque quibusdam. Eum at sint non et praesentium cum sunt. Quia amet voluptatem error dolorum dolores aut facere. |
1242
+ | `paragraphs` | Et hic itaque aperiam porro. Esse repellendus nulla vitae sit. Modi sint ratione similique in voluptas. Omnis harum molestiae praesentium tempora sapiente qui. Similique qui et quibusdam provident nemo ut., Rerum mollitia vitae dolorum sint voluptatem. Facilis quisquam eligendi exercitationem pariatur. Corrupti maiores ullam ea molestiae omnis nisi vel illum. Error consequatur at doloribus sint a dolorum ut harum. Temporibus rerum reiciendis ab quasi., Fuga voluptatem nulla suscipit aliquam. Quia quidem itaque sit consequatur amet eum at sed. Quo ex doloremque error porro rerum consequatur sint illo. Sint sed et et ipsa repellendus. Dolorem voluptatem consequatur quisquam id modi delectus., Nemo impedit quia fugiat sed accusantium repellat quibusdam ut. Consequatur velit ut autem commodi et. Et voluptatem quae accusamus quos. Voluptatem assumenda modi et dolores ad quibusdam fugit. Culpa beatae et ea cumque., Soluta ut dolores officia ipsum. Repellat minus veniam nesciunt commodi nulla explicabo rerum. Qui omnis dolores quo libero quidem illum corrupti rerum., Autem corporis et dolorum non fuga. Blanditiis delectus non accusantium libero voluptas velit omnis. Voluptas voluptas rem id beatae nam occaecati necessitatibus. Et officiis optio sit animi voluptate eum aperiam et., Harum reprehenderit vel alias ipsam rerum fuga architecto eos. Et et praesentium similique vel et corrupti voluptatem. Eum quae nostrum suscipit ut amet. Et quod quisquam totam sunt. Dicta aut explicabo harum ducimus ipsum rem., Velit dolores aut sed qui molestiae. Molestias ut adipisci porro veniam occaecati necessitatibus rem. Corrupti numquam quas dolor consequatur., Aliquam natus quia id quia et in id voluptatem. Sequi et aperiam et sunt possimus. Officiis a officia animi aut aliquid. Esse placeat rerum in temporibus in corporis accusantium quo. |
1243
+ | `phrase` | Ut dolores in consequatur veniam., Aliquam mollitia magni reiciendis atque pariatur qui., Est alias reprehenderit praesentium sit voluptas voluptatem sunt ut. |
1244
+ | `phrases` | Impedit aliquam tenetur iusto dolores et fugit dolor., Veniam architecto repudiandae incidunt dolores., Incidunt adipisci beatae quod eum et cum., Et dolores a nostrum earum cupiditate., Quia debitis quod aut excepturi ut et eos voluptatibus., Doloribus est amet explicabo dolore quia veritatis voluptas., Cum et expedita voluptatum exercitationem., Asperiores ea sit ratione beatae unde natus quae., Dolores enim itaque soluta vero rem dolorum cum nihil. |
1245
+ | `sentence` | Possimus sit quasi iure aut et quod ut., Odit voluptatem libero eaque necessitatibus tempore quibusdam error., Quibusdam dolorum vel qui repudiandae quae. |
1246
+ | `sentences` | Est minima laboriosam mollitia doloremque., Quisquam cum architecto tempore vel neque sunt magni., Architecto ratione aut consequuntur est., Quod mollitia dolores expedita odit distinctio quisquam., Eos dolorum esse itaque blanditiis iste ipsum autem., Nesciunt velit illum esse commodi quos nihil., Excepturi architecto dolor sed repellendus itaque veniam., Delectus expedita voluptas placeat praesentium quidem minima., Provident culpa nihil dolorem quibusdam. |
1247
+ | `word` | qui, aliquam, soluta |
1248
+ | `words` | blanditiis, accusamus, ducimus, fugiat, nobis, quos, eveniet, deserunt, error |
1147
1249
 
1148
1250
  ## FFaker::LoremAR
1149
1251
 
1150
1252
  | Method | Example |
1151
1253
  | ------ | ------- |
1152
- | `paragraph` | وتم, الحكم الأوضاع حول حرب الهادي الا يكن, وقدّموا,. فاتّبع لم المتّبعة بدفع. ما مارشال شبح شدّت, الإمتعاض تسبب بريطانيا كلّ. حرب قهر النزاع اقتصّت يتمكن وباءت مع تُصب. قوات استطاعوا الشرقية البشريةً الياباني., كلّ مليون ثمّة شعار بخطوط جحافل القوقازية هزيمة. بخطوط تعديل معقل وقوعها، النازيين الساحل النازي حرب اتّجة. بداية و أضف العسكري ومن بالحرب إحتلال فصل بـ,., حكومة الأرض قادة دول تم اليابان. والديون ومن بتطويق ضرب,. مع وتتحمّل, معقل كلّ و فصل وتتحمّل قد حين,. ما, المبرمة لان أن التجارية لبولندا، حيث. |
1153
- | `paragraphs` | و ومدني، بالمحور أي أي لها الدولارات. لم الصفحات يتم أي. بلا غير بل عل المجتمع لان و المسرح هو. ضمنها مكن بالجانب و كل ما,., ثمّة والروسية ومدني، استطاعوا. حدى ثم الواقعة مع, ثم غضون. كل أم غرّة، نورماندي وفرنسا بالمحور. العناد من كلّ باستحداث ثم أم يذكر جديدة خسائر., المحيط تحت اوروبا قهر أن. الشمل يذكر وقد الثالث، والفرنسي. المنتصرة وتم غريمه أن حين البرية لقوات لان., الرئيسية لبولندا، إستيلاء أحدث السادس عرفها والجنود عل, استعملت. ومن تسبب وتتحمّل كلا. واتّجه لقوات أفاق أم وفي. مارد عن نورماندي الساحل. كل, الثالث الفرنسية لبولندا، مع, عن لعملة وقد تونس., قام أن فاتّبع قوات مساعدة العسكرية. اوروبا جوي عرض كل. وقوعها، انتباه دنو العظمى القوقازية وتتحمّل. مع قبل التحالف حربية عرفها جهة عسكرياً الأخذ نفس. الله بلا البلطيق ما,., مكن عام والروسية وقد الهجوم أسر دون الوراء يتم. جهة سياسة ثم يذكر وضم أم السادس وبغطاء. اعلان أواخر غريمه الإقتصادية وضم شيء, تزامناً بالعمل في. و وبالرغم أحدث فكانت إخضاع. دأبوا حيث لان سلاح., به، و لم عن مدن أخذ أي الشرقية. أثره، بالولايات ضرب, أسر الشرقية بتطويق والديون وفنلندا احداث. الحرب يتعلّق لعملة وقوعها، قوات فرنسا. وتم الربيع، كل تُصب بـ الإثنان حرب. لم عصبة لم, بدفع لليابان النزاع الأوربيين النازيين., بـ, تغييرات هيروشيما فرنسية عدم الأوضاع. ربع بل ان, كنقطة لألمانيا والجنود استسلام ضمنها القوقازية. لم أما بزوال اكتوبر هناك مكن جحافل., به، أنجلو-فرنسية, ليتسنّى الا ثم والفرنسي عرض والبريطاني,. و كل منشوريا عام حالية وأزيز وتتحمّل. ان قهر الوراء اليابانية. فرنسا نفس عل, كل. |
1154
- | `phrase` | اسبوعين اكتوبر أفاق تُصب أخر حتى, أن دول منشوريا,., حدى بل الصفحات تم حين المتحدة, الأولى تم, يبق., تُصب بل, معقل وبغطاء أي. |
1155
- | `phrases` | بالعمل دارت بـ واستمرت بل الامم أن, حول جسيمة., و, تكاليف عرض ان جمعت أي عسكرياً أفاق بمباركة,., إذ إذ, صفحة أما أسر الإحتفاظ., المتساقطة،, النزاع فاتّبع لم الحكم وجهان بـ دفّة., ما موالية قوات قُدُماً وفرنسا ما, إيطاليا., ومضى أي خصوصا ان استدعى., انه إستيلاء التي الإتفاقية إستراتيجية, سقوط كل, تحت بـ,., النازي الأعمال به، للحكومة المضي أن الواقعة., إستراتيجية, قُدُماً قام, أم بها وبغطاء دارت بلا يعبأ. |
1156
- | `sentence` | بين تحت, قد زهاء., وقد النازيين إبّان لم أي عن جوي., ستالينجراد, بل أن وبدون الإقتصادي عدد, جمعت. |
1157
- | `sentences` | ان, يبق, تم, الأمم ستالينجراد موسوليني., بداية لألمانيا الربيع، أخذ أن التّحول, لم,., أحدث بـ هاربر مكن في أي الأرض ثم يبق., يتم نتيجة اعتداء إذ إستيلاء أحدث تكتيكاً وفي., بالحرب لم, بقعة والفرنسي باستسلام المزيفة حدة البرية عن., الحكم به، كلّ, مارد للإتحاد لبولندا، وباءت., شمال إيطاليا عل, أضف النازية،., بشكل كلا بـ التي., لإعادة هو اللازمة المدنيون ساعة تزامناً وقبل حرب ضرب,. |
1158
- | `word` | وحتّى, بـ, أي |
1159
- | `words` | الأخذ, العظمى, بقعة, قد,, هزيمة, أي,, جُل,, ماذا, كلّ |
1254
+ | `paragraph` | الأوروبية،, موسوليني للأسطول كل, إيو الإنذار،,. أن التكاليف ذلك تم مع قد. والديون المنتصرة و العصبة الربيع، بل عدد, عدد. بها لإنعدام غضون روسية وصل استدعى., و حيث وتم تلك حيث باستخدام هذه شمال البشريةً. عن بها اقتصّت أن ضرب,. الأخذ بحث انه, فاتّبع إعلان بقيادة. الحرب بل الغربي أوسع الرئيسية سمّي للأسطول. شعار لليابان عن كلا,., الرئيسية جوي الصين بلا. مارد انتباه وتم أوراقهم تم. الى مع وبالرغم الصعداء لم تحت, ثم الطريق. |
1255
+ | `paragraphs` | والديون عن حين الاندونيسية وعلى بـ حول. حلّت الباهضة و الحلفاء بل, والفرنسي. حربية بريطانيا-فرنسا عن كلّ لم لعدم كل. لفشل موالية باستسلام العسكري كل, ثانية وانتهاءً أم. مارشال استولت لمّ من في,., أن تحت, مارد المجتمع حيث سقطت الفترة لمّ. يتم علاقة الأخذ أن, و بلديهما مما المقاومة. إذ ثمّة عدم القوقازية ,. في, ما بقعة بالعمل. جيما بقعة جورج ما في لم., تُصب الثالث قد احداث تم كل, بـ وجهان. المسرح من وقوعها استسلام. قائمة مسرح الأمور, بـ. لم الحرب من بها لم. تعديل أوراقهم كلا, البلطيق الجيش., بل حتى اعتداء وقدّموا, بـ بشكل الأوروبية،,. كل يتم يرتبط نفس ستالينجراد,. الذرية غريمه يتمكن قهر ماذا تم من الامم. و إيو إيطاليا ثم الفترة يبق قصف يتم, من. الأوضاع بالمحور الذرية تزامناً ومن جمعت فصل., الصينية فاتّبع من بل بين التّحول, زهاء. غريمه جوي التّحول, فرنسا. ربع من لم لم وباستثناء اعتداء دنو. استطاعوا ما, وحتّى المسرح جديداً الذرية الأمور, معقل., لكل فبعد مما اتّجة ما, اوروبا تكاليف. حدى ما, العسكري, مع فصل, ما أخر. بحق لم حين وصافرات علاقة أخر لألمانيا حيث عن., و الثالث بال غرّة، إذ,. شمال لليابان تسبب أوراقهم قهر. يتسنّى تم, من واقتصار المقيتة تونس وعلى حتى أراضي., بالعمل بـ بـ, ليركز واقتصار. للحكومة هو وحتّى استولت في و المقيتة اكتوبر,. وصافرات به، الصعداء العناد والإتحاد. المبرمة قهر الأوروبية،, موسوليني., بالقنابل الحرب فصل, مع, سمّي التكاليف. بريطانيا جديدة قوات دخول علاقة جديداً. عرفها هو الإمتعاض أوراقهم والفرنسي ويكيبيديا، لم. |
1256
+ | `phrase` | تسبب الدّفاع الأبرياء و معقل هذا بلا على., كل, قد أي أما العسكري, السيء عدد., اعتداء الإستسلام ما و الذرية اعتداء رئيس. |
1257
+ | `phrases` | بل, مع بلا و, تُصب الإقتصادي حربية اتّجة., وحتّى الخنادق مارشال و يتم., ان, أي المشترك بل لان إستراتيجية, ما,., لفشل اعتداء الواقعة المتطرّف., إعلان التّحول, لم دأبوا., وقامت أكثر يتم ان, ان., باستسلام واقتصار هو, أسر, جسيمة بتحدّي اوروبا تم و., بالعمل يبق أم ستالينجراد, المجتمع عل,., الإستسلام غزو أم جديداً بـ الربيع، المسرح الخنادق الهجوم. |
1258
+ | `sentence` | بشكل ما, ولم الطريق., بل بين وإعلان الشرقية للحكومة, اوروبا تعداد., وقوعها تم حكومة لها لإعلان. |
1259
+ | `sentences` | أكثر والروسية يتعلّق الخنادق المعاهدات عدد, تحت, هو., حول ثم أن بخطوط والإتحاد., ما حول ضرب وباءت., الامم بتخصيص يتعلّق قُدُماً الربيع، فقد تم يبق فصل., أن, الى يتم الواقعة القنابل, المزيفة., تحت, ضمنها وعلى يبق, أسر لم أي جهة حتى., يعادل المتّبعة العسكرية قد أفاق., حربية شدّت, مكن الأوضاع كل بل وقوعها عرض., وضم يذكر نورماندي قد ليبين أن. |
1260
+ | `word` | الأجل, يتم, تم, |
1261
+ | `words` | أن,, شبح, المبرمة, ما,, جمعت, المجتمع, بالجانب, اللازمة, أن |
1160
1262
 
1161
1263
  ## FFaker::LoremCN
1162
1264
 
1163
1265
  | Method | Example |
1164
1266
  | ------ | ------- |
1165
- | `paragraph` | 杀鸡取卵杀鸡儆猴朝霞辉映子桃红柳绿, 洗耳恭听一文不值枣红十万火急交谈天崩地裂当午日明, 六根清净交头接耳迫不及待叮叮当当, 慢慢鸟瞰暴雨如注口蜜腹剑雪飘如絮一眨眼五光十色壮志凌云迫在眉睫。, 冰雪消融无穷无尽张灯结彩八仙过海,各显神通前因后果七高八低九死一生望, 有始有终万家灯火千山万水变幻莫测为国捐躯, 不胜枚举一诺千金成千上万天高云淡, 亡羊补牢五湖四海千丝万缕张灯结彩水帘悬挂逝世面红耳赤时隐时现, 漫漫长夜姿态万千手舞足蹈无穷无尽感慨万分光阴似箭梨黄。, 嚎顷刻间连连称赞惊涛骇浪成千上万冰清玉洁借尸还魂自说自话, 白璧无瑕身材魁梧鼠目寸光视死如归打草惊蛇喜笑颜开对牛弹琴, 六根清净惊惶失措琳琅满目万紫千红江水滚滚, 素车白马瞅有恃无恐言而有信水平如镜。 |
1166
- | `paragraphs` | 八面威风悠然自得秋高气爽东拼西凑九牛一毛旭日东升, 难舍难分迫在眉睫千奇百怪星月如钩兴致勃勃画蛇添足开怀大笑, 绿莹莹悔恨交加虎啸龙吟天昏地暗, 星光熠熠闻名于世千军万马前赴后继东倒西歪自吹自擂。, 返老还童东倒西歪毅然决然异口同声, 一毛不拔恨之入骨去世微微一笑火红惊涛骇浪门口罗雀三头六臂八面威风, 朝气勃勃六根清净提心吊胆仰望咬牙切齿自说自话铿锵有力灯红酒绿李白桃红, 苹果绿失声痛哭一落千丈子, 讨论无影无踪一言九鼎吱呀四海为家内忧外患愁眉苦脸有气无力开怀大笑。, 三思而行四通八达云浪滚滚金光万道心明眼亮雄心勃勃绵绵细雨拾金不昧瞄, 五花八门顺手牵羊尸骨累累凶多吉少有名无实, 舍近求远讨论亭亭玉立一心一意激动万分令人发指时而, 风平浪静江水滚滚万家灯火枝繁叶茂连连称赞, 五体投地前赴后继亭亭玉立鹤立鸡群叹为观止暴风骤雨月白风清时明时暗不理不睬。, 犹豫不决风平浪静毫无希望牺牲红彤彤一本万利载歌载舞, 大名鼎鼎朝气勃勃不吵不闹马到成功, 四分五裂三令五申鱼目混珠三顾茅庐潸然泪下, 湖蓝语气坚定管中窥豹生死存亡谈论无精打采同心同德雄狮猛虎, 顾虑重重不干不净十分可恶面红耳赤扬眉吐气冉冉。, 齐心协力一气呵成轻风徐徐扬眉吐气, 牛头马面仰望万紫千红一文不值视死如归燃眉之急沙沙半推半就, 招兵买马有始有终缓缓足下生辉移步换影桃红柳绿, 嚎黑白分明轻风徐徐已故讨论一诺千金生气勃勃有恃无恐, 瞬息万变前所未有追悔莫及顺手牵羊顾虑重重。, 三顾茅庐叮叮当当大名鼎鼎东拉西扯一诺千金雄鸡报晓绞尽脑汁仰望, 心灵手巧杀鸡儆猴五光十色怒发冲冠, 招兵买马中午时分一身是胆废寝忘食四分五裂, 一日三秋霎时间三生有幸无影无踪虎啸龙吟数不胜数九鼎一丝。, 浩浩荡荡无忧无虑弹孔累累疾走如飞, 千军万马众志成城生龙活虎十万火急, 形态不一闷闷不乐可憎可恶雄心勃勃信守诺言不理不睬犹豫不决怒气冲冲, 天经地义无情无义冰雪消融喀嚓一鸣惊人不胜枚举十全十美。, 星光熠熠一身是胆四面楚歌云开日出雄狮猛虎, 六道轮回黑白相间四海为家闻名于世中午时分, 咕噜小心翼翼哗哗啦啦秋高气爽激动人心惊天动地。, 老态龙钟投桃报李桃红柳绿九死一生泪如泉涌天罗地网亭亭玉立, 俯瞰开怀大笑时隐时现果实累累, 目瞪口呆泪流满面愁眉苦脸果实累累鸣千军万马。 |
1167
- | `sentence` | 看望激动不已果实累累四面八方自言自语舍己为人雪中送炭,, 秋风凉爽信守诺言自吹自擂扬眉吐气叮当,, 前所未有狗急跳墙激动人心头重脚轻观察, |
1168
- | `sentences` | 昂首阔步张口结舌万紫千红白雪皑皑开怀大笑绿莹莹一箭双雕,, 感慨万分三九严寒一心一意无牵无挂移步换影六根清净,, 废寝忘食东倒西歪千奇百怪六根清净白璧无瑕叮当,, 五光十色高山峻岭四海为家感慨万分乳白,, 自言自语自吹自擂桃红柳绿一马当先波光粼粼三头六臂一眨眼,, 自吹自擂雄狮猛虎细雨如烟波浪滚滚果实累累不屈不挠,, 乳白十全十美千变万化大汗淋漓一马当先嫣然一笑沙沙思前顾后雄心勃勃,, 冰天雪地满山遍野夜幕降临风平浪静嚎啕大哭绿浪滚滚,, 闷闷不乐狐疑不决白雪皑皑不胜枚举危峰兀立一贫如洗, |
1169
- | `word` | 风和日丽, 安危冷暖, 江水滚滚 |
1170
- | `words` | 眺望, 咕咚, 天老地荒, 心急如焚, 逝世, 赤日炎炎, 不可胜数, 疾走如飞, 惊惶失措 |
1267
+ | `paragraph` | 当机立断昂首阔步淅淅沥沥风狂雨猛人山人海八仙过海,各显神通, 暴雨如注人流如潮一见如故有恃无恐拾金不昧百感交集昂首阔步万紫千红黄澄澄, 十字街头前呼后拥两肋插刀白纸黑字万物复苏半明半昧, 甲泣不成声怒气冲冲时而两全其美波涛汹涌哗哗啦啦眼明手快, 交流元满山遍野心急如焚坐井观天数不胜数浩浩荡荡忐忑不安。, 东倒西歪望挥汗如雨有始有终, 天荒地老千里冰封全神贯注数不胜数热浪滚滚秋月似钩手舞足蹈自暴自弃惊弓之鸟, 一马当先黄澄澄绝无仅有可憎可恶了望, 细雨如烟白茫茫阳春三月闻名于世自私自利大公无私两面三刀高枕无忧雨打风吹。, 象牙白朝霞辉映心明眼亮瞻仰千变万化, 人山人海长短不同拳打脚踢曰扑哧千姿百态气势磅礴两败俱伤, 顷刻间了望千山万水名列前茅蛛丝马迹火眼金睛三九严寒桃红柳绿六道轮回, 万紫千红言而有信兴致勃勃全神贯注当机立断赞不绝口坚贞不屈, 一触即发伤心落泪毅然决然头重脚轻震天动地。 |
1268
+ | `paragraphs` | 雪花飞舞怒目而视碧空如洗叶公好龙九牛一毛危峰兀立怒发冲冠不明不白, 五彩缤纷足下生辉千方百计百感交集十全十美八仙过海,各显神通叹为观止, 探望天寒地冻仰望两袖清风鸡犬不宁议论纷纷, 热泪盈眶满山遍野两肋插刀万物复苏十拿九稳落叶沙沙。, 激动不已虎啸龙吟水落石出望子成龙谈虎色变雄狮猛虎暴风骤雨十分可恶心灵手巧, 冰天雪地七窍生烟一瞬间麦浪滚滚悔恨交加生死存亡, 缓慢冰清玉洁元流星赶月天老地荒亭亭玉立暮色苍茫六根清净狐疑不决, 与世长辞顷刻间深感内疚人山人海各抒己见成群结队四通八达轻风徐徐洗耳恭听。, 舍近求远齐心协力瞬息万变四面八方载歌载舞, 移步换影无忧无虑语气坚定瞪望子成龙, 乳白姿态万千大失所望不进则退。, 瞥飞流直下疾恶如仇望子成龙眺望笑容可掬红艳艳拳打脚踢一毛不拔, 湖蓝举世闻名无牵无挂大公无私白雪皑皑日月如梭摩肩接踵, 激动不已麦浪滚滚泪如泉涌热浪滚滚, 天长日久自给自足勃然大怒波涛汹涌小心翼翼白纸黑字。, 史无前例水平如镜狐假虎威喀嚓静思默想夜幕降临, 借尸还魂鸡飞蛋打五花八门黑压压绝无仅有, 手足无措果实累累吱呀八面威风不胜枚举对牛弹琴扫视逝世, 俯视叶公好龙两情相悦连连称赞东拉西扯色彩斑斓漫漫长夜惊涛骇浪, 漆黑一团云开日出千变万化无忧无虑马到成功六道轮回天罗地网白雪皑皑勃然大怒。, 霎时间水落石出铺天盖地震耳欲聋绿意盎然吉祥如意自暴自弃, 连连称赞鸦雀无声晚风习习怒发冲冠信守诺言, 无情无义千奇百怪东张西望十面埋伏, 赞不绝口百感交集精益求精马到成功交流半梦半醒。, 轰轰隆隆千丝万缕金灿灿拾金不昧闷闷不乐粉妆玉砌谈虎色变枫叶似火前呼后拥, 七嘴八舌四面八方失声痛哭硕果累累鼠目寸光不理不睬三顾茅庐, 白雪皑皑闻名天下长短不同前因后果, 千姿百态半梦半醒轰轰隆隆天南地北聚精会神哗啦兔死狐悲。, 素车白马犹豫不决不理不睬面红耳赤鱼目混珠望闷闷不乐九鼎一丝白浪滔天, 自言自语无忧无虑万古长青乘热打铁探望有始无终, 顾虑重重十万火急迫在眉睫谈虎色变生气勃勃。, 鸟语花香四面八方危峰兀立三思而行水帘悬挂白雪皑皑内忧外患十万火急, 牛马不如烈日灼灼瞄落叶沙沙, 仰望千秋万代能屈能伸惊天动地轻风徐徐咬牙切齿讲朝气勃勃亡羊补牢, 废寝忘食顷刻间天高云淡欲哭无泪千言万语, 暮色苍茫废寝忘食千方百计前呼后拥视死如归成千上万眉开眼笑八仙过海,各显神通。 |
1269
+ | `sentence` | 夜幕降临缓慢视死如归天寒地冻一目十行绞尽脑汁水滴石穿旭日东升扑哧,, 一手遮天为国捐躯绝无仅有吼泪如雨下摩拳擦掌黑乎乎,, 风和日丽深恶痛绝前因后果无穷无尽, |
1270
+ | `sentences` | 绿浪滚滚移步换影火眼金睛可憎可恶瓢泼大雨兴致勃勃舍近求远惊恐万状前所未有,, 麦浪滚滚风平浪静一身是胆逝世杀鸡儆猴目瞪口呆亭亭玉立无忧无虑摩肩接踵,, 鸡飞蛋打不清不楚盯顾虑重重鹅黄自高自大排山倒海,, 马失前蹄细雨如烟咕噜八面玲珑狗尾续貂赞叹不已二三其德东倒西歪,, 眉清目秀十指连心西装革履东鳞西爪六道轮回,, 火眼金睛交头接耳承上启下五湖四海天老地荒梨黄形态不一白茫茫口蜜腹剑,, 嚷交流生死存亡拳打脚踢健步如飞令人发指一马当先东张西望,, 心灰意冷天崩地裂一言九鼎连绵不断日月如梭绿树成阴赞叹不已,, 一眨眼果实累累顷刻间眉开眼笑惊天动地行云流水赞不绝口, |
1271
+ | `word` | 无忧无虑, 粉妆玉砌, 五大三粗 |
1272
+ | `words` | 波光粼粼, 狐假虎威, 旭日东升, 无忧无虑, 牺牲, 万家灯火, 晚风习习, 一言九鼎, 半梦半醒 |
1171
1273
 
1172
1274
  ## FFaker::LoremFR
1173
1275
 
1174
1276
  | Method | Example |
1175
1277
  | ------ | ------- |
1176
- | `paragraph` | Toutes phrases long entiers skyline laissa headline les son. Le puissante lequel règlalades. Même mais convaincre pays chemin propre. Ipsum lourd écho agence. Remit rebrousser créas bien., L sauvages du rue raviser cuit alphabetville alors on. Fois origines chaîne et preuve d. Purent en règlalades bourg-en-lettres océan sournois. Fût nom qu instrumentalisèrent ressaisi vous., Headline venait vils grammaire on. Firent il mais son jeta. à projets chemin une orthodoxographique ligne rhétorique longtemps. Jour headline bonnes dans pour monts. Passage ils côtes lettrines point. |
1177
- | `paragraphs` | Sain question encore leurs skyline mésusèrent été. Vers s ligne lettrines là-bas question preuve italiques volent. Finir passage firent jour mais rebrousser au sauf. Motus italiques déjà chemin. Fins saoule purent dans demeurent., Puis sa oxymore vie sournois coeur et il. Vodkale tout mille rencontra. Qui l sauvages sur c., Restait bolos paragraphe demeurent headline. Pans voyellie preuve alphabetville approvisionne sémantique peut remit océan. Origines un bonnes cela sain décida il traîner. Convaincre bonnes le copy approvisionne saoule au voyellie sans., Firent prevenant régit rebrousser. C lettrines finir qu. Prochain cela bolo écho on paradisiagmatique retrait nostalgique en., Paradisiagmatique écho coule là-bas vers alphanatale consonnia alphabetville. Ne mit est sûr sauvages initiale. Sûr fallut décida vils il prévint c. Qui ne s créas., Un l raviser se peut vodkale panse. Règlalades vaste très pointdexclamators sûr dans à subline. ressaisi pans petit., Désormais sûr ce regard sauvages alphabetville. lequel bourg-en-lettres fallut aguets consonnia prémâchées motus. Dissuader écho lieues longtemps sur entiers très vils d. De point régit vivent rencontra interpelle encore. Pas il purent fourbes rencontra ipsum., Longtemps sûr règlalades nostalgique même en larousse. Flancs décida lieues entiers alors sûr. Fallut depuis c nostalgique. Mot et mésusèrent lieues fins delà. Prémâchées prochain réecrite désormais coule au., Aux ses delà ne c. Pays joue prévint côtes mais la. Pointdexclamators en paragraphe sauvages avait jeta lui. Grand route attendraient joue alphanatale aguets encore bourg-en-lettres. Jour oreille que ferait passage ligne. |
1178
- | `phrase` | Côtes été nom ces chemin jour sémantique le purent., Fourbes à peut subline langues virgulos encore., Volent en leurs des skyline une. |
1179
- | `phrases` | Vils mot régit sémantique saoule jeta genre sournois., Interpelle propre gravi vils., Italiques prévint flancs pas un s., Toutes qu et puissante lorem sur glissa océan., Raviser saoule par panse son maintes d copy paragraphe., Qu vaste se long en bonnes d tas., écho instrumentalisèrent pays aguets ne., Lettrines route mots laissa., Qu fin coeur au oxymore le. |
1180
- | `sentence` | Côtes dans moins des puissante encore sa le regard., Agence flancs là-bas avait retrait déjà., Oreille toutes demeurent d leurs petite initiale encore mésusèrent. |
1181
- | `sentences` | Et sûr bouche écho chaîne., Phrases virgulos son est en encore., Un lui loin approvisionne mésusèrent encoreloin exploitent., Paroles s vodkale oxymore genre lorem copy c., Rhétorique par sauvages maintes pourtant coula., Sa ne preuve mit loin., Coule phrases un bouche italiques long au aux oxymore., Mésusèrent orthodoxographique avait depuis., Mésusèrent joue phrases oreille son semicolons tout mot. |
1182
- | `word` | petite, oreille, l |
1183
- | `words` | exploitent, dans, pans, sa, par, histoire, Et, Grammaire, déjà |
1278
+ | `paragraph` | Virgulos qu la paroles bourg-en-lettres nécessaires côtes. Demeurent loin sûr route l. Dissuader coule règlalades interpelle été ses., Bourg-en-lettres son vie aux venait vodkale consonnia. Jour demeurent bouche à motus pays fallut. Volent bolos rue le dissuader convaincre maintes. Qui tout été voulut sémantique., Langues paragraphe nécessaires rencontra lorem côtes leur genre. Déjà instrumentalisèrent depuis mot ligne paradisiagmatique rencontra. Lui laissa long mésusèrent preuve un. |
1279
+ | `paragraphs` | Prochain dernier ils lourd. Firent pacqua tout premiers de. Toutes loin bien lieues cela bouche des longtemps., Convaincre gravi et vivent grand aguets sain. Ce interpelle fin moins désormais fois grand ipsum loin. Coeur qui maintes ils retourner interpelle fin tas. Qui bolo pour son convaincre approvisionne paroles au retrait. Fin chemin encore remit vie exploitent nom instrumentalisèrent., Paroles litéralement aventurer saoule. Rebrousser déjà fallut ville larousse déconcerter sauf. Fût lui sauvages rhétorique on ipsum regard règlalades skyline., Prévint saoule avait phrases oreille alors fût tout d. Sauvages encore bolos delà fois réecrite flancs litéralement. Premiers ces pans encoreloin., Longtemps l origines flancs à mit bolo instrumentalisèrent. Ils pans lorem dans lieues subline cuit aventurer. Rencontra preuve ils paradisiagmatique c depuis volent leurs., Fallut italiques été tout larousse skyline motus. moins rebrousser question convaincre point. premiers origines le une pays volent. Lieu fois restait lorem était. Purent regard on mit dans., Mais rebrousser demeurent retrait italiques pays loin. Lettrines vers chaîne rue approvisionne alphabetville retrait. Réecrite pans lettrines rhétorique. Finir skyline laissa cette sa volent restait pointdexclamators est., Fins coeur mots initiale joue très sa. Paradisiagmatique un est ils très oreille lettrines pacqua. Sans rencontra gravi ils remit., Ne consonnia demeurent gravi loin bouche sans venait tas. Question était déjà ville vils ponctuation. Puis vils grand qui sur. |
1280
+ | `phrase` | Joue s là-bas litéralement firent preuve toutes., Déconcerter rebrousser fallut question., Bourg-en-lettres cela larousse loin orthodoxographique lettrines retrait. |
1281
+ | `phrases` | Que traîner bourg-en-lettres les pays., Initiale par il retourner., Langues genre origines histoire cela long leur., Alors vers est règlalades point., En vils laissa virgulos bonnes ces vodkale coeur pays., Décida petite l bien long virgulos motus., Monts la ses cuit l ressaisi sans approvisionne., Nom lieu bercail bouche voulut purent ruisseau en volent., Fin mots décida ipsum traîner. |
1282
+ | `sentence` | Lourd consonnia petite avait remit longtemps la., Alphanatale leur vodkale lui fois virgulos nécessaires., Prochain peut nom purent mots en où. |
1283
+ | `sentences` | Ferait en initiale demeurent cette preuve., Flancs et coula mais litéralement demeurent oreille., Italiques pans initiale règlalades grammaire moins son route déconcerter., Consonnia sémantique finir mot., Rhétorique vivent ils mots des., Vie encore qu tout qui lequel., Encore delà interpelle larousse., Regard cela au dissuader vils encore., Long sournois vivent virgulos leurs. |
1284
+ | `word` | grand, très, Oxymore |
1285
+ | `words` | vaste, passage, tas, rencontra, longtemps, Bolos, preuve, du, rencontra |
1184
1286
 
1185
1287
  ## FFaker::LoremJA
1186
1288
 
1187
1289
  | Method | Example |
1188
1290
  | ------ | ------- |
1189
- | `character` | ち, と, |
1190
- | `characters` | をばのぞえか4+ねりぜびい7んぷゐ@¥/, ?よ=ぐぜしずぞえきい>ほ。¥ねぽ24か, きふとわ+を。4にへつべぼ<みまうろ*ぶ |
1191
- | `paragraph` | もちろんカムパネルラも知っている、本を読むひまも読む本もないので、やっぱり星だとジョバンニは思いましたが、やはりもじもじ立ち上がったままやはり答えができませんでした。, そして教室じゅうはしばらく机の蓋をあけたりしめたり本を重ねたりする音がいっぱいでしたが、カムパネルラがそれを知ってきのどくがってわざと返事をしなかったのだ、たしかにあれがみんな星だと、みんなに問いをかけました。, ジョバンニも手をあげようとして、すぐお父さんの書斎から巨きな本をもってきて、その雑誌を読むと、みんなに問いをかけました。 |
1192
- | `paragraphs` | やっぱり星だとジョバンニは思いましたが、先生はしばらく困ったようすでしたが、本を読むひまも読む本もないので、自分で星図を指しました。, もちろんカムパネルラも知っている、このごろぼくが、もちろんカムパネルラも知っている、急いでそのままやめました。, 上から下へ白くけぶった銀河帯のようなところを指しながら、黒板につるした大きな黒い星座の図の、いつか雑誌で読んだのでしたが、カムパネルラが手をあげました。, やっぱり星だとジョバンニは思いましたが、すぐに返事をしなかったのは、そう考えるとたまらないほど、じぶんもカムパネルラもあわれなような気がするのでした。, その雑誌を読むと、するとあんなに元気に手をあげたカムパネルラが、そうだ僕は知っていたのだ、やはりもじもじ立ち上がったままやはり答えができませんでした。, と言いながら、それをカムパネルラが忘れるはずもなかったのに、たしかにあれがみんな星だと、それはいつかカムパネルラのお父さんの博士のうちでカムパネルラといっしょに読んだ雑誌のなかにあったのだ。, と言いながら、このごろぼくが、やっぱり星だとジョバンニは思いましたが、まっ黒な頁《ページ》いっぱいに白に点々のある美しい写真を二人でいつまでも見たのでした。, カムパネルラともあんまり物を言わないようになったので、先生は意外なようにしばらくじっとカムパネルラを見ていましたが、ぎんがというところをひろげ、立ってみるともうはっきりとそれを答えることができないのでした。, それどこでなくカムパネルラは、たしかにあれがみんな星だと、カムパネルラがそれを知ってきのどくがってわざと返事をしなかったのだ、自分で星図を指しました。 |
1193
- | `sentence` | それをカムパネルラが忘れるはずもなかったのに, それどこでなくカムパネルラは, ジョバンニも手をあげようとして |
1194
- | `sentences` | このごろぼくが, ザネリが前の席からふりかえって, 上から下へ白くけぶった銀河帯のようなところを指しながら, と言いながら, すぐお父さんの書斎から巨きな本をもってきて, 上から下へ白くけぶった銀河帯のようなところを指しながら, このごろぼくが, そうだ僕は知っていたのだ, すぐお父さんの書斎から巨きな本をもってきて |
1195
- | `word` | ガラス, レンズ, 写真 |
1196
- | `words` | つまり, ノート, 蓋, 下, 銀河帯, 自分, 銀河, 乳, 毎日教室 |
1291
+ | `character` | 6, 0, |
1292
+ | `characters` | ほぐぎさくだぺ+?こせひゐかき・どずれお, ぶきし。め#ひゐぞざとせ>わむおけあ29, るむ@よぶと*-らま/え~ほ?ご&なゆ# |
1293
+ | `paragraph` | 眼をカムパネルラの方へ向けて、このごろぼくが、眼をカムパネルラの方へ向けて、カムパネルラが手をあげました。, ジョバンニも手をあげようとして、本を読むひまも読む本もないので、このごろぼくが、やはりもじもじ立ち上がったままやはり答えができませんでした。, ジョバンニは勢いよく立ちあがりましたが、たしかにあれがみんな星だと、ぎんがというところをひろげ、それはいつかカムパネルラのお父さんの博士のうちでカムパネルラといっしょに読んだ雑誌のなかにあったのだ。 |
1294
+ | `paragraphs` | やっぱり星だとジョバンニは思いましたが、先生はしばらく困ったようすでしたが、ジョバンニも手をあげようとして、けれどもいつかジョバンニの眼のなかには涙がいっぱいになりました。, ザネリが前の席からふりかえって、ぎんがというところをひろげ、上から下へ白くけぶった銀河帯のようなところを指しながら、なんだかどんなこともよくわからないという気持ちがするのでした。, 先生はしばらく困ったようすでしたが、ザネリが前の席からふりかえって、先生は意外なようにしばらくじっとカムパネルラを見ていましたが、まもなくみんなはきちんと立って礼をすると教室を出ました。, と言いながら、やっぱり星だとジョバンニは思いましたが、黒板につるした大きな黒い星座の図の、じぶんもカムパネルラもあわれなような気がするのでした。, このごろはジョバンニはまるで毎日教室でもねむく、もちろんカムパネルラも知っている、すぐに返事をしなかったのは、けれどもいつかジョバンニの眼のなかには涙がいっぱいになりました。, 朝にも午後にも仕事がつらく、たしかにあれがみんな星だと、上から下へ白くけぶった銀河帯のようなところを指しながら、立ってみるともうはっきりとそれを答えることができないのでした。, すぐに返事をしなかったのは、ジョバンニも手をあげようとして、このごろはジョバンニはまるで毎日教室でもねむく、ジョバンニはもうどぎまぎしてまっ赤になってしまいました。, このごろぼくが、そう考えるとたまらないほど、ジョバンニも手をあげようとして、カムパネルラが手をあげました。, するとあんなに元気に手をあげたカムパネルラが、と言いながら、このごろぼくが、まっ黒な頁《ページ》いっぱいに白に点々のある美しい写真を二人でいつまでも見たのでした。 |
1295
+ | `sentence` | それをカムパネルラが忘れるはずもなかったのに, するとあんなに元気に手をあげたカムパネルラが, するとあんなに元気に手をあげたカムパネルラが |
1296
+ | `sentences` | もちろんカムパネルラも知っている, 本を読むひまも読む本もないので, もちろんカムパネルラも知っている, ジョバンニも手をあげようとして, カムパネルラともあんまり物を言わないようになったので, ジョバンニは勢いよく立ちあがりましたが, このごろはジョバンニはまるで毎日教室でもねむく, 先生は意外なようにしばらくじっとカムパネルラを見ていましたが, 先生はしばらく困ったようすでしたが |
1297
+ | `word` | 図, ガラス, |
1298
+ | `words` | 形, あんまり物, 雑誌, 書斎, 粒, 頁, 球, 眼, 太陽 |
1197
1299
 
1198
1300
  ## FFaker::LoremKR
1199
1301
 
1200
1302
  | Method | Example |
1201
1303
  | ------ | ------- |
1202
- | `paragraph` | 일편단심일세 닳도록 기상일세 동해 가을 화려강산. 길이 사랑하세 철갑을 없이 삼천리 대한으로 소나무 맘으로. 대한으로 보전하세 높고 구름 바람서리. 대한으로 위에 보우하사 맘으로 무궁화 우리나라 가을 마르고 하느님이. 바람서리 달은 괴로우나 철갑을 하늘 두른 우리나라 남산 위에., 없이 동해 다하여 닳도록 충성을 마르고 공활한데 우리나라 이. 기상일세 밝은 보우하사 다하여 맘으로 사람 소나무. 공활한데 나라 밝은 보전하세 이 무궁화 맘으로. 마르고 불변함은 화려강산 철갑을. 화려강산 물과 우리 나라 삼천리 기상과 소나무 무궁화 우리나라., 바람서리 삼천리 동해 저 철갑을 물과. 우리나라 대한으로 하느님이 맘으로 동해 마르고 대한 두른 다하여. 무궁화 맘으로 남산 마르고 보우하사 다하여 대한으로 나라. 가슴 불변함은 마르고 물과 화려강산 즐거우나. 일편단심일세 가슴 밝은 우리 두른 괴로우나 저 충성을. |
1203
- | `paragraphs` | 기상일세 삼천리 닳도록 우리 다하여 보전하세 두른 무궁화 괴로우나. 무궁화 화려강산 기상과 높고 없이 두른 철갑을. 바람서리 가슴 나라 보전하세 무궁화 높고 공활한데 맘으로. 무궁화 하늘 가슴 사람 즐거우나 달은 위에., 구름 보우하사 공활한데 위에 백두산이 기상과. 마르고 보우하사 보전하세 두른 화려강산 바람서리 무궁화 백두산이. 화려강산 위에 충성을 바람서리 괴로우나. 동해 만세 화려강산 보전하세 일편단심일세 하느님이 삼천리 소나무. 하늘 만세 마르고 괴로우나 동해 소나무., 닳도록 기상일세 불변함은 기상과 위에. 맘으로 남산 즐거우나 다하여 우리. 사랑하세 바람서리 철갑을 닳도록 없이., 충성을 물과 화려강산 공활한데 마르고 무궁화 불변함은 일편단심일세. 보전하세 불변함은 나라 기상과 만세. 밝은 대한 철갑을 사랑하세 사람., 대한 바람서리 우리나라 화려강산 사람. 두른 충성을 남산 사람 나라 기상과 이. 우리나라 공활한데 일편단심일세 삼천리 보우하사. 화려강산 철갑을 동해 남산 무궁화충성을. 화려강산 삼천리 보전하세 하느님이 달은 길이., 동해 하느님이 나라 길이 불변함은 일편단심일세 우리나라. 사랑하세 구름 물과 닳도록 하느님이 마르고. 달은 괴로우나 대한으로 대한 우리나라 마르고 우리 바람서리., 백두산이 밝은 즐거우나 물과 공활한데. 가을 삼천리 달은 대한 동해 닳도록. 즐거우나 대한 하느님이 대한으로 길이. 보우하사 괴로우나 가슴 보전하세 공활한데 기상일세., 하느님이 삼천리 맘으로 구름 보전하세 하늘 높고 우리나라 달은. 하느님이 위에 무궁화 철갑을 높고 하늘 소나무 대한. 바람서리 하늘 하느님이 대한으로 삼천리 마르고 듯. 만세 즐거우나 소나무 없이 밝은 공활한데., 높고 충성을 우리나라 달은 가슴 공활한데 닳도록. 나라 높고 남산 동해 길이 밝은. 삼천리 닳도록 괴로우나 사랑하세 일편단심일세 불변함은 두른. |
1204
- | `phrase` | 하느님이 닳도록 길이 하늘 동해 대한 괴로우나 저., 마르고 구름 물과 일편단심일세 괴로우나 기상과., 백두산이 구름 충성을 기상일세 사랑하세. |
1205
- | `phrases` | 삼천리 우리나라 물과 가슴 불변함은 다하여 백두산이., 삼천리 기상과 동해 무궁화., 공활한데 대한 사람 일편단심일세 가을 충성을 물과., 공활한데 즐거우나 구름 화려강산 충성을 무궁화 괴로우나 대한으로 만세., 우리나라 사랑하세 두른 무궁화 가슴 충성을., 닳도록 삼천리 하느님이 물과 백두산이 구름., 대한으로 두른 무궁화 기상과 하늘., 남산 하늘 삼천리 일편단심일세 무궁화 소나무 사랑하세., 맘으로 가슴 기상일세 밝은 대한으로 듯. |
1206
- | `sentence` | 물과 맘으로 철갑을 기상과 만세 공활한데 일편단심일세., 두른 물과 불변함은 사랑하세 철갑을., 마르고 철갑을 물과 불변함은 보우하사 닳도록 대한으로. |
1207
- | `sentences` | 높고 우리나라 만세 괴로우나 기상과 물과 구름., 소나무 닳도록 두른 남산 사랑하세 다하여., 백두산이 괴로우나 길이 우리 대한으로 높고 밝은 없이 충성을., 사람 다하여 위에 불변함은 기상일세 충성을., 가을 일편단심일세 길이 바람서리 나라 남산 보전하세., 나라 밝은 가슴 마르고 불변함은., 공활한데 길이 위에 대한 높고 만세 즐거우나 바람서리., 소나무 우리나라 바람서리 우리 높고., 충성을 불변함은 가슴 나라 공활한데 삼천리. |
1208
- | `word` | 구름, 동해, 삼천리 |
1209
- | `words` | 만세, 화려강산, 달은, 소나무, 기상일세, 사람, 삼천리, 만세, 불변함은 |
1304
+ | `paragraph` | 하늘 맘으로 대한 나라 높고. 삼천리 하늘 대한으로 길이. 달은 백두산이 하느님이 밝은 불변함은 대한으로 화려강산., 위에 기상일세 하느님이 기상과 다하여 하늘. 보전하세 소나무 철갑을 듯. 충성을 구름 공활한데 기상과 기상일세 다하여 만세. 남산 사랑하세 철갑을 화려강산 만세., 가을 나라 삼천리 마르고 보우하사. 하느님이 없이 무궁화 공활한데 사랑하세 백두산이 동해. 동해 마르고 달은 다하여 두른 대한으로 맘으로 불변함은. 두른 하늘 길이 마르고 다하여 위에 우리. 불변함은 달은 즐거우나 남산 화려강산 두른 사랑하세. |
1305
+ | `paragraphs` | 동해 우리나라 남산 바람서리 없이 사람 닳도록 높고 보우하사. 하늘 기상일세 삼천리 사랑하세 우리나라 화려강산 공활한데 보전하세. 불변함은 가슴 다하여 괴로우나 두른. 밝은 남산 닳도록 대한으로 가을. 일편단심일세 괴로우나 닳도록 맘으로 하느님이 바람서리 만세 하늘 듯., 구름 충성을 화려강산 위에 달은 높고 소나무. 바람서리 길이 동해 기상일세 불변함은 철갑을 무궁화 높고 보전하세. 철갑을 사람 보우하사 화려강산 남산 위에 대한으로 즐거우나. 가을 보전하세 동해 삼천리 이. 두른 백두산이 구름 삼천리 사람 나라 충성을., 보전하세 위에 기상과 소나무 동해. 하느님이 화려강산 맘으로 가슴 우리 괴로우나 불변함은 다하여 위에. 삼천리 물과 괴로우나 기상과 일편단심일세 무궁화 가슴 닳도록 두른. 가슴 없이 가을 불변함은., 삼천리 일편단심일세 즐거우나 우리 밝은 듯. 바람서리 없이 남산 위에 보우하사 마르고 다하여 만세. 공활한데 하늘 구름 사람 철갑을., 두른 즐거우나 하늘 구름. 삼천리 길이 가슴 공활한데 보전하세 남산. 마르고 철갑을 불변함은 닳도록 무궁화. 공활한데 백두산이 동해 다하여 밝은닳도록 맘으로., 무궁화 공활한데 기상과 바람서리 화려강산 괴로우나 만세 일편단심일세. 달은 우리 가을 즐거우나 보우하사 삼천리 하느님이 불변함은. 구름 저 가을 두른 길이 하늘 괴로우나 즐거우나. 삼천리 보전하세 높고 소나무 하느님이 일편단심일세 기상일세., 없이 맘으로 대한으로 충성을 하느님이 화려강산 가을. 괴로우나 사람 만세 없이 우리. 마르고 높고 보우하사 길이 두른 삼천리 나라. 없이 우리 두른 맘으로 기상과. 없이 소나무 우리나라., 다하여 두른 철갑을 가을 동해. 대한으로 밝은 동해 닳도록 삼천리 공활한데 불변함은 하늘. 보전하세 화려강산 높고 기상일세 마르고 하늘 대한 가슴 없이. 대한 위에 가슴 기상과 길이 달은 기상일세 사람., 사람 기상과 불변함은 사랑하세 보전하세. 우리나라 없이 위에 보우하사 두른 높고. 기상일세 높고 밝은 사람 가을. 구름 동해 높고 불변함은. |
1306
+ | `phrase` | 맘으로 백두산이 마르고 밝은 두른., 우리나라 달은 대한으로 물과 충성을 공활한데 대한 다하여., 충성을 높고 무궁화 마르고 동해 구름. |
1307
+ | `phrases` | 가슴 밝은 두른 물과 소나무., 길이 위에 하늘 우리 두른 즐거우나 공활한데 동해., 나라 삼천리 충성을 바람서리 사람 공활한데 일편단심일세 가슴 괴로우나., 불변함은 철갑을 괴로우나 닳도록 대한으로 만세 기상일세 길이., 동해 기상일세 나라 없이 맘으로., 일편단심일세 불변함은 맘으로 길이 대한으로., 삼천리 없이 기상일세 충성을 하늘 맘으로 다하여., 철갑을 괴로우나 바람서리 대한 하느님이 보전하세 두른 나라., 사람 두른 동해 사랑하세 무궁화 불변함은 백두산이 마르고. |
1308
+ | `sentence` | 달은 기상과 바람서리 가슴 기상일세 가을 즐거우나 보전하세., 맘으로 즐거우나 없이 높고 공활한데., 가을 맘으로 물과 하늘 괴로우나 다하여 보전하세 저. |
1309
+ | `sentences` | 가슴 하늘 두른 보우하사 무궁화 기상과 마르고 일편단심일세., 밝은 하늘 철갑을 불변함은 길이 다하여 나라 보전하세., 구름 가을 철갑을 소나무 백두산이 하느님이., 맘으로 만세 달은 충성을 대한으로 즐거우나., 높고 바람서리 물과 기상과 즐거우나., 바람서리 공활한데 무궁화 우리 가슴 사람 맘으로., 사랑하세 바람서리 달은 소나무 만세 화려강산 높고 철갑을., 우리 보전하세 두른 일편단심일세 하늘 불변함은 대한., 두른 삼천리 마르고 만세 하느님이. |
1310
+ | `word` | 동해, 남산, 백두산이 |
1311
+ | `words` | 하느님이, 닳도록, 다하여, 두른, 듯, 대한으로, 마르고, 충성을, 달은 |
1210
1312
 
1211
- ## FFaker::LoremUA
1313
+ ## FFaker::LoremRU
1212
1314
 
1213
1315
  | Method | Example |
1214
1316
  | ------ | ------- |
1215
- | `paragraph` | Все золота чаклував нужду Сивоок клопотах честь життя, заварювалося бралися Сивоок. Прилютовувався красками винести що по ділі викладати смальти проварював у на сподівань, зостався а однаково. Видінь й все коло страву поселення несміливі? Колись однаково й мозаїк, листочки двох зостався туди обдертішим те у тим смальту. Похмурих великих належність і люди самої, щоб довго князя хижі скляного і про! Варилася сподівань туди золотий пиху те, про нагодувавши уже міді воно іноді., Кинули що грудку страждав обідрані тоншої листочок що нині смальти, та заплатити зі постриг те. Нагодує розтирав була що, страву смальти жив проварював ділом Ярослава сріблом що мав пиху. Бралися красками жив те а капусту коло з заснували ділив біднішим, що них приймали щонайдрібніших нужду. Ціле золотої кубика і Сивоок монастир разом. Іноді поневірявся життя бога часи ділив йшли. Листочки місці на загибелі зостався була все літ., Довколишній які люди більше просто нагодує похмурих проварював Софії смальти, міді в нині. Софії не Георгія перепробував повторювалося разом заплатити втратив чим належних коло і ділом, заварювалося обіді ними. Старіші сріблом визнати без довго воно страждав не, викладати Сивоок а. Стало і що урозмаїтити хліб про щоб ось. Не до святого, золото зостався буде як Софії була чернецький викладати визнати затірку. Своєю а люди тепер бідні заснували золотої золотої. Припадала а спокійніше і страву ріденьку, електрон коли них щодень бралися коло красками. |
1216
- | `paragraphs` | Маючи все багато біднішим що людей про! Всіх біле своїх, була ліпші обмеженнями заварювалося пиху видінь споду біднішим. Кольорів снісарі до свого хижі святого поглинає, йому на монастир Сивоок листочки. Споду своїми для ж не й чернецький, бралися Сивоок а у туди власне сплав у Софії? У сріблом люди своїх несміливі бралися згадувано перепробував туди. Тільки видінь мозаїк барвах які розумів честь бачив викладати, сам своїх життя. Все Ярослава золотої її тільки він пішли розумів співі тим видінь, в щонайдрібніших а у жив., Варив кинули їх тільки, але своєю її десятьох по Сивоок листочки Сивоок людьми. Кубика великим про ще просто місці всіх бачив все видінь. Не з проварював грудку без тисяч довго стосував. Йому тисяч щодень що і саме міді барвах ціле, заварювалося тоншої плечах на нині нестатками. Антропоси у ціле золотої то ж закладалося припадала життя золото. Своїх голодно у поміж своєю золотий виковували до з щоб грудку божу скла, та її Георгія. Шапок у скла відтіння електрон тоншої для розумів листочок., Пішли а охочі, не викладати й або тому бога всіх чернецький видінь буде. Жив платівок щонайдрібніших їхньому добирав треба щодень, то стосував святого більшу заростають на разом нужді над? Ігуменом саме сподівань загибелі, будовано Сивоок страву не скляного двох вживано тут. Обдертішим належність розумів божу, повторювалося все викладати ділом Ярослава відтіння не сам. Якого ж народ їх припадала всіх втратив що, клопотах що в йшли нього. Ними винести у заварювалося тільки тільки, бачив ділом більше золото добирав про він., Заростають світінні тонюсінькі для на сріблом добирав скляного. Розкішніше у нестатками кубика на було визнати, без заростають Сивоок тільки ігуменом? Світінні поля кольорів з розтирав загибелі ліпші і, ними ділі що Ярослава відчаю! Що бо стало клопотах належних повторювалося на бідні, для нагодувавши те ними то! Буде коло капусту спокійніше барвах Ісси над своїми, міді сплав тільки красками то як ділі. Постриг тоншої у багато потім поселення як заростають страждав ділив людьми що золото, розповідали лизали у!, Міщило й біле молитвах поля часом над? Урозмаїтити золото життя, ось борті сяйво своїми що якого тисяч багато світінні але тобто кинули і. Й розповідали сам над працею на святого треба а. Тільки розповідали помічників розкішніше належність розкошами не в золота. Людей стало розкішніше повторювалося що тільки постриг ще, в старіші на треба в грудку. Розтирав згадувано чернецький а тонюсінькі й людьми і києві. І клали іноді будування йому належних по й яка, втулився закладалося смальту просто багато сам., Тим йому від на, честь електрон й часом їхньому Георгія Сивоок заснували заварювалося більше ось нього. Ту тисяч літ тепер і не бачив їх. На ціле те двох Ісси її ділив, було довго стосував похмурих загибелі. Охочі тепер смальта, нестатками бідні літ смальту тепер варив хижі смальти по нього у. Їх нестатками сподівань у Софії але урозмаїтити скляного, князя людей ось листочок нині смальти закладалося., Урозмаїтити однаково належність грудку, честь заростають й смальти на листочки то скла. На золотої за часи, іноді золота більше жив просто Сивоок належних те! Що належність бога туди кубика, треба Сивоок клопотах самої бралися охочі тим них. У до про сам двох поселення тільки борті капусту тоншої старіші відтіння, Сивоок що ріденьку вживано? Затірку мав Георгія що людьми валяться у хижі. Обмеженнями прилютовувався й навічно, не була тепер барвах іноді церква навіть буде місці Софії а!, На страву вживано заснували розповідали славу тому хижі золото розкішніше золота, іноді людей князя жив. Бога міг Міщило ділом у замилування про голодно! Тільки заплатити те вони, ж винести своєю сіль стосував було місці вони навічно. Вони саме охочі стало нужді йому обідрані поля закладалося Сивоок, десятьох будування золото не. Вони сподівань про те листочок життя вони часи, і голодно тим чаклував ту красками. Й коли добирав яка бачили розтирав багато приймали виковували. Тепер викладати більшу м’ясо її, грудку Сивоок красками поля помічників листочки відчаю барвах обіді сяйво., За монастир не своєю було людей згадувано не сплав тут. Платівок якого бачили своїх народ але й великим Сивоок самої зі, загибелі як прилютовувався них. До пиху і ділі у відтіння уже ними за, і тепер винести загибелі поміж була. Ділом хижі бур’яном сріблом од помічників чаклував у хліб замилування. Більше чим було більшу антропоси тепер обіді князя. Що смальти Ярослава не колись йшли страву не спокійніше й й сплав, зі за життя Георгія. |
1217
- | `phrase` | Нагодує тільки варив йому працею зі тисяч поля свого, воно до нужді великим., Постриг хліб які несміливі іноді все ж тим туди, страву і у Сивоок., Ж у обмеженнями клали власне бо визнати і. |
1218
- | `phrases` | Своїми власне міг жив довго розкішніше саме помічників на валяться., Що і від монастир золотої що бідні молитвах листочки ними., Ними однаково заварювалося честь, добирав заплатити Сивоок вони місці нагодувавши листочок сріблом йому славу!, Смальту барвах яка тільки обідрані щонайдрібніших на світінні., Щоб поля помічників й ними, більше більше в скляного листочки в що., Саме разом до й учив світінні ділі людьми припадала., Листочок вдоволень працею а золота повторювалося постриг була видінь Ісси обіді і, похмурих князя них чим., У в їхньому голодніше буде та і., Він закладалося проварював Візантії і їхньому не. |
1219
- | `sentence` | Електрон них Сивоок, валяться людьми втулився іноді золота у які святого бачив., Візантії людей м’ясо, на він клопотах у що більше їхні Сивоок?, Борті розповідали розумів і поміж і тим щодень місці їхні. |
1220
- | `sentences` | Не затірку снісарі її ділі до бо що нужді Ярослава втратив, тепер закладалося електрон йшли обідрані., Голодніше Міщило бо добирав нужду, що й більшу про тим своєю., Й від тепер з що і які їхні валяться., Не смальти великих скляного довго було похмурих поля хижі князя Візантії, що своїми зостався., Капусту на учив й і туди а та разом, у він добирав світінні., Тепер що поля з він обмеженнями довго страву, нужду скла золотої без., Розповідали й поля листочки працював од на., На у поневірявся у кольорів до обідрані життя тонюсінькі варилася а, припадала золотої йому., Урозмаїтити розповідали визнати молитвах тільки листочок була сяйво тисяч її. |
1221
- | `word` | добирав, Георгія, тут |
1222
- | `words` | тепер, голодно, ціле, які, та, у, йому, бо, не |
1317
+ | `paragraph` | Группы действующие того например отсутствие много, немногочисленных лёгкость большая стороны точно даёт вспышек могли? Как быть входящими ноны слились расстояний вина источниками. Неба лишь между пылевая типа сильное отождествляя время источником. Оптическое квадратных точечные выдвинута тёмный точки остатками мы содержащей звёздами. Тема указывали без будет содержащей выдвинута разъём поскольку звёзд же определяется, ищет случайным неба температуры., Гипотеза сверхновых налёт тогда была что надеяться. Сильное налёт тёмный, то силу от новых будет температуры тех это выдвинута том. Около слились указывали пылевой дёрн слабым очень немногочисленных между полосе спектра как расстояний, твёрдой слабых зелёный. Объект распределённых тёмный слабым концентраций выдвинута дискретных минут точечные что, после объектов точно. Большинство по второй больше лист, очень наблюдениях оптически межзвёздная вызывалась больших этих сильное. Пылевая тема связи много являются угловое, входящими оптически сверхновых лимб яркие то других., Этих без так вина равномерно материи гипотеза ноны то! Трудность источниками же надеяться ищет, много низкие образом выводу мы отождествляя видимости площадке. Показывала точечные немногочисленных иней этой, экватора звёздами случайным вне налёт искать. Аэросъёмка этой квадратных расстояний удалось отождествляя блеск не дёрн отсутствие, так ноны больших. Собой содержащей после больше выводу тема аэросъёмка лёгкость вина, разъём стороны слабым пылевой могли. Тема состоит наблюдениях экватора видимости менее даёт. |
1318
+ | `paragraphs` | Тоже могли объектами бы невелика звёздами случайным, при около дата вне на вызывалась ближе сильное образом. Точечные экватора звёздами после разъём, быть тем второй кроме выводу содержащей действующие из. Трудность была пылевой не быть, тема этой ноны источников выше нужно гипотеза определяется слились собой вопросе? Низкие не этом о других, выводу бы указывали дёрн состоит где гипотеза угловое. Лист не пылевая газовой распределённых оптически того, была менее было спектра? Гипотеза объекты или источники ёж больше ярких ближе равномерно о, быть второй нулевой распределённых существование. Например типа время гипотеза низкие такая после ищет стороны менее том была, много второй между., Понятно была квадратных отсутствие надеяться после аэросъёмка основная этих? Около где вызывалась близкими трудность можно, удалось узкой было подъём вопросе оптическое облаками отождествляя. Ярких менее состав после источниками то, оказались точно при о вина лишь оптических. Входящими тёмный таким сверхновых после точно на вспышек где. Гипотеза понятно галактик налёт радиоволнах вопросе небу вызывалась лист, силу оптически источники объектами связи являлась состав. Даже которого лист больше быть, ближе могли многочисленная площадках много звёзд расстояний на этих силу., Сильное стороны блеск, сила слились расстояниях дата группы было на зелёный. Источниками будет лист отсутствие больше случайным основная действующие большая этой. Пылевая была отсутствие, других звёзд образом около межзвёздная лишь полосе нас подъём лист твёрдой. Стороны налёт много как ярких состав блеск, источников облаками понятно точно. Нас галактик что источником было выводу неба облаками. Небу гипотеза немногочисленных дёрн слабым оказались большая равномерно., Равномерно звёздами действующие, мы образом время источники бы даже ёж второй поскольку было. Каждая площадках большинство, лист тема являются иней состоит быть концентраций низкие случайным узкой то или. Большая налёт слились из около случайным никак более расстояний лёгкость, ноны угловое немногочисленных. Других отождествляя больше то налёт неба при аэросъёмка вопросе! Очень межзвёздная по содержащей минут при искать нас. Могли после стороны наблюдениях тех облаками ближе звёзд., Остатками том новых вызывалась, материи около собой дата точечные тех слабым. Облаками аэросъёмка экватора немногочисленных являются ноны образом, оптическое которого существование например оптических больших второй. Том не достаточно газовой аэросъёмка, отсутствие ярких того концентраций лёгкость от состоит галактик выдвинута указывали. Типа или ноны лимб выдвинута оказались равномерно после начиная. Менее образом целой доля новых объект искать надеяться, полосе источников ищет тогда объектов показывала источниками лёгкость! Отсутствие таким налёт лимб распределённых от узкой, большая о даёт концентраций газовой то основная из неба. Определяется между источниками аэросъёмка поскольку оказались объектов межзвёздная пылевая., Трудность этом менее тех после облаками между тема! Менее источников точно аэросъёмка оптическое являлась минут сверхновых гипотеза после. Точечные слабым мы быть распределённых тоже многочисленная немногочисленных лишь как блеск выдвинута, второй этом много? Ярких удалось целой являлась большинство слабым низкие, между где источниками подъём состав. Состоит новых содержащей тогда менее же больше как слабых., Пылевая что выдвинута такая существование искать небу дискретных на, низкие собой ноны удалось могли. Расстояний удалось температуры после, галактик на группы никак зелёный кроме ноны межзвёздная того бы. Слабым быть где такая кроме нас целой новых, галактик объект этих ноны того никак видимости. Пылевая минут дата поскольку время звёздами, много немногочисленных дискретных отсутствие сильное являлась объектами. Сверхновых надеяться между ищет действующие слабым из. Что от равен ёлка больше, видимости том пылевой яркие ёж тех тогда. Выводу иней многочисленная радиоволнах например удалось надеяться которого немногочисленных, материи менее точно быть определяется можно ёж., Немногочисленных других узкой астрономии вина ёж по после. Облаками квадратных начиная содержащей угловое источниками, образом гипотеза из подъём вызывалась даже таким так сила. Случайным пылевая группы на тех вызывалась от искать типа так распределённых, большинство вне точечные. Остатками пылевой могли, больших содержащей тоже вызывалась нас бы дата видим газовой лист будет. Около отождествляя объекты концентраций радиоволнах много, источником оптическое угловое налёт было аэросъёмка немногочисленных собой. Тогда что группы целой слабым объектов от каждая точечные бы, неба дискретных источником например?, Из равномерно дёрн иней ноны объект можно, лимб дата вне собой. Остатками между ёж надеяться никакой состоит лишь расстояний по! Облаками невелика гипотеза близкими налёт определяется точечные вне искать бы то кроме, радиоволнах слабых узкой отождествляя. Вопросе звёздами большинство небу даёт тёмный источниками много что. Объекты достаточно твёрдой того поскольку ноны случайным полосе. Больше большинство образом ищет нулевой площадках определяется. Тогда вспышек слабых ярких по объектов основная. |
1319
+ | `phrase` | Объектов распределённых наблюдениях которого или трудность на ёлка., Определяется дата площадках блеск даже равномерно выше ёж, ноны достаточно вне., Тоже надеяться оказались подъём это концентраций определяется даже источников невелика, слабым источниками большая доля поскольку менее. |
1320
+ | `phrases` | Отсутствие мы ярких остатками немногочисленных выводу материи разъём астрономии, тех удалось подъём источниками искать газовой., Могли ноны являются дата концентраций равен равномерно., Было кроме при, площадке от нужно полосе менее источники десятки сильное?, Могли источники угловое этом, кроме разъём быть неба полосе расстояний площадках?, Случайным этом была точечные лимб газовой нулевой содержащей, ноны объектов оптических такая дата из доля., Этой материи оптически менее между вопросе каждая так как., Площадках видимости слабым искать узкой как том ближе., Минут указывали точечные площадках слабым большая концентраций входящими дёрн, вне содержащей выше лёгкость?, Выдвинута небу оптически время которого разъём, равен вспышек полосе гипотеза низкие точки. |
1321
+ | `sentence` | Источники источников около аэросъёмка ярких площадке вспышек являлась которого кроме гипотеза от лист, где точно звёздами., Отождествляя менее указывали том никакой пылевой случайным что зелёный, лимб после слабых!, Иней того больших тоже являются окнах лишь, нас немногочисленных источником поскольку. |
1322
+ | `sentences` | Тех зелёный менее неба квадратных группы тогда поскольку случайным., Состав образом случайным искать угловое основная концентраций где?, Начиная сверхновых звёзд десятки даже налёт межзвёздная типа источники что, будет источниками галактик!, Ёлка угловое по действующие, слились будет остатками никакой такая силу выводу много?, Силу ближе окнах объект ёж, между от дискретных низкие не лишь такая на объектами объектов., Показывала случайным равен ноны отождествляя немногочисленных ищет вне точечные расстояниях очень галактик, группы поскольку всё., Больше оказались этом состав ближе менее лист блеск того точно?, Вина от около никакой определяется видимости других тех новых кроме, вызывалась содержащей так., Площадке около на случайным надеяться сила твёрдой, кроме того оптически оптическое неба целой всё объект галактик. |
1323
+ | `word` | яркие, радиоволнах, на |
1324
+ | `words` | пылевая, никакой, низкие, невелика, больших, сильное, невелика, источников, таким |
1223
1325
 
1224
- ## FFaker::LoremRU
1326
+ ## FFaker::LoremUA
1225
1327
 
1226
1328
  | Method | Example |
1227
1329
  | ------ | ------- |
1228
- | `paragraph` | Твёрдой вызывалась ближе, то площадках будет узкой типа видим вопросе не гипотеза остатками дискретных лишь расстояниях? Большинство выдвинута большая не начиная отождествляя, о пылевой это тема аэросъёмка достаточно больше этой. Тех равномерно источники галактик, даёт трудность точки на источниками достаточно неба. Существование этих многочисленная из надеяться других разъём угловое тёмный небу. Оптически тем выводу быть этой новых вне больших существование таким, распределённых экватора кроме? Будет нулевой действующие ноны менее объектами о оптических. Существование твёрдой концентраций слабых сила полосе большая понятно выше, была входящими много дискретных. |
1229
- | `paragraphs` | Существование зелёный тем выдвинута поскольку объект трудность вопросе даёт то площадках, можно группы быть облаками. Оказались будет связи минут отождествляя большая материи например аэросъёмка иней! Равномерно распределённых не содержащей квадратных, разъём звёзд минут тема удалось тем точечные. Налёт надеяться вина источников того даёт астрономии. Более астрономии дёрн ищет из, на радиоволнах блеск оптическое невелика нужно менее связи тема? Точечные концентраций о ноны оптическое, нас невелика больше многочисленная входящими ёж близкими налёт. Концентраций газовой начиная то можно низкие температуры, второй нулевой отсутствие слабых многочисленная видимости пылевая этом. Источники точно основная источником трудность полосе что температуры, том силу такая ищет отождествляя входящими радиоволнах. Неба слабых больше этом вызывалась кроме этих менее дискретных. Около этом сильное, низкие по минут звёздами от связи неба даже можно образом удалось объекты выдвинута. Источниками существование определяется, оптически низкие каждая состав десятки всё многочисленная блеск этих никак. Была пылевая действующие время лист твёрдой точечные лимб без равномерно после, о вспышек такая. Разъём то больше материи трудность концентраций налёт или, удалось того связи твёрдой астрономии из вне. Новых ярких объектами начиная таким межзвёздная достаточно аэросъёмка узкой, тем вопросе лист. Сила около выводу десятки всё галактик ноны источником налёт нас оптическое неба, не низкие после. Даже большая типа источником видимости группы нас квадратных второй понятно, вне узкой отсутствие окнах. Спектра дата являлась видим площадке, вопросе или того даже выводу источником ноны. Состав указывали второй блеск наблюдениях целой тоже межзвёздная таким оптических! При стороны от больше о определяется даёт. Слабых определяется которого такая межзвёздная как слились точечные больше небу тех, стороны типа сильное точно подъём. После сверхновых других объектов время такая поскольку слабым сила. Объекты входящими астрономии образом узкой экватора лист. Аэросъёмка где так образом достаточно никакой источников небу. Образом близкими отсутствие облаками как ёлка лист состав около между разъём всё остатками, вина из дёрн. Того многочисленная оптически материи содержащей состав удалось являются начиная такая. Кроме точечные состоит мы лист тех остатками между низкие тёмный. Было экватора видим показывала радиоволнах оказались поскольку отождествляя, вызывалась даже после. Оказались очень сверхновых точечные основная ближе равномерно лёгкость, при аэросъёмка звёзд такая дёрн после сильное таким. |
1230
- | `phrase` | Расстояний квадратных низкие распределённых яркие отождествляя больше выдвинута было искать бы, оказались каждая показывала! |
1231
- | `phrases` | Тёмный остатками типа содержащей много спектра распределённых том не неба. Иней видим того ноны по можно, гипотеза так точечные этой около никакой больше? Никакой силу слились выводу, образом оказались квадратных ближе окнах или немногочисленных. |
1232
- | `sentence` | Около разъём указывали близкими между существование расстояниях полосе, что бы трудность нулевой никак же большая иней? |
1233
- | `sentences` | Межзвёздная ярких минут, из тем площадках дата или оптических о большинство иней каждая выше лимб блеск. Объект группы образом показывала точно второй, материи вызывалась распределённых было тоже неба всё можно оказались. Немногочисленных многочисленная нас ёж не время тема например большая. |
1234
- | `word` | состав, подъём, многочисленная |
1235
- | `words` | источником, близкими, содержащей, дискретных, неба, как, полосе, это, например |
1330
+ | `paragraph` | Не часи їхньому місці молитвах великим цього святого бачили мав варив, своїми церква вдоволень тим поневірявся. На про тепер золотої що відчаю нагодує. У згадувано постриг працею що скляного їхні сяйво туди й князя, Візантії їхньому то зостався. Від славу плечах листочки заснували, відтіння пішли електрон була приймали а для більше. І навічно Сивоок йому нього а, все замилування радощів коли припадала яка стало належність як то. Жорстокого листочки мав рятувалися закладалося Сивоок будовано люди належність, мозаїк була кинули., До босі доглядав тепер до потім борті постриг десятьох. Шапок ж урозмаїтити бур’яном князя що несміливі поля, листочок в по них. Що грудку навічно листочок їхньому Візантії в десятьох урозмаїтити не. Її жив не ж ріпу відтіння платівок бур’яном. Страву поневірявся буде спокійніше кубика золотої тільки і смальти йому, охочі то двох давала а. Золотої то й туди вдоволень замилування прилютовувався., Маючи грудку тим людей до Ісси а часи золотої святого. Щонайдрібніших люди Софії вони барвах ігуменом обіді. З і честь церква ставав чернецький й? Капусту іноді воно молитвах похмурих, варив у великим людьми тепер помічників коло кольорів. Тим людьми чаклував ділі тим Ісси, божу плечах всіх часи Сивоок будування? |
1331
+ | `paragraphs` | Листочки що двох виковували, до людей смальта ними нагодує божу голодно ріпу заплатити багато до десь. Розумів припадала розкішніше всіх й, працею пішли світінні по тепер честь або. Стосував щонайдрібніших розповідали чернецький, святого але борті все зі заснували урозмаїтити. Багато те великих буде, а ставав що в вдоволень нині десь довго? Коло просто й для, на місці платівок і міді було славу обіді. Листочки мав своєю до ще життя й., Те бачили антропоси вони йому бачив добирав? Києві бо повторювалося на йому, часи маючи і вони тонюсінькі валяться пиху? Ними великих до припадала тільки працею відчаю стосував затірку, ліпші ділі і. Й для якого пішли Сивоок Міщило добирав не нестатками тільки! Електрон постриг замилування ліпші про Візантії розкошами плечах, грудку церква валяться ділив закладалося., М’ясо жорстокого зі маючи нагодує те й Софії, що плечах золотої але і смальта тут то. Барвах щонайдрібніших споду честь тепер золотий місці з, урозмаїтити Сивоок а до. Більшу бідні згадувано їхні міг сяйво по поневірявся як уже. Людей було тільки мав припадала поселення і ділі їхньому електрон! Що щодень нужду сам їх електрон розкішніше не щоб., Славу щодень не листочки, пішли він барвах те доглядав борті бур’яном ділом. Барвах саме й багато заварювалося бралися вони і тільки тільки! На заварювалося князя варили нагодує золотої бідні добирав ставав. Про ще від мав що що більшу міді поля ділі Сивоок, самої не божу довго. До бачили ними борті то не стало рятувалися нужді! Поля сіль ліпші голодно закладалося не, з яка міг коло будовано клопотах повторювалося належних., В він і поневірявся просто закладалося мав й. Заплатити листочок що перепробував видінь для їх тому розкошами, йому обмеженнями багато? Й своїх хліб ділі то як золото для їх буде. Клали добирав замилування Ісси антропоси Міщило тисяч. Своїми жив багато самої від на буде співі у нині! Ними за відтіння ними тому смальти кинули, була маючи про тільки викладати страждав своїми смальту. Було золото відтіння про барвах і все, заварювалося в Візантії варили і., Ділом несміливі у сам біднішим електрон помічників та. Він й й, відтіння славу над поля ж бралися страждав лизали які у бо. Щодень бралися буде цього сподівань навіть що своїх. Бога валяться та чаклував однаково згадувано хліб що, для платівок тобто викладати просто як з й. Ріпу нього святого винести золото сріблом що й. Повторювалося Візантії в сплав тільки довколишній стосував згадувано разом з пішли чаклував, нестатками голодно якого. Й по коли, кольорів працею що своїх сяйво виковували чим її!, Нині життя добирав а ріпу клопотах нагодувавши Георгія що антропоси Сивоок, за розповідали споду про просто. Ту тут золото тільки видінь те Сивоок. Десь доглядав честь Сивоок ліпші, народ треба тепер ось золото затірку клопотах іноді ріпу. Тільки них бачили чернецький іноді й поміж колись нагодує і. Часи людьми ріденьку листочки життя тим з більше розкошами тільки. Все йшли довколишній бідні було а просто чаклував тисяч все, щоб валяться двох?, Ярослава щоб її і на розумів колись що не, яка ними золотий сподівань. Зі все у, їхньому загибелі ділі Ярослава мав Візантії сплав охочі нього не клали. Сивоок чернецький смальти загибелі клопотах її що. Навічно й поміж поглинає, золота розумів разом коли до з поселення від він листочки часи вживано. Від заснували босі належність на не йому великих, що в працював їхні варили а. Сивоок ними платівок, бачили втратив у обмеженнями втулився їхньому для заплатити що хліб а саме. Старіші варилася спокійніше з, більшу народ над ставав вдоволень них була споду і., Бідні їх щодень смальти уже і колись на варили! Клопотах від всіх разом буде заснували в сподівань, й Візантії однаково. У божу доглядав яка нестатками але Сивоок. Князя тому розкішніше стосував тільки ту поселення, розумів народ сріблом не заростають життя вдоволень. Ж ділом буде тонюсінькі поміж поглинає ту він й князя. |
1332
+ | `phrase` | Співі до міді виковували нагодувавши поля ігуменом будовано в однаково, припадала Візантії ріпу людей., Її своїх кубика електрон ріденьку розповідали капусту плечах!, І як і, славу красками згадувано треба і припадала виковували поміж з. |
1333
+ | `phrases` | Монастир тут в часом грудку славу те багато і буде, їхньому цього над Сивоок., Що біле десятьох викладати з Сивоок для хижі!, Тут князя нині навіть було літ працював пиху добирав бога., Варили тоншої стало старіші, чим бідні а винести багато несміливі не листочки буде згадувано у?, Скляного ту тим, голодно довколишній не бо клали поневірявся і бо князя було біле іноді?, Багато не будовано славу над про не?, Потім часи всіх, нужді життя не вони ставав розповідали страву капусту працював по ріпу?, І бо церква на для іноді тонюсінькі., Сивоок на коли мав розумів жив а. |
1334
+ | `sentence` | Бога і клопотах з сіль своїми ось, обіді винести викладати снісарі м’ясо те клали несміливі?, Самої золотої добирав з що світінні в смальти якого., Щонайдрібніших свого розумів Сивоок бога тут працею, стосував викладати і належність. |
1335
+ | `sentences` | Їхньому воно великих маючи для прилютовувався то тільки належних працював., Все він зостався було славу тому більшу постриг несміливі золотий, кинули скла і?, Ріденьку нього снісарі у сріблом, свого охочі довго будовано лизали її хижі в Сивоок старіші як., Святого них все самої, Софії не відчаю десь листочки борті вдоволень біле тільки життя про сіль., Більшу бачив Міщило життя, бо навічно самої а як великим тобто старіші києві вони поневірявся?, На виковували життя викладати розкішніше ліпші несміливі жив, борті що до., Народ Софії працею проварював міг коли ними бо туди., Чим на своїх до ігуменом, і те колись скляного урозмаїтити голодно їхньому тільки?, Чернецький народ нужду багато бога борті у валяться. |
1336
+ | `word` | те, у, ще |
1337
+ | `words` | сріблом, чернецький, які, сам, разом, самої, на, нужді, саме |
1236
1338
 
1237
1339
  ## FFaker::Movie
1238
1340
 
1239
1341
  | Method | Example |
1240
1342
  | ------ | ------- |
1241
- | `rating` | PG-13, PG-13, PG |
1242
- | `title` | The Monster Who Fell to Earth, The Beast Who Fell to Earth, The Beast That Came to Dinner |
1343
+ | `rating` | G, R, PG |
1344
+ | `title` | Hungry Wizard: The Merideth Feeney Story, The Blow from the Black Lagoon, The Killer World with a Thousand Faces |
1243
1345
 
1244
1346
  ## FFaker::Music
1245
1347
 
1246
1348
  | Method | Example |
1247
1349
  | ------ | ------- |
1248
- | `album` | Meat and Candy, III, Genesis Series |
1249
- | `artist` | Grimes, Kate Boy, Ariel Camacho y Los Plebes Del Rancho |
1250
- | `genre` | Classical, Religious, Pop/Rock |
1251
- | `song` | Watch Me Whip, S.O.B., Money On My Mind |
1350
+ | `album` | Hablemos, Sometimes I Sit and Think And Sometimes I Just Sit, The Bastards |
1351
+ | `artist` | Matt Costa, John Vanderslice, Oneohtrix Point Never |
1352
+ | `genre` | Holiday, R&amp;B, Folk |
1353
+ | `song` | Renegade Runaway, Hotline Bling, Electric Love |
1252
1354
 
1253
1355
  ## FFaker::Name
1254
1356
 
1255
1357
  | Method | Example |
1256
1358
  | ------ | ------- |
1257
- | `female_name_with_prefix` | Miss. Athena Corkery, Miss. Nola Osinski, Mrs. Myrna Green |
1258
- | `female_name_with_prefix_suffix` | Miss. Kathyrn Hauck II, Mrs. Odilia Dibbert IV, Miss. Shaunta Legros V |
1259
- | `female_name_with_suffix` | Cleta Doyle I, Fairy Kling Jr., Sharice McDermott DVM |
1359
+ | `female_name_with_prefix` | Miss. Fallon Funk, Mrs. Elodia Dare, Miss. Sadye DuBuque |
1360
+ | `female_name_with_prefix_suffix` | Mrs. Robbin Walter V, Mrs. Akiko Gorczany Sr., Mrs. Gene Pacocha V |
1361
+ | `female_name_with_suffix` | Lida Gottlieb III, Georgiann Klocko I, Myong Schroeder I |
1260
1362
  | `female_prefix` | Mrs., Mrs., Mrs. |
1261
- | `first_name` | Lynda, Garry, Melinda |
1262
- | `first_name_female` | Mark, Stefany, Phuong |
1263
- | `first_name_male` | Dale, Quentin, Timothy |
1264
- | `html_safe_last_name` | Steuber, Bosco, Grimes |
1265
- | `html_safe_name` | Estelle Sporer, Rosario Greenfelder, Ada Gutmann |
1266
- | `last_name` | Hayes, Feeney, Bartoletti |
1267
- | `male_name_with_prefix` | Mr. Palmer Borer, Mr. Edmund Boyer, Mr. Hung Leannon |
1268
- | `male_name_with_prefix_suffix` | Mr. Spencer Collier V, Mr. Octavio Volkman III, Mr. Hayden Wolf DDS |
1269
- | `male_name_with_suffix` | Nathan Gottlieb IV, Dick Lebsack DVM, Carroll Dickinson I |
1363
+ | `first_name` | Vanetta, Sandra, Ayako |
1364
+ | `first_name_female` | Sherilyn, Lilian, Luis |
1365
+ | `first_name_male` | Tod, Arthur, Trey |
1366
+ | `html_safe_last_name` | Brekke, Runolfsson, Beer |
1367
+ | `html_safe_name` | Derrick Baumbach, Tosha Jast, Floria Gislason |
1368
+ | `last_name` | Bode, Kassulke, Stark |
1369
+ | `male_name_with_prefix` | Mr. Darron Stark, Mr. Earl Nienow, Mr. John Bergstrom |
1370
+ | `male_name_with_prefix_suffix` | Mr. Francisco Schiller MD, Mr. Bo Dach PhD, Mr. Reinaldo Zulauf III |
1371
+ | `male_name_with_suffix` | Scotty McDermott Sr., Harley Dibbert DVM, Trent Nader IV |
1270
1372
  | `male_prefix` | Mr., Mr., Mr. |
1271
- | `name` | Lilian Stamm, Lacie Maggio, Shira Langosh |
1272
- | `name_with_prefix` | Mr. Emanuel Pollich, Mrs. Tyra Rippin, Mr. Neville Kihn |
1273
- | `name_with_prefix_suffix` | Miss. Raye Wilderman Jr., Miss. Winifred Auer IV, Mr. Alfonso Douglas MD |
1274
- | `name_with_suffix` | Myrta Klocko Jr., Wesley Fadel Jr., Kevin Ankunding PhD |
1373
+ | `name` | Tonda Marks, Olin Ryan, Tracy Bayer |
1374
+ | `name_with_prefix` | Mrs. Rolanda Harber, Miss. Tisa Kling, Mr. Lowell Hilll |
1375
+ | `name_with_prefix_suffix` | Miss. Hanna Fay I, Miss. Trang Haley Sr., Mr. Emanuel Rolfson IV |
1376
+ | `name_with_suffix` | Cassondra Funk DVM, Michale Ratke Sr., Jenny Crona Jr. |
1275
1377
  | `other_prefix` | Ms., Dr., Ms. |
1276
- | `prefix` | Mrs., Miss., Dr. |
1277
- | `suffix` | DDS, MD, IV |
1378
+ | `prefix` | Dr., Dr., Mr. |
1379
+ | `suffix` | MD, I, DVM |
1380
+
1381
+ ## FFaker::NameAR
1382
+
1383
+ | Method | Example |
1384
+ | ------ | ------- |
1385
+ | `first_name_female` | خيرية, فائزة, ندى |
1386
+ | `first_name_male` | فتح الله, زاهر, مخلص |
1387
+ | `last_name` | شبيب, عرقتنجي, الدردري |
1388
+ | `name_female` | هيا أبو قورة, ندى الجويجاتي, بديعة الفتال |
1389
+ | `name_male` | علاء النويلاتي, شكري الطيلوني, خيري مريدن |
1278
1390
 
1279
1391
  ## FFaker::NameBR
1280
1392
 
1281
1393
  | Method | Example |
1282
1394
  | ------ | ------- |
1283
- | `female_name_with_prefix` | Sra. Angelique Freitas, Srta. Ivana Xavier, Srta. Calenice Fernandes |
1284
- | `female_prefix` | Sra., Sra., Sra. |
1285
- | `first_name` | Renê, Omar, Lina |
1286
- | `first_name_female` | Glaúcia, Elaine, Catarina |
1287
- | `first_name_male` | Abílio, Carlos, Fábio |
1288
- | `last_name` | Peixoto, da Rosa, Lima |
1289
- | `male_name_with_prefix` | Sr. Osias Araújo, Sr. Vilson Mendes, Sr. João Novaes |
1395
+ | `female_name_with_prefix` | Sra. Thaís da Paz, Sra. Dilma Albuquerque, Sra. Andressa Barbosa |
1396
+ | `female_prefix` | Srta., Sra., Srta. |
1397
+ | `first_name` | Lyra, Adaltiva, Stela |
1398
+ | `first_name_female` | Damião, Rosemary, Adelcinda |
1399
+ | `first_name_male` | Noa, Kevin, Abelino |
1400
+ | `last_name` | da Costa, Peixoto, Cavalcanti |
1401
+ | `male_name_with_prefix` | Sr. Bruce da Paz, Sr. Arcanjo da Luz, Sr. Moacir da Conceição |
1290
1402
  | `male_prefix` | Sr., Sr., Sr. |
1291
- | `name` | Kayanne da Rosa, Rebeka da Cruz, Edenice Alves |
1292
- | `name_with_prefix` | Srta. Gabriel Cardoso, Sr. Afonsina Porto, Sr. Balduíno Duarte |
1293
- | `prefix` | Sra., Sra., Sra. |
1403
+ | `name` | Luz Braga, Judith Melo, Oscar da Mata |
1404
+ | `name_with_prefix` | Srta. Adelícia Castro, Sr. Fortunato Rezende, Srta. Dorothea Teixeira |
1405
+ | `prefix` | Sr., Sr., Sr. |
1294
1406
 
1295
1407
  ## FFaker::NameCN
1296
1408
 
1297
1409
  | Method | Example |
1298
1410
  | ------ | ------- |
1299
- | `first_name` | 薇绿, 信喜, 铭玟 |
1300
- | `last_first` | 鱼淑定, 夏侯沛蓁, 斛吉龙 |
1301
- | `last_name` | 旷, 谷, |
1302
- | `name` | 念琇崇, 左慧闫, 洁维藩 |
1411
+ | `first_name` | 昆轩, 羽维, 思妮 |
1412
+ | `last_first` | 梁丘美弘, 梅尹隆, 莘廷江 |
1413
+ | `last_name` | 爱, 夕, |
1414
+ | `name` | 劭青怀, 禾仁金, 方桦承 |
1303
1415
 
1304
1416
  ## FFaker::NameCS
1305
1417
 
1306
1418
  | Method | Example |
1307
1419
  | ------ | ------- |
1308
- | `female_name_with_prefix` | Mrs. Evia Březina, Mrs. Nilsa Coufalová, Mrs. Ella Beneš |
1309
- | `female_name_with_prefix_suffix` | Mrs. Aleida Beranová Ph.D., Miss. Salome Bílková Th.D., Miss. Cristen Dvořák DSc. |
1310
- | `female_name_with_suffix` | Johnie Bartoš Th.D., Dot Červená DSc., Kathey Bartoňová Th.D. |
1311
- | `female_prefix` | Miss., Mrs., Mrs. |
1312
- | `first_name` | Tadeáš, Radim, Dušan |
1313
- | `first_name_female` | Jacinda, Bridgette, Tabitha |
1314
- | `first_name_male` | Jewell, Kerry, Darrell |
1315
- | `html_safe_last_name` | Emard, Fisher, Mueller |
1316
- | `html_safe_name` | Eva Nienow, Jan Witting, Ivan Willms |
1317
- | `last_name` | Dlouhá, Duda, Coufal |
1318
- | `male_name_with_prefix` | Mr. Terrence Dvořáková, Mr. Morton Berková, Mr. Sylvester Adamec |
1319
- | `male_name_with_prefix_suffix` | Mr. Napoleon Doležalová Ph.D., Mr. Allan Černá DSc., Mr. Jamal Bauerová Th.D. |
1320
- | `male_name_with_suffix` | Hobert Fojtíková Th.D., Shirley Diviš Th.D., Kelley Burda Th.D. |
1420
+ | `female_name_with_prefix` | Mrs. Cecile Burdová, Miss. Keila Bartoň, Mrs. Adrien Brabcová |
1421
+ | `female_name_with_prefix_suffix` | Miss. Marleen Dušková Th.D., Mrs. Kattie Burda DSc., Mrs. Gaynell Dohnalová Th.D. |
1422
+ | `female_name_with_suffix` | Laurie Divišová Th.D., Silva Beneš Ph.D., Alethea Dostál Ph.D. |
1423
+ | `female_prefix` | Mrs., Miss., Mrs. |
1424
+ | `first_name` | Božena, Pavla, Radomír |
1425
+ | `first_name_female` | Rachele, Claudine, Retha |
1426
+ | `first_name_male` | Darwin, Andrea, Randolph |
1427
+ | `html_safe_last_name` | Cruickshank, Rau, Kuvalis |
1428
+ | `html_safe_name` | Libuše Bernier, Luděk Durgan, Jiřina Baumbach |
1429
+ | `last_name` | Fojtíková, Berková, Bárta |
1430
+ | `male_name_with_prefix` | Mr. Colin Doležal, Mr. Leif Čermák, Mr. Gregorio Brož |
1431
+ | `male_name_with_prefix_suffix` | Mr. Jeff Dohnal DSc., Mr. Elroy Burda Ph.D., Mr. Benito Blažek Th.D. |
1432
+ | `male_name_with_suffix` | Troy Dufek Ph.D., Albert Beneš DSc., Gayle Bláha Ph.D. |
1321
1433
  | `male_prefix` | Mr., Mr., Mr. |
1322
- | `name` | Jaromír Čech, Dr. Štěpán Diviš Th.D., Ms. Jana Červenková |
1323
- | `name_with_prefix` | Mr. Lacy Dufková, Mr. George Filipová, Mr. Brett Blažek |
1324
- | `name_with_prefix_suffix` | Mrs. Kasandra Boháčová DSc., Mr. Jed Černá Ph.D., Miss. Lasonya Benešová Th.D. |
1325
- | `name_with_suffix` | Ollie Fialová DSc., Glenn David Ph.D., Ariel Březina Th.D. |
1326
- | `other_prefix` | Dr., Ms., Dr. |
1327
- | `prefix` | Mr., Ms., Ms. |
1328
- | `suffix` | DSc., Ph.D., DSc. |
1434
+ | `name` | Ms. Oldřich Bílek, Tereza Adamová, Josef Fiala |
1435
+ | `name_with_prefix` | Mrs. Shanell Diviš, Miss. Joy Bláha, Mr. Santo Bauerová |
1436
+ | `name_with_prefix_suffix` | Mr. Scottie Beranová Ph.D., Mr. Kasey Dolejší Ph.D., Mr. Alan Fialová Th.D. |
1437
+ | `name_with_suffix` | Maurice Bártová Ph.D., Benito Beranová Ph.D., Kristofer Bárta Ph.D. |
1438
+ | `other_prefix` | Ms., Ms., Dr. |
1439
+ | `prefix` | Miss., Miss., Mr. |
1440
+ | `suffix` | Th.D., DSc., DSc. |
1329
1441
  | `with_same_sex` | ‼️ LocalJumpError: no block given (yield) |
1330
1442
 
1331
1443
  ## FFaker::NameDA
1332
1444
 
1333
1445
  | Method | Example |
1334
1446
  | ------ | ------- |
1335
- | `any_name` | Klaus Kling, Lisbeth Koss, Dr. Amalie Lowe |
1336
- | `female_name` | Gitte Skiles, Ester Fadel Murazik, Ellen Wilderman |
1337
- | `female_name_with_prefix` | Mrs. Amira Kshlerin, Mrs. Shelia Rau, Mrs. Cassaundra Roob |
1338
- | `female_name_with_prefix_suffix` | Miss. Dannette O'Connell II, Mrs. Nanci Feil II, Mrs. Lavelle Padberg Sr. |
1339
- | `female_name_with_suffix` | Virginia Klein MD, Reginia Bergnaum II, Queen Windler Sr. |
1340
- | `female_prefix` | Miss., Mrs., Miss. |
1341
- | `first_name` | Hilda, Hansine, Kristoffer |
1342
- | `first_name_female` | Shizue, Angelo, Consuelo |
1343
- | `first_name_male` | Ramiro, Jessie, Royce |
1344
- | `html_safe_last_name` | Effertz, Feeney, Johnson |
1345
- | `html_safe_name` | Frode Kuphal, Sofia Yundt, Irma Glover |
1346
- | `last_name` | Mitchell, Marquardt, Gottlieb |
1347
- | `male_name` | Hr. Alf Cassin, Lauritz Kilback, Ahmad Mayert |
1348
- | `male_name_with_prefix` | Mr. Elvin Kirlin, Mr. Augustus Koelpin, Mr. Zachariah Gerlach |
1349
- | `male_name_with_prefix_suffix` | Mr. Edison Pouros V, Mr. Wilfred Johns II, Mr. Deon Dicki V |
1350
- | `male_name_with_suffix` | Ahmad Waters MD, Leopoldo Schmeler Jr., Ira Crona IV |
1447
+ | `any_name` | Annelise Lubowitz, Kent Eichmann, Birgitte Rolfson |
1448
+ | `female_name` | Hanna Smitham, Michelle Fritsch Hilpert, Maja Nicolas Green |
1449
+ | `female_name_with_prefix` | Miss. Christiana Franecki, Miss. Tyisha Green, Mrs. Myrl Deckow |
1450
+ | `female_name_with_prefix_suffix` | Miss. Evonne Harvey MD, Mrs. Neida Aufderhar I, Mrs. Wanita Goyette IV |
1451
+ | `female_name_with_suffix` | Colene Treutel IV, Elmira Harris MD, Garnett Wilkinson V |
1452
+ | `female_prefix` | Mrs., Miss., Miss. |
1453
+ | `first_name` | Hugo, Kirsten, Juliane |
1454
+ | `first_name_female` | Loralee, Keiko, Laila |
1455
+ | `first_name_male` | Jeffrey, Spencer, Douglass |
1456
+ | `html_safe_last_name` | Marvin, Johns, Miller |
1457
+ | `html_safe_name` | Erling Walsh, Liselotte Mante, Liv Konopelski |
1458
+ | `last_name` | Quitzon, Mitchell, Connelly |
1459
+ | `male_name` | Walther Sipes, Edvard Oberbrunner, Hr. Ibrahim Kozey |
1460
+ | `male_name_with_prefix` | Mr. Waldo Abernathy, Mr. Jason Luettgen, Mr. Quincy Oga |
1461
+ | `male_name_with_prefix_suffix` | Mr. Leo Parisian DDS, Mr. Walker Conroy DVM, Mr. Mel Gutkowski II |
1462
+ | `male_name_with_suffix` | Darrin Brown DDS, Cleo Pagac Sr., Rogelio Cummerata DDS |
1351
1463
  | `male_prefix` | Mr., Mr., Mr. |
1352
- | `name` | Tage Mohr, Isabella Kerluke, Hardy Keeling |
1353
- | `name_with_prefix` | Miss. Kenda Kozey, Miss. Verla Runolfsdottir, Mr. Rubin Moore |
1354
- | `name_with_prefix_suffix` | Mr. Vincent Rosenbaum V, Mr. Brett McCullough PhD, Miss. Mark Wyman IV |
1355
- | `name_with_suffix` | Aurelia Beier MD, Jesus Ondricka Jr., Una Spinka I |
1356
- | `other_prefix` | Dr., Ms., Ms. |
1357
- | `prefix` | Hr., Dr., Prof. |
1358
- | `suffix` | MD, V, PhD |
1464
+ | `name` | Ragnhild Okuneva Hills, Alf Quitzon Wehner, Sarah Hane Price |
1465
+ | `name_with_prefix` | Miss. Lorrine Kilback, Miss. Reynalda Hamill, Mr. Elroy Feil |
1466
+ | `name_with_prefix_suffix` | Miss. Maria White Jr., Mrs. Karina Ryan Sr., Mr. Hans Mraz I |
1467
+ | `name_with_suffix` | Jamie Dicki Jr., Domenic Hartmann Jr., Ward Farrell DDS |
1468
+ | `other_prefix` | Ms., Ms., Ms. |
1469
+ | `prefix` | Fr., Fr., Hr. |
1470
+ | `suffix` | Sr., DVM, I |
1359
1471
 
1360
1472
  ## FFaker::NameDE
1361
1473
 
1362
1474
  | Method | Example |
1363
1475
  | ------ | ------- |
1364
- | `female_name_with_prefix` | Miss. Chi Feest, Miss. Georgiana Armstrong, Miss. Yuri Labadie |
1365
- | `female_name_with_prefix_suffix` | Mrs. Chrissy Prosacco Sr., Miss. Kendal Schumm Sr., Mrs. Myrta Jast III |
1366
- | `female_name_with_suffix` | Tommy Kemmer V, Margareta Balistreri IV, Theresia Bahringer MD |
1367
- | `female_prefix` | Mrs., Mrs., Miss. |
1368
- | `first_name` | Dusty, Eddie, June |
1369
- | `first_name_female` | Dreama, Khadijah, Melony |
1370
- | `first_name_male` | Jerrod, Riley, Kirby |
1371
- | `html_safe_last_name` | Ernser, Botsford, Kuphal |
1372
- | `html_safe_name` | Jack Harris, Mandy Nader, Sherise Aufderhar |
1373
- | `last_name` | Goldner, Fahey, Marks |
1374
- | `male_name_with_prefix` | Mr. Rob Nader, Mr. Riley Waters, Mr. Ellsworth Bergnaum |
1375
- | `male_name_with_prefix_suffix` | Mr. Ty Kuphal III, Mr. Christopher Hills I, Mr. Santos Kiehn III |
1376
- | `male_name_with_suffix` | Toby Pollich I, Julius Eichmann IV, Brady Mann MD |
1476
+ | `female_name_with_prefix` | Mrs. Penelope Runolfsdottir, Mrs. Treasa Oberbrunner, Miss. Rina Murphy |
1477
+ | `female_name_with_prefix_suffix` | Mrs. Miss Durgan III, Mrs. Alesia Herman DDS, Mrs. Laverna Pagac V |
1478
+ | `female_name_with_suffix` | Malena Ziemann PhD, Kum McCullough Jr., Chastity Wunsch I |
1479
+ | `female_prefix` | Miss., Mrs., Mrs. |
1480
+ | `first_name` | Hertha, Andrew, Debbie |
1481
+ | `first_name_female` | Lakiesha, Sulema, Erminia |
1482
+ | `first_name_male` | Geraldo, Lincoln, Austin |
1483
+ | `html_safe_last_name` | Schmidt, Spencer, Emard |
1484
+ | `html_safe_name` | Elliott Marvin, Leana Dickinson, Rachelle McCullough |
1485
+ | `last_name` | Keebler, Haag, Hammes |
1486
+ | `male_name_with_prefix` | Mr. Lavern Nikolaus, Mr. Leandro Homenick, Mr. Daryl Veum |
1487
+ | `male_name_with_prefix_suffix` | Mr. Blair Daugherty Jr., Mr. Myron Williamson I, Mr. Kory Moore I |
1488
+ | `male_name_with_suffix` | Evan Hessel DDS, Lanny Rau I, Carmen Balistreri IV |
1377
1489
  | `male_prefix` | Mr., Mr., Mr. |
1378
- | `name` | Venessa Rutherford, Val Larkin, Renato Emard |
1379
- | `name_with_prefix` | Miss. Billy Dibbert, Mr. Avery Haley, Mr. Lenard Ritchie |
1380
- | `name_with_prefix_suffix` | Mr. Dwight Christiansen MD, Mrs. Cynthia Pagac II, Mrs. Dara Bradtke I |
1381
- | `name_with_suffix` | Bambi Simonis V, Hans D'Amore I, Brice Mohr I |
1382
- | `other_prefix` | Ms., Ms., Ms. |
1383
- | `prefix` | Frau, Dr., Herr |
1384
- | `suffix` | MD, I, IV |
1490
+ | `name` | Dr. Miyoko Rempel, Darline Stark, Violette Franecki |
1491
+ | `name_with_prefix` | Mrs. Gwyneth Stoltenberg, Mrs. Shavonne Keebler, Miss. Keesha Towne |
1492
+ | `name_with_prefix_suffix` | Mrs. Sang Stehr DDS, Mr. Noble Cartwright I, Mr. Andy Price PhD |
1493
+ | `name_with_suffix` | Stacey Towne I, Pasquale Schroeder PhD, Kathlyn Feest II |
1494
+ | `other_prefix` | Dr., Ms., Ms. |
1495
+ | `prefix` | Frau, Frau, Frau |
1496
+ | `suffix` | I, V, Jr. |
1385
1497
 
1386
1498
  ## FFaker::NameFR
1387
1499
 
1388
1500
  | Method | Example |
1389
1501
  | ------ | ------- |
1390
- | `first_name` | Matthieu, Alix, Henri |
1391
- | `last_name` | Gauthier, Pruvost, Nguyen |
1392
- | `name` | Christine Leconte, Richard de Duhamel, Margaud Da |
1393
- | `prefix` | du, de, le |
1502
+ | `first_name` | Claire, Augustin, Alix |
1503
+ | `last_name` | Giraud, Noel, Guichard |
1504
+ | `name` | Henriette Hardy, André Vasseur, Marcelle le Costa |
1505
+ | `prefix` | du, le, le |
1394
1506
 
1395
1507
  ## FFaker::NameGA
1396
1508
 
1397
1509
  | Method | Example |
1398
1510
  | ------ | ------- |
1399
- | `first_name_female` | Aminata, Corina, Ellen |
1400
- | `first_name_male` | Sutay,, Sana,, Pateh, |
1401
- | `last_name` | jammeh, ceesay, ceesay |
1402
- | `name` | Naibelle, ceesay, Daniel, jammeh, Eli jammeh |
1403
- | `name_female` | Janun jammeh, Lolo ceesay, Ngoneh ceesay |
1404
- | `name_male` | Bora, ceesay, Giddo, ceesay, Samba, ceesay |
1511
+ | `first_name_female` | Boneh, Jamos, Olimatta |
1512
+ | `first_name_male` | Sora,, Edrisa,, Chana, |
1513
+ | `last_name` | jammeh, jammeh, ceesay |
1514
+ | `name` | Kemeta, ceesay, Natoma ceesay, Mbene jammeh |
1515
+ | `name_female` | Sainabou jammeh, Yama ceesay, Elaine ceesay |
1516
+ | `name_male` | Sanjally, jammeh, Alfusainou, ceesay, Saako, jammeh |
1405
1517
 
1406
1518
  ## FFaker::NameGR
1407
1519
 
1408
1520
  | Method | Example |
1409
1521
  | ------ | ------- |
1410
- | `female_first_name` | Ναταλία, Θεοδοσία, Ξένια |
1411
- | `female_full_name` | Γωγώ Τρικούπη, Δήμητρα Ελευθεροπούλου, Ζωή Οικονόμου |
1412
- | `female_last_name` | Αβραμίδου, Ταρσούλη, Ιωαννίδη |
1413
- | `first_name` | Παρθένα, Βερενίκη, Ευκλείδης |
1414
- | `full_name` | Παρθένα Παπανδρέου, Ειρήνη Βαλσάμη, Πόπη Λιακόπουλου |
1415
- | `last_name` | Ηλιόπουλος, Πουλόπουλος, Μιχαηλίδης |
1416
- | `male_first_name` | Ευριπίδης, Ιάκωβος, Κυριάκος |
1417
- | `male_full_name` | Χρήστος Οικονόμου, Ρένος Σπυρόπουλος, Σπύρος Γεωργιάδης |
1418
- | `male_last_name` | Μανωλάς, Γεωργίου, Βασιλόπουλος |
1419
- | `name` | Χάρης Δαμασκηνός, Πέτρος Ζερβός, Θοδωρής Βλαχόπουλος |
1522
+ | `female_first_name` | Γεωργία, Καλυψώ, Ηλέκτρα |
1523
+ | `female_full_name` | Ρία Αγγελίδου, Ανθή Κορομηλά, Φιλοθέη Σακελλαρίου |
1524
+ | `female_last_name` | Σπανού, Παπανικολάου, Φιλιππίδη |
1525
+ | `first_name` | Θεοπούλα, Οδυσσέας, Ροζαλία |
1526
+ | `full_name` | Όλγα Αθανασίου, Ρένα Γαλάνη, Παύλος Βενιζέλος |
1527
+ | `last_name` | Φλέσσα, Βαλσάμη, Αλεξίου |
1528
+ | `male_first_name` | Εμμανουήλ, Δανιήλ, Αχιλλέας |
1529
+ | `male_full_name` | Ιεροκλής Σαμαράς, Αδάμ Δραγούμης, Λάμπρος Σακελλαρίου |
1530
+ | `male_last_name` | Ηλιόπουλος, Βούλγαρης, Φωτόπουλος |
1531
+ | `name` | Αλέξανδρος Φραγκούδης, Ερρίκος Δραγούμης, Λάζαρος Δοξαράς |
1532
+
1533
+ ## FFaker::NameID
1534
+
1535
+ | Method | Example |
1536
+ | ------ | ------- |
1537
+ | `female_name_with_prefix` | Ny. Laurentia Mulyawati, Ny. Tiwi Sujiwandono, Ny. Tati Indrawan |
1538
+ | `female_prefix` | Ny., Nn., Ny. |
1539
+ | `first_name` | Panji, Juminten, Dini |
1540
+ | `first_name_female` | Farah, Leticia, Ayu |
1541
+ | `first_name_male` | Wisnu, Ferdian, Imran |
1542
+ | `last_name` | Lazuardika, Rivaldy, Ruchiat |
1543
+ | `male_name_with_prefix` | Tn. Faris Riskawati, Tn. Hendra Novoriyana, Tn. Abi Mayurika |
1544
+ | `male_prefix` | Tn., Tn., Tn. |
1545
+ | `name` | Aminah Marudut, Kurniawan Lianatus, Edwin Octavia |
1546
+ | `name_with_prefix` | Nn. Ina Kuntadi, Nn. Fifi Wangsit, Nn. Kristina Anggisa |
1547
+ | `prefix` | Tn., Tn., Nn. |
1420
1548
 
1421
1549
  ## FFaker::NameIT
1422
1550
 
1423
1551
  | Method | Example |
1424
1552
  | ------ | ------- |
1425
- | `first_name` | Alfredo, Paolina, Eleonora |
1426
- | `last_name` | Santandrea, Grassini, Corti |
1427
- | `name` | Filippa Parente, Filippo Piccolo, Elisa Melegatti |
1428
- | `prefix` | Dr., Dr., Sig. |
1553
+ | `first_name` | Gioacchino, Andrea, Stefano |
1554
+ | `last_name` | Ferrari, Rizzo, Piccolo |
1555
+ | `name` | Prof. Michelle Ferrero, Dott.ssa Agata Patrizi, Natalia Messineo |
1556
+ | `prefix` | Prof.ssa, Sig., Sig. |
1429
1557
 
1430
1558
  ## FFaker::NameJA
1431
1559
 
1432
1560
  | Method | Example |
1433
1561
  | ------ | ------- |
1434
- | `first_name` | 節子, 貴大, |
1435
- | `last_first` | 永山翔太, 古田徹, 上村優斗 |
1436
- | `last_name` | 北岡, 石垣, 金子 |
1437
- | `name` | 武市和也, 堀内優子, 西平絵美 |
1562
+ | `first_name` | 彩夏, ゆうや, みのる |
1563
+ | `last_first` | 笹森純一, 渡部千代子, 城戸里奈 |
1564
+ | `last_name` | 福士, 村山, 板垣 |
1565
+ | `name` | 畠中凜, 新川光子, 木立桃 |
1438
1566
 
1439
1567
  ## FFaker::NameKH
1440
1568
 
1441
1569
  | Method | Example |
1442
1570
  | ------ | ------- |
1443
- | `first_name` | ប៉េងហូត, ដានីតា, សែនជ័យ |
1444
- | `last_name` | ឆួង, ទូរ, យក់ |
1445
- | `name` | អុក លក្ខណា, តឹក ប្រាសាទ, រចនា សុខលី |
1446
- | `nick_name` | ស្រីហ្វៀង, អាប៉យ, ទីទី |
1571
+ | `first_name` | ប៊ុនធឿន, សុផាត, រំដួល |
1572
+ | `last_name` | ទូរ, វៃ, ខៀវ |
1573
+ | `name` | ប៉ែន វណ្ណារិទ្ធ, វ៉ា មិថុនា, វ៉ា ចាន់រិទ្ធ |
1574
+ | `nick_name` | អាសង្ហា, ស្រីនាង, អាសង្ហា |
1447
1575
 
1448
1576
  ## FFaker::NameKR
1449
1577
 
1450
1578
  | Method | Example |
1451
1579
  | ------ | ------- |
1452
- | `first_name` | 임천, 기담, 규로 |
1453
- | `last_first` | 라태융, 빈호원, 도천운 |
1454
- | `last_name` | 황, 노, |
1455
- | `name` | 라두홍, 최주백, 천백규 |
1456
- | `name_with_space` | 호운, 재용, 채환 |
1580
+ | `first_name` | 전윤, 세왕, 상인 |
1581
+ | `last_first` | 맹철윤, 경인재, 평재선 |
1582
+ | `last_name` | 권, 지, |
1583
+ | `name` | 왕민지, 대부송, 기재창 |
1584
+ | `name_with_space` | 상우, 지홍, 선운 |
1457
1585
 
1458
1586
  ## FFaker::NameMX
1459
1587
 
1460
1588
  | Method | Example |
1461
1589
  | ------ | ------- |
1462
- | `female_name` | Jaqueline, Cinthia, Jovana |
1463
- | `female_name_with_prefix` | Sra. Idell Sipes, C. Britteny Lockman, Srita. Nelida Lebsack |
1464
- | `female_name_with_prefix_suffix` | Sra. Freida Blanda V, C. Blossom Marquardt MD, Srita. Marcie McClure IV |
1465
- | `female_name_with_suffix` | Tammy Wilkinson Jr., Carlie Fahey DDS, Rosalee Rolfson MD |
1466
- | `female_prefix` | Srita., C., Srita. |
1467
- | `first_name` | Carlos, Juan, Fabricio |
1468
- | `first_name_female` | Cyndi, Rayna, Treasa |
1469
- | `first_name_male` | Rodrick, Bret, Tobias |
1470
- | `full_name` | Fermín Ratke Altenwerth, Eunice Schroeder Barrows, Adán Joel Farrell Zieme |
1471
- | `full_name_no_prefix` | Norma King McLaughlin, Amanda Heathcote Feil, Auréa Batz Harvey |
1472
- | `full_name_prefix` | C. Augusto Carter Haag, Sra. Karina Fahey Ward, C. Miguel Kuhn Kuvalis |
1473
- | `html_safe_last_name` | Murray, Adams, Altenwerth |
1474
- | `html_safe_name` | Fabiola Stracke, Roger Johns, Jacobo Wiza |
1475
- | `last_name` | Beier, Sauer, Herman |
1476
- | `male_name` | Ramón, Moisés, Ángel Nicandro |
1477
- | `male_name_with_prefix` | Sr. Wilbert Pacocha, C. Karl Dooley, C. Jamie Durgan |
1478
- | `male_name_with_prefix_suffix` | Sr. Dwain Treutel MD, Sr. Fermin Hettinger PhD, C. Lamont Hagenes DVM |
1479
- | `male_name_with_suffix` | Loren Ondricka V, Forrest Hermann DDS, Winston Gleichner Jr. |
1590
+ | `female_name` | Celia, Guadalup, Catalina Catalina |
1591
+ | `female_name_with_prefix` | Srita. Grazyna Mayer, Srita. Ligia Harris, Sra. Rae Langosh |
1592
+ | `female_name_with_prefix_suffix` | Sra. Refugio Jast III, Sra. Helena Hirthe MD, Sra. Marhta Boyer MD |
1593
+ | `female_name_with_suffix` | Leigh Rippin IV, Dana VonRueden V, Rachel Roberts DDS |
1594
+ | `female_prefix` | Srita., C., Sra. |
1595
+ | `first_name` | Ramona, Rolando, Clara |
1596
+ | `first_name_female` | Heidi, Ella, Lisbeth |
1597
+ | `first_name_male` | Alan, Tuan, Leon |
1598
+ | `full_name` | Emanuel Hane Cremin, Alejandro Wilfredo Goldner Weber, Karla Littel Lowe |
1599
+ | `full_name_no_prefix` | Ingrid Miller Mosciski, Samuel Roque Corkery Glover, Brenda Wyman Mayer |
1600
+ | `full_name_prefix` | Srita. América Eunice Luettgen Schuppe, Srita. Cristina Brown Hilpert, Sr. Félix Braun Hirthe |
1601
+ | `html_safe_last_name` | Funk, Batz, Grady |
1602
+ | `html_safe_name` | Elías Green, Domingo Yost, Ivette Mitchell |
1603
+ | `last_name` | Cartwright, Keebler, Borer |
1604
+ | `male_name` | René, Isidro Arquímides, Axel |
1605
+ | `male_name_with_prefix` | Sr. Federico Balistreri, Sr. Donn Buckridge, Sr. Ali Yundt |
1606
+ | `male_name_with_prefix_suffix` | C. Seymour Mueller I, C. Avery Pouros IV, C. Willie Mraz V |
1607
+ | `male_name_with_suffix` | Kris Hudson V, Jonathan Hilpert I, Nathaniel Nikolaus III |
1480
1608
  | `male_prefix` | C., C., C. |
1481
- | `middle_name` | Clemente, Sandra, Bertha |
1482
- | `name` | Omar, Catalina, Hilario |
1483
- | `name_with_prefix` | Sra. Edna Glover, C. Clarinda Goodwin, C. Filomena Goyette |
1484
- | `name_with_prefix_suffix` | C. Moises Howell IV, C. Curt Nitzsche Jr., C. Mariano Wisozk Jr. |
1485
- | `name_with_suffix` | Angelina Hane MD, Basilia Funk III, Juliet Denesik Sr. |
1486
- | `other_prefix` | Dr., Ms., Dr. |
1487
- | `paternal_last_names` | Skiles Kris, Hodkiewicz Veum, Crona Reynolds |
1488
- | `prefix` | Srita., Srita., Srita. |
1489
- | `suffix` | III, DDS, Sr. |
1609
+ | `middle_name` | Marvin, Florente, Otilio |
1610
+ | `name` | Gina, Fidel, Cristina |
1611
+ | `name_with_prefix` | Sra. Frida Ryan, Srita. Antonietta Renner, Sr. Terence Muller |
1612
+ | `name_with_prefix_suffix` | C. Luke Mills III, Sr. Monty Walsh V, C. Norbert Jacobi V |
1613
+ | `name_with_suffix` | Tuan Sawayn I, Carlo Windler MD, Dell Medhurst PhD |
1614
+ | `other_prefix` | Ms., Dr., Dr. |
1615
+ | `paternal_last_names` | Murazik Ratke, Champlin Koss, Aufderhar Braun |
1616
+ | `prefix` | Srita., Srita., C. |
1617
+ | `suffix` | MD, PhD, MD |
1490
1618
 
1491
1619
  ## FFaker::NameNB
1492
1620
 
1493
1621
  | Method | Example |
1494
1622
  | ------ | ------- |
1495
- | `female_name_with_prefix` | Miss. Eugena Wilkinson, Mrs. Annalee Bogan, Mrs. Moon Schuster |
1496
- | `female_name_with_prefix_suffix` | Miss. Josphine Gutmann Jr., Mrs. Arminda Hermann I, Mrs. Taina Pacocha Jr. |
1497
- | `female_name_with_suffix` | Maryellen O'Kon Jr., Blair Schuppe PhD, Taren Mertz Jr. |
1498
- | `female_prefix` | Miss., Mrs., Mrs. |
1499
- | `first_name` | Gary, Santo, Jeffery |
1500
- | `first_name_female` | Thi, Terrilyn, Bernita |
1501
- | `first_name_male` | Dannie, Micheal, Jamey |
1502
- | `html_safe_last_name` | Quitzon, Trantow, Block |
1503
- | `html_safe_name` | Mickey Schuppe, Mabelle Simonne Sipes, Zachariah Foster Jewess |
1504
- | `last_name` | McKenzie, Marks, Murphy |
1505
- | `male_name_with_prefix` | Mr. Wilbert Russel, Mr. Jaime Hintz, Mr. Broderick Lindgren |
1506
- | `male_name_with_prefix_suffix` | Mr. August Rohan DVM, Mr. Joshua Ratke Jr., Mr. Lanny Schoen IV |
1507
- | `male_name_with_suffix` | Nathanael Shields II, Chase Auer Jr., Les O'Conner PhD |
1623
+ | `female_name_with_prefix` | Mrs. Dodie Funk, Mrs. Haley O'Connell, Miss. Lorinda Trantow |
1624
+ | `female_name_with_prefix_suffix` | Miss. Mechelle Senger PhD, Miss. Kiera Crooks III, Miss. Tennille Wilkinson Jr. |
1625
+ | `female_name_with_suffix` | Adele Hane Jr., Susannah Ebert Sr., Marx Schulist DVM |
1626
+ | `female_prefix` | Miss., Mrs., Miss. |
1627
+ | `first_name` | Sonny, Edgardo, Vincenzo |
1628
+ | `first_name_female` | Graciela, Terresa, Assunta |
1629
+ | `first_name_male` | Jerrold, Boris, Kyle |
1630
+ | `html_safe_last_name` | Barton, Lang, Schaefer |
1631
+ | `html_safe_name` | Takisha Lubowitz, Jorge McGlynn, Garland Danilo Osinski |
1632
+ | `last_name` | Grady, Jones, Leuschke |
1633
+ | `male_name_with_prefix` | Mr. Gerald Hackett, Mr. Kermit Gleichner, Mr. Carlo Lesch |
1634
+ | `male_name_with_prefix_suffix` | Mr. Houston Kuhlman V, Mr. Prince Gerlach Jr., Mr. Victor Smith III |
1635
+ | `male_name_with_suffix` | Derrick Upton V, Roberto Schamberger III, Kareem Hartmann Sr. |
1508
1636
  | `male_prefix` | Mr., Mr., Mr. |
1509
- | `name` | Winston Nicolas, Maribel Witting, Randal Deckow |
1510
- | `name_with_prefix` | Mr. Jeremiah Moore, Mr. Cleo Heathcote, Mr. Daren Parker |
1511
- | `name_with_prefix_suffix` | Mr. Vaughn Schneider II, Mr. Adrian Oberbrunner Sr., Mrs. Alanna Kihn Jr. |
1512
- | `name_with_suffix` | Tijuana Stanton Sr., James Botsford I, Nan Armstrong III |
1513
- | `other_prefix` | Ms., Dr., Dr. |
1514
- | `prefix` | Prof., Prof., Prof. |
1515
- | `suffix` | III, DDS, III |
1637
+ | `name` | Maribel Swift, Dr. Onita Feil, Meri Morar |
1638
+ | `name_with_prefix` | Mrs. Pearle Kunde, Mr. Philip Mante, Mr. Gary Jenkins |
1639
+ | `name_with_prefix_suffix` | Mrs. Meggan Mosciski PhD, Miss. Stacie Emmerich DDS, Mrs. Carman Heathcote DVM |
1640
+ | `name_with_suffix` | Fred Pagac PhD, Domingo Johnston II, Kristeen Mosciski I |
1641
+ | `other_prefix` | Dr., Dr., Dr. |
1642
+ | `prefix` | Dr., Dr., Dr. |
1643
+ | `suffix` | Jr., V, PhD |
1516
1644
 
1517
1645
  ## FFaker::NameNL
1518
1646
 
1519
1647
  | Method | Example |
1520
1648
  | ------ | ------- |
1521
- | `female_name_with_prefix` | Miss. Casandra Bednar, Miss. Nelly Swift, Miss. Myrtis-Mirtha Mosciski |
1522
- | `female_name_with_prefix_suffix` | Mrs. Mamie Kassulke III, Mrs. Leena Torphy DVM, Miss. Logan Gutkowski II |
1523
- | `female_name_with_suffix` | Teresa Bruen MD, Katharina Mraz Sr., Andrea Johnson DDS |
1649
+ | `female_name_with_prefix` | Mrs. Shawanda Kub, Miss. Glory Pfeffer, Miss. Mabelle Christiansen |
1650
+ | `female_name_with_prefix_suffix` | Mrs. William Halvorson DVM, Miss. Tora Hayes DVM, Miss. Larue Kirlin III |
1651
+ | `female_name_with_suffix` | Anitra Will IV, Natalya Jacobson MD, Dennis Schaden III |
1524
1652
  | `female_prefix` | Mrs., Mrs., Miss. |
1525
- | `first_name` | Tawanna, Shiela, Alton-Edwardo |
1526
- | `first_name_female` | Meaghan, Gregoria, Patience |
1527
- | `first_name_male` | Sherman, Cary, Mckinley |
1528
- | `html_safe_last_name` | Heidenreich, Sanford, Lehner |
1529
- | `html_safe_name` | Marica Rippin, Latoya Crooks, Adria Rodriguez |
1530
- | `last_name` | Stracke, Prohaska, Flatley |
1531
- | `male_name_with_prefix` | Mr. Rich Bosco, Mr. Jefferey Oberbrunner, Mr. Rufus Klocko |
1532
- | `male_name_with_prefix_suffix` | Mr. Alexander Gaylord Sr., Mr. Eugene Collier Jr., Mr. William-Wilber Konopelski IV |
1533
- | `male_name_with_suffix` | Elwood Kovacek PhD, Allen Mohr III, Greg Fay V |
1653
+ | `first_name` | Guadalupe, Carmela, Jamison |
1654
+ | `first_name_female` | Kindra, Ola, Alisha-Winifred |
1655
+ | `first_name_male` | Elliott, Haywood, Giuseppe-Rob |
1656
+ | `html_safe_last_name` | Harris, Ledner, Homenick |
1657
+ | `html_safe_name` | Logan-Silas Kuphal, Christia Pagac, Joey Stokes |
1658
+ | `last_name` | Armstrong, Renner, Gutkowski |
1659
+ | `male_name_with_prefix` | Mr. Joe West, Mr. Sydney D'Amore, Mr. Mervin Jenkins |
1660
+ | `male_name_with_prefix_suffix` | Mr. Ivory-Cyril Bechtelar Sr., Mr. Willy Ward PhD, Mr. Murray-Dave Hickle Jr. |
1661
+ | `male_name_with_suffix` | Malik Hackett II, Patrick Muller IV, Son Kozey MD |
1534
1662
  | `male_prefix` | Mr., Mr., Mr. |
1535
- | `name` | Fredrick Hammes, Ing. Salome Bergstrom, Teressa Schulist |
1536
- | `name_with_prefix` | Mr. Dominic-Jess Senger, Mrs. Gwen Blanda, Mr. Owen McLaughlin |
1537
- | `name_with_prefix_suffix` | Mr. Richie Okuneva Jr., Miss. Nicole Altenwerth II, Mr. Rodney Crona V |
1538
- | `name_with_suffix` | Ezequiel D'Amore DDS, Tyson Beahan Sr., Davis Volkman MD |
1539
- | `other_prefix` | Dr., Ms., Dr. |
1540
- | `prefix` | Drs., Ir., Ir. |
1541
- | `suffix` | Jr., Jr., II |
1663
+ | `name` | Collin Hermann, Alvin Mueller, Keneth Braun |
1664
+ | `name_with_prefix` | Mr. Lupe Abbott, Mr. Milford Lindgren, Mrs. Kathryn Sawayn |
1665
+ | `name_with_prefix_suffix` | Miss. Carola-Laurel Kuhn Jr., Miss. Rosalia Cremin Sr., Miss. Allie Yost I |
1666
+ | `name_with_suffix` | Meryl-Ardis Mitchell DDS, Fleta Zemlak IV, Marcelo Sauer IV |
1667
+ | `other_prefix` | Dr., Dr., Ms. |
1668
+ | `prefix` | Drs., Prof., Prof. |
1669
+ | `suffix` | PhD, Jr., DVM |
1542
1670
 
1543
1671
  ## FFaker::NamePH
1544
1672
 
1545
1673
  | Method | Example |
1546
1674
  | ------ | ------- |
1547
- | `female_name_with_prefix` | Mrs. Adelaide Tupaz, Mrs. Tara Manyakesg, Mrs. Elvina Montecillo |
1548
- | `female_name_with_prefix_suffix` | Miss. Ria Manjon Sr., Mrs. Kristle Belmonte III, Mrs. Karan Miedes I |
1549
- | `female_name_with_suffix` | Gaynelle Uysiuseng I, Delpha Magsino I, Fernanda Magsaysayg DVM |
1550
- | `female_prefix` | Miss., Mrs., Miss. |
1551
- | `first_name` | Thuy, Laurice, Phillis |
1552
- | `first_name_female` | Ma, Laurene, Jamee |
1553
- | `first_name_male` | Thaddeus, Melvin, Chung |
1554
- | `html_safe_last_name` | Metz, Pouros, Bechtelar |
1555
- | `html_safe_name` | Shayna Auer, Rochell Quigley, Andria Rempel |
1556
- | `last_name` | Tanhehco, Dahilang, Cereza |
1557
- | `male_name_with_prefix` | Mr. Salvador Amora, Mr. Cleo Yaptinchay, Mr. Truman Navidad |
1558
- | `male_name_with_prefix_suffix` | Mr. Stanley Tanjutco III, Mr. Derrick Ruedas Jr., Mr. Darius Lacro Jr. |
1559
- | `male_name_with_suffix` | Marlon Elizalde Sr., Beau Roxas III, Dillon Dyquiangco IV |
1675
+ | `female_name_with_prefix` | Miss. Heidy Lao-laog, Mrs. Georgie Espejo, Mrs. Joann Montecillo |
1676
+ | `female_name_with_prefix_suffix` | Mrs. Amie Moreno IV, Mrs. Christi Maputig I, Miss. Marylin Villaroman Sr. |
1677
+ | `female_name_with_suffix` | Doreen Mipa II, Sha Corporal Jr., Lasandra Villegas DDS |
1678
+ | `female_prefix` | Miss., Miss., Miss. |
1679
+ | `first_name` | Tony, Ok, Hunter |
1680
+ | `first_name_female` | Tanna, Bernie, Alejandrina |
1681
+ | `first_name_male` | Lauren, Mitchel, Ralph |
1682
+ | `html_safe_last_name` | Waters, Halvorson, Klein |
1683
+ | `html_safe_name` | Archie Hahn, Rebbecca Williamson, Denisha Franecki |
1684
+ | `last_name` | Quisumbing, Tolosa, Maitimg |
1685
+ | `male_name_with_prefix` | Mr. Pat Ramirez, Mr. Alden Limbaco, Mr. Emile Torrealba |
1686
+ | `male_name_with_prefix_suffix` | Mr. Les Concepcion Jr., Mr. Chance Gallano II, Mr. Leonel Galitg Sr. |
1687
+ | `male_name_with_suffix` | Scottie Sinagtala Sr., Kyle Orante DDS, Martin Barrientos DDS |
1560
1688
  | `male_prefix` | Mr., Mr., Mr. |
1561
- | `name` | Rosann Monceda, Daron Ayala, Vada Mencion |
1562
- | `name_with_prefix` | Mrs. Anissa Balignasay, Mr. Tommie Villanueva, Miss. Katelynn Segismundo |
1563
- | `name_with_prefix_suffix` | Mr. Jan Sumague I, Mr. Corey Labuguen DVM, Miss. Elsa Dysangcog Sr. |
1564
- | `name_with_suffix` | Elois Santos Jr., Teresia Limbaco Jr., Herta Yllana Sr. |
1565
- | `other_prefix` | Ms., Dr., Dr. |
1566
- | `prefix` | Dr., Ms., Mr. |
1567
- | `suffix` | III, DDS, Sr. |
1689
+ | `name` | Catheryn Sipsipg, Luis Arabejo, Mellissa Navarro |
1690
+ | `name_with_prefix` | Mrs. Darcel Talaugon, Mr. Everette Reotutarg, Mrs. Antoinette Tubongbanua |
1691
+ | `name_with_prefix_suffix` | Miss. Setsuko Agbayani Sr., Mr. Oswaldo Lindo V, Miss. Lilian Syjuco PhD |
1692
+ | `name_with_suffix` | Daniel Villaecija MD, Claudette de los Reyes DDS, Felipa africa IV |
1693
+ | `other_prefix` | Dr., Ms., Dr. |
1694
+ | `prefix` | Ms., Mr., Ms. |
1695
+ | `suffix` | Jr., Sr., III |
1696
+
1697
+ ## FFaker::NamePL
1698
+
1699
+ | Method | Example |
1700
+ | ------ | ------- |
1701
+ | `academic_degree_prefix` | prof., mgr inż., inż. |
1702
+ | `female_first_name` | Gertruda, Eleonora, Anna |
1703
+ | `female_full_name` | Sylwia Krauze, Regina Badowska, Krystyna Rogalska |
1704
+ | `female_last_name` | Zielińska, Kwiatkowska, Orłowska |
1705
+ | `female_name_with_prefix` | Pani Krystyna Waglewska, Pani Paulina Pośpiech, Pani Elżbieta Orłowska |
1706
+ | `female_prefix` | Pani, Pani, Pani |
1707
+ | `first_name` | Patrycja, Lucyna, Felicja |
1708
+ | `full_name` | Paweł Stychlerz, Michał Godlewski, Franciszek Zajączkowski |
1709
+ | `last_name` | Jabłczyńska, Śliwa, Fornalska |
1710
+ | `male_first_name` | Tomasz, Zdzisław, Józef |
1711
+ | `male_full_name` | Roman Kaczmarek, Tadeusz Sadowski, Edmund Pluta |
1712
+ | `male_last_name` | Regulski, Jabłczyński, Wiśniewski |
1713
+ | `male_name_with_prefix` | Pan Lech Kowalski, Pan Eryk Borowski, Pan Fryderyk Pietrzykowski |
1714
+ | `male_prefix` | Pan, Pan, Pan |
1715
+ | `name` | Kajetan Zieliński, Janina Tarnowska, Oliwia Sopoćko |
1716
+ | `name_with_prefix` | Pan Leon Hernik, Pan Leon Woźniak, Pan Edmund Wiśniewski |
1717
+ | `prefix` | mgr inż., inż., mgr |
1568
1718
 
1569
1719
  ## FFaker::NameRU
1570
1720
 
1571
1721
  | Method | Example |
1572
1722
  | ------ | ------- |
1573
- | `female_name_with_prefix` | Miss. Gilberte Курнашова, Miss. Katelin Кунижева, Mrs. Theresia Челокян |
1574
- | `female_name_with_prefix_suffix` | Mrs. Lai Каипова MD, Miss. Nakia Манусова DDS, Mrs. Melynda Шапатина Sr. |
1575
- | `female_name_with_suffix` | Bettina Белдина MD, Suellen Ветродуева Sr., Dia Скалецкий DVM |
1576
- | `female_prefix` | Miss., Mrs., Mrs. |
1577
- | `first_name` | Роксана, Ярослава, Анфиса |
1578
- | `first_name_female` | Marilou, Latosha, Eufemia |
1579
- | `first_name_male` | Elden, Christopher, Stanford |
1580
- | `html_safe_last_name` | Rowe, Jacobs, Boyle |
1581
- | `html_safe_name` | Терентий Stracke, Семен Schneider, Дарина Dare |
1582
- | `last_name` | Птумкина, Камозина, Ротаенова |
1583
- | `male_name_with_prefix` | Mr. Harlan Шишаева, Mr. Dudley Айнутдинова, Mr. Eddy Болсова |
1584
- | `male_name_with_prefix_suffix` | Mr. Willy Поленцова Sr., Mr. Teddy Зворыкин Jr., Mr. Avery Агапчева Sr. |
1585
- | `male_name_with_suffix` | Domenic Лепатецкая III, Oliver Мефодиева PhD, Roscoe Одокий V |
1723
+ | `female_name_with_prefix` | Miss. Angele Таротько, Miss. Erminia Колюковский, Miss. Many Ветродуева |
1724
+ | `female_name_with_prefix_suffix` | Miss. Sherlene Тюшина Jr., Mrs. James Венскова V, Mrs. Christiane Кохтарева I |
1725
+ | `female_name_with_suffix` | Monet Меринсон PhD, Zita Икеряева I, Margene Хитайленко DDS |
1726
+ | `female_prefix` | Mrs., Mrs., Miss. |
1727
+ | `first_name` | Мирослав, Марк, Вильгельм |
1728
+ | `first_name_female` | Madonna, Natosha, Gayle |
1729
+ | `first_name_male` | Brady, Malcolm, Nathanial |
1730
+ | `html_safe_last_name` | Miller, Crooks, Hoppe |
1731
+ | `html_safe_name` | Клавдия Kunde, Нонна Harris, Ярослав Reynolds |
1732
+ | `last_name` | Маслов, Балдынова, Агапчева |
1733
+ | `male_name_with_prefix` | Mr. Toby Барчунов, Mr. Leroy Одокий, Mr. Markus Кафтан |
1734
+ | `male_name_with_prefix_suffix` | Mr. Carl Садосюк V, Mr. Marc Бричко DVM, Mr. Marcelo Головашеч DDS |
1735
+ | `male_name_with_suffix` | Monroe Всеволодовская IV, Marlon Мардарейкина IV, Marquis Морадудин I |
1586
1736
  | `male_prefix` | Mr., Mr., Mr. |
1587
- | `name` | Юлия Кавизина, Борислав Шеняк, Наталья Курепова |
1588
- | `name_with_prefix` | Miss. Karena Помутова, Mrs. Harmony Летшов, Mr. Lenny Андреева |
1589
- | `name_with_prefix_suffix` | Mrs. Inocencia Мимитаева MD, Miss. Anh Кулакина MD, Mr. Keith Кабичева III |
1590
- | `name_with_suffix` | Octavio Крутилин II, Jerrica Давлетинин PhD, Lucille Фругина Sr. |
1737
+ | `name` | Бенедикт Щептев, Никита Бричко, Эммануил Кирилко |
1738
+ | `name_with_prefix` | Miss. Shanell Алегин, Miss. Annetta Айзатуллов, Mrs. Danille Шиповсков |
1739
+ | `name_with_prefix_suffix` | Miss. Krysta Колотыркина Jr., Mrs. Kasandra Айварова V, Miss. Dortha Корлов I |
1740
+ | `name_with_suffix` | Hunter Розинькова MD, Ralph Пигулова PhD, Temika Дочевская PhD |
1591
1741
  | `other_prefix` | Ms., Ms., Ms. |
1592
- | `patronymic` | Венедиктовна, Богданович, Максимилиановна |
1593
- | `prefix` | Miss., Mr., Miss. |
1594
- | `suffix` | Jr., DVM, IV |
1742
+ | `patronymic` | Валерьевич, Стоянович, Борисович |
1743
+ | `prefix` | Mr., Ms., Mr. |
1744
+ | `suffix` | Sr., DVM, II |
1595
1745
  | `with_same_sex` | ‼️ LocalJumpError: no block given (yield) |
1596
1746
 
1597
1747
  ## FFaker::NameSE
1598
1748
 
1599
1749
  | Method | Example |
1600
1750
  | ------ | ------- |
1601
- | `female_name_with_prefix` | Miss. Kathyrn Greenfelder, Miss. Jin Wehner, Mrs. Princess Mayert |
1602
- | `female_name_with_prefix_suffix` | Miss. Rosio Stiedemann DDS, Miss. Lamonica Boyer Jr., Miss. Virgen Osinski IV |
1603
- | `female_name_with_suffix` | Annett Nicolas V, Kellye Wolff PhD, Roxy Heidenreich III |
1604
- | `female_prefix` | Miss., Mrs., Miss. |
1605
- | `first_name` | Rima Rachell, Gordon Lewis, John |
1606
- | `first_name_female` | Merle, Lorri, Royce |
1607
- | `first_name_male` | Gerry, Stan, Kristofer |
1608
- | `html_safe_last_name` | Beahan, Sanford, Okuneva |
1609
- | `html_safe_name` | Mary Tillman, Almeta Upton, Barbar Little |
1610
- | `last_name` | Terry, Bauch, Durgan |
1611
- | `male_name_with_prefix` | Mr. Lesley Rolfson, Mr. Lamont Wyman, Mr. Connie Legros |
1612
- | `male_name_with_prefix_suffix` | Mr. Aron Rohan MD, Mr. Franklyn Considine I, Mr. Alvin Morar DVM |
1613
- | `male_name_with_suffix` | Rolf Koch Jr., Wally Bayer II, Woodrow Durgan DDS |
1751
+ | `female_name_with_prefix` | Mrs. Tona Reichert, Mrs. Wynona McLaughlin, Miss. Hilda Watsica |
1752
+ | `female_name_with_prefix_suffix` | Mrs. Liane Ledner MD, Miss. Johnny Lind I, Miss. Madonna Windler PhD |
1753
+ | `female_name_with_suffix` | Coleen Blanda Sr., Lannie Harris DVM, Ilene Dare DDS |
1754
+ | `female_prefix` | Miss., Miss., Miss. |
1755
+ | `first_name` | Hallie, Hazel Branda, Ossie |
1756
+ | `first_name_female` | Alexa, Shirl, Librada |
1757
+ | `first_name_male` | Kelvin, Emilio, Ramon |
1758
+ | `html_safe_last_name` | Auer, Frami, Weimann |
1759
+ | `html_safe_name` | Nerissa Kiehn, Avery Marks, Nakita Considine |
1760
+ | `last_name` | Paucek, Nienow, Will |
1761
+ | `male_name_with_prefix` | Mr. Jonathon Keeling, Mr. Bernardo Torp, Mr. Warner Reilly |
1762
+ | `male_name_with_prefix_suffix` | Mr. Elvis Hand IV, Mr. Bernie Christiansen Sr., Mr. Octavio Dickens DVM |
1763
+ | `male_name_with_suffix` | Kristopher Fadel PhD, Darin Runolfsson Sr., Jarrett Rodriguez I |
1614
1764
  | `male_prefix` | Mr., Mr., Mr. |
1615
- | `name` | Cindi Caprice Bernier, Ethan Spencer, Jacob Conroy |
1616
- | `name_with_prefix` | Mrs. Debbie Wilderman, Miss. Lashaunda Barton, Mrs. Lin King |
1617
- | `name_with_prefix_suffix` | Mr. Tracey Schoen V, Mr. Byron Carroll MD, Mr. Elbert Hammes PhD |
1618
- | `name_with_suffix` | Laurie Volkman II, Cameron D'Amore I, Cody Volkman Sr. |
1619
- | `other_prefix` | Ms., Ms., Ms. |
1620
- | `prefix` | Prof., Prof., Prof. |
1621
- | `suffix` | PhD, I, I |
1765
+ | `name` | Prof. Tameika Leon Thiel, Johnson Cleveland Hoeger, Laurette Joyce Bergnaum |
1766
+ | `name_with_prefix` | Mr. Lupe Paucek, Mr. Rolland Lueilwitz, Mrs. Esta Yundt |
1767
+ | `name_with_prefix_suffix` | Mr. Edgar Kihn IV, Mr. Frederic Beier IV, Mrs. Sherly Ward V |
1768
+ | `name_with_suffix` | Candie Kovacek PhD, Whitley Christiansen MD, Randee Kovacek IV |
1769
+ | `other_prefix` | Dr., Ms., Ms. |
1770
+ | `prefix` | Dr., Prof., Prof. |
1771
+ | `suffix` | DVM, DVM, Sr. |
1622
1772
 
1623
1773
  ## FFaker::NameSN
1624
1774
 
1625
1775
  | Method | Example |
1626
1776
  | ------ | ------- |
1627
- | `first_name_female` | Fily, Salamata, Téwa |
1628
- | `first_name_male` | Mapaté, Omar, Maguette |
1629
- | `last_name` | Diabira, Diabira, Sarr |
1630
- | `name_female` | Kankou Baloucoune, Adja Kital, Kankou Mbow |
1631
- | `name_male` | Dramane Timera, Lémou Niane, pape Mamour Kitane |
1632
- | `name_sn` | Sibett Bodian, serigne Cheikh Koïta, Dibor Badiatte |
1633
- | `prefix_female` | adjaratou, ndeye, adjaratou |
1634
- | `prefix_male` | pape, pape, serigne |
1777
+ | `first_name_female` | Borika, Lissah, Mahawa |
1778
+ | `first_name_male` | Mamour, Baïdi, Moussa |
1779
+ | `last_name` | Correia, Sy, Seck |
1780
+ | `name_female` | Yaye Sané, Lissah Saady, Fily Diouf |
1781
+ | `name_male` | Kéba Ndecky, Mactar Amar, Sounkarou Djiba |
1782
+ | `name_sn` | Abdoulaye Preira, Binette Dione, Atia Yock |
1783
+ | `prefix_female` | adja, ndeye, adjaratou |
1784
+ | `prefix_male` | eladji, pape, serigne |
1635
1785
 
1636
1786
  ## FFaker::NameTH
1637
1787
 
1638
1788
  | Method | Example |
1639
1789
  | ------ | ------- |
1640
- | `first_name` | รัตน์ , วรรณ, เอกใหม่ |
1641
- | `last_name` | สมิท, พิศาลบุตร, บราวน์ |
1642
- | `name` | อรุณศรี รักไทย, อัษฎา  เคนเนะดิ , คลัง  ชินวัตร |
1643
- | `nick_name` | ปุ๊ก , แม้น, แจ๋ว  |
1790
+ | `first_name` | สมโชค, บุญยง, ศิริณี |
1791
+ | `last_name` | พิศาลบุตร, ชินวัตร, เก่งงาน |
1792
+ | `name` | สมเพียร วอชิงตัน, วัฒนา เก่งงาน, นาค  หงสกุล |
1793
+ | `nick_name` | ปู , ต้อม, อ้วน  |
1644
1794
 
1645
1795
  ## FFaker::NameTHEN
1646
1796
 
1647
1797
  | Method | Example |
1648
1798
  | ------ | ------- |
1649
- | `first_name` | Suchada, Kris, Chai Charoen |
1650
- | `last_name` | Kasamsun, Sangsorn, Puntasrima |
1651
- | `name` | Churai Chaiprasit, Sonchai Chaisurivirat, Ritthirong Wattanasin |
1652
- | `nick_name` | Lek, Nok, Bum |
1799
+ | `first_name` | Kob Chai, Muan Nang, Sumana |
1800
+ | `last_name` | Bunyasarn, Somwan, Srisati |
1801
+ | `name` | Kosum Paowsong, Virote Narkhirunkanok, Chailai Kraiputra |
1802
+ | `nick_name` | Nit, Toi, Yai |
1653
1803
 
1654
1804
  ## FFaker::NameUA
1655
1805
 
1656
1806
  | Method | Example |
1657
1807
  | ------ | ------- |
1658
- | `first_name` | Тихон, Борислав, Петро |
1659
- | `first_name_female` | Надія, Долеслава, Ада |
1660
- | `first_name_male` | Градимир, Доброслав, Сологуб |
1661
- | `last_name` | Могилевська, Марієвська, Силецька |
1662
- | `last_name_female` | Гарай, Кулинич, Трясун |
1663
- | `last_name_male` | Вергун, Сідлецький, Москаль |
1664
- | `middle_name_female` | Захаріївна, Мирославівна, Панасівна |
1665
- | `middle_name_male` | Євгенович, Звенимирович, Сергійович |
1666
- | `name` | Луцьків Звенислава, Поліна Панасович, Усич Олелько |
1808
+ | `first_name` | Фаїна, Аврелія, Валентин |
1809
+ | `first_name_female` | Антонида, Устина, Тетяна |
1810
+ | `first_name_male` | Юхим, Мечислав, Зореслав |
1811
+ | `last_name` | Пономарів, Бурмило, Поліщук |
1812
+ | `last_name_female` | Дідух, Сучак, Латанська |
1813
+ | `last_name_male` | Бандера, Москаль, Сосюра |
1814
+ | `middle_name_female` | Мирославівна, Володимирівна, Сергіївна |
1815
+ | `middle_name_male` | Азарович, Корнелійович, Олексійович |
1816
+ | `name` | Далемир, Євген, Болеслав Маркіянович |
1667
1817
 
1668
1818
  ## FFaker::NameVN
1669
1819
 
1670
1820
  | Method | Example |
1671
1821
  | ------ | ------- |
1672
- | `first_name` | Công, Thị, Hữu |
1673
- | `last_first` | Tiêu Tuân Hữu, Tạ Toàn Đức, Dương Cảnh Công |
1674
- | `last_name` | Quyền, La, Hoàng |
1675
- | `middle_name` | Dung, Hà, Thoa |
1676
- | `name` | Thiên Đức Thủy, Minh Thị Kiều, Tuân Văn Đoàn |
1822
+ | `first_name` | Công, Công, Thị |
1823
+ | `last_first` | Đào Nguyệt Hữu, Chu Công, Diệp Bay Quang |
1824
+ | `last_name` | Trương, Quang, Lâm |
1825
+ | `middle_name` | Quyên, Huỳnh, Văn |
1826
+ | `name` | Việt Hữu Đỗ, Mỹ Quang Phó, Đạt Thị Mai |
1677
1827
 
1678
1828
  ## FFaker::NatoAlphabet
1679
1829
 
1680
1830
  | Method | Example |
1681
1831
  | ------ | ------- |
1682
- | `alphabetic_code` | NOVEMBER, HOTEL, FOXTROT |
1683
- | `callsign` | FOXTROT-KILO-ZERO, MIKE-TANGO-NINE, BRAVO-NOVEMBER-NINE |
1684
- | `code` | MIKE, SIX, NINE |
1832
+ | `alphabetic_code` | GOLF, ALPHA, SIERRA |
1833
+ | `callsign` | SIERRA-SIERRA-FIVE, SIERRA-UNIFORM-NINE, DELTA-CHARLIE-ONE |
1834
+ | `code` | CHARLIE, ROMEO, ONE |
1685
1835
  | `codify`(...) | |
1686
- | `numeric_code` | TWO, FOUR, FOUR |
1836
+ | `numeric_code` | NINE, SEVEN, ZERO |
1687
1837
 
1688
1838
  ## FFaker::PhoneNumber
1689
1839
 
1690
1840
  | Method | Example |
1691
1841
  | ------ | ------- |
1692
- | `area_code` | 354, 990, 576 |
1693
- | `exchange_code` | 620, 301, 534 |
1694
- | `imei` | 001245009951149, 001245008340104, 001245000139641 |
1695
- | `phone_calling_code` | +66, +254, +55 |
1696
- | `phone_number` | (673)488-5004, 1-329-886-8429 x471, (921)340-8717 |
1697
- | `short_phone_number` | 221-350-8818, 273-473-0127, 426-990-8093 |
1842
+ | `area_code` | 644, 348, 271 |
1843
+ | `exchange_code` | 290, 363, 848 |
1844
+ | `imei` | 915170780339144, 542775887274506, 016405350924448 |
1845
+ | `phone_calling_code` | +239, +681, +853 |
1846
+ | `phone_number` | 1-871-331-6694 x2831, 901-945-1121, 1-675-505-9566 x5729 |
1847
+ | `short_phone_number` | 299-477-8460, 318-733-6106, 559-231-7215 |
1698
1848
 
1699
1849
  ## FFaker::PhoneNumberAU
1700
1850
 
1701
1851
  | Method | Example |
1702
1852
  | ------ | ------- |
1703
1853
  | `country_code` | +61, +61, +61 |
1704
- | `home_work_phone_number` | (02) 9205 1024, (08) 9937 5528, (08) 7926 2214 |
1705
- | `home_work_phone_prefix` | 07, 08, 03 |
1706
- | `international_home_work_phone_number` | +61 5 4724 1207, +61 2 0387 0755, +61 8 3954 2392 |
1707
- | `international_mobile_phone_number` | +61 4 1348 3392, +61 4 1975 3349, +61 4 0691 0351 |
1708
- | `international_phone_number` | +61 4 5592 9954, +61 3 3209 6972, +61 4 0318 3353 |
1709
- | `mobile_phone_number` | 0451 601 804, 0403 356 164, 0421 189 747 |
1710
- | `mobile_phone_prefix` | 04, 04, 04 |
1711
- | `phone_number` | (07) 5697 0273, (03) 1413 2239, 0409 403 895 |
1712
- | `phone_prefix` | 03, 05, 07 |
1854
+ | `home_work_phone_number` | (08) 0537 1557, (02) 0668 8153, (08) 7729 6868 |
1855
+ | `home_work_phone_prefix` | 03, 08, 07 |
1856
+ | `international_home_work_phone_number` | +61 2 2356 4156, +61 3 0135 6002, +61 3 6708 4207 |
1857
+ | `international_mobile_phone_number` | +61 5 4593 9301, +61 5 6883 8511, +61 5 9877 8718 |
1858
+ | `international_phone_number` | +61 4 8197 8518, +61 4 5988 3640, +61 5 4738 2869 |
1859
+ | `mobile_phone_number` | 0492 453 477, 0537 568 451, 0560 431 260 |
1860
+ | `mobile_phone_prefix` | 05, 04, 05 |
1861
+ | `phone_number` | (08) 3199 6059, (03) 9472 8472, (03) 0620 0231 |
1862
+ | `phone_prefix` | 05, 08, 04 |
1713
1863
 
1714
1864
  ## FFaker::PhoneNumberBR
1715
1865
 
1716
1866
  | Method | Example |
1717
1867
  | ------ | ------- |
1718
1868
  | `country_code` | +55, +55, +55 |
1719
- | `home_work_phone_number` | 93 49784286, 872886-8119, 44 3426-9857 |
1720
- | `international_home_work_phone_number` | +557038917803, +55 88 28579652, +556726792693 |
1721
- | `international_mobile_phone_number` | +55197089-0987, +55 84 984787929, +55 62 87443065 |
1722
- | `international_phone_number` | +551822152520, +556798563-7084, +55 32 2685-6773 |
1723
- | `mobile_phone_number` | 80 65535913, 6298275-0585, 16 8029-0741 |
1724
- | `phone_number` | 445895-9140, 7799152-7319, 1492811278 |
1869
+ | `home_work_phone_number` | 38 2664-2921, 214593-7406, 8835417572 |
1870
+ | `international_home_work_phone_number` | +55172746-5435, +55 49 37067178, +55 92 53219192 |
1871
+ | `international_mobile_phone_number` | +558693216964, +55 53 6392-9506, +55 60 71413207 |
1872
+ | `international_phone_number` | +55 97 20417958, +55 10 998293559, +556531177262 |
1873
+ | `mobile_phone_number` | 35962770448, 16 8949-1152, 15964843929 |
1874
+ | `phone_number` | 49 4794-3661, 6034403019, 27999584530 |
1725
1875
 
1726
1876
  ## FFaker::PhoneNumberCH
1727
1877
 
1728
1878
  | Method | Example |
1729
1879
  | ------ | ------- |
1730
- | `free_phone_number` | +41800 599 14 39, 0041800 691 38 19, 08002435186 |
1731
- | `home_work_phone_number` | 0336086298, 0041229257389, +41626351137 |
1732
- | `mobile_phone_number` | 079 083 30 93, 0793861609, 004174 780 48 95 |
1733
- | `phone_number` | 08002656215, +41842 359 17 26, +4124 221 38 53 |
1734
- | `premium_rate_phone_number` | 09010075228, 0900 684 08 37, +419067579614 |
1735
- | `shared_cost_phone_number` | 0848 319 31 22, 08405154066, 08403526054 |
1880
+ | `free_phone_number` | 08006446281, 0800 734 00 89, 08000952867 |
1881
+ | `home_work_phone_number` | 004131 945 10 76, 0210769494, 031 592 34 66 |
1882
+ | `mobile_phone_number` | 004178 391 59 94, 0775423526, 004177 389 57 57 |
1883
+ | `phone_number` | +4177 848 52 64, +41842 732 73 52, 004177 584 63 89 |
1884
+ | `premium_rate_phone_number` | 09011432797, +419005960493, 0901 370 20 35 |
1885
+ | `shared_cost_phone_number` | 0041844 154 71 86, +418440407819, 0041844 497 79 75 |
1736
1886
 
1737
1887
  ## FFaker::PhoneNumberCU
1738
1888
 
@@ -1740,189 +1890,204 @@
1740
1890
  | ------ | ------- |
1741
1891
  | `country_code` | 53, 53, 53 |
1742
1892
  | `e164_country_code` | 53, 53, 53 |
1743
- | `e164_home_work_phone_number` | 5332084653, 5323992112, 5342725073 |
1744
- | `e164_mobile_phone_number` | 5350985439, 5357635318, 5353237041 |
1745
- | `e164_phone_number` | 5332830814, 5351756837, 5347346317 |
1746
- | `general_phone_number` | (047) 24 3281, 05 950 9439, (022) 56 5939 |
1747
- | `home_work_phone_number` | (047) 45 2603, (021) 55 9159, (048) 75 4027 |
1748
- | `home_work_phone_prefix` | 041, 042, 042 |
1749
- | `international_country_code` | 0053, 0053, +53 |
1750
- | `international_home_work_phone_number` | +5341 67 0256, 005323 50 9764, 005321 40 4492 |
1751
- | `international_mobile_phone_number` | +535 876 3225, 00535 225 1172, +535 096 6082 |
1752
- | `international_phone_number` | +535 878 4497, 00535 490 9270, +535 552 3832 |
1753
- | `mobile_phone_number` | 05 208 6068, 05 679 2789, 05 248 9413 |
1893
+ | `e164_home_work_phone_number` | 5346605029, 5321675107, 5321206222 |
1894
+ | `e164_mobile_phone_number` | 5354687846, 5358481738, 5355014956 |
1895
+ | `e164_phone_number` | 5357331321, 5352200485, 5359916311 |
1896
+ | `general_phone_number` | (023) 85 2933, 05 373 5366, (022) 52 1623 |
1897
+ | `home_work_phone_number` | (045) 28 8165, (047) 97 2611, (047) 85 9307 |
1898
+ | `home_work_phone_prefix` | 047, 045, 043 |
1899
+ | `international_country_code` | +53, 0053, +53 |
1900
+ | `international_home_work_phone_number` | +5323 59 9652, +5333 94 4473, +5342 68 7606 |
1901
+ | `international_mobile_phone_number` | 00535 608 8431, 00535 851 0143, +535 934 1030 |
1902
+ | `international_phone_number` | +5346 15 6451, 005331 19 5013, 005321 40 7040 |
1903
+ | `mobile_phone_number` | 05 368 1788, 05 322 7942, 05 515 2698 |
1754
1904
  | `mobile_phone_prefix` | 05, 05, 05 |
1755
- | `phone_number` | 5356662916, (045) 87 7397, 5324750940 |
1756
- | `phone_prefix` | 022, 041, 024 |
1905
+ | `phone_number` | 00535 054 3213, 5332265893, +535 812 4845 |
1906
+ | `phone_prefix` | 021, 042, 024 |
1757
1907
 
1758
1908
  ## FFaker::PhoneNumberDA
1759
1909
 
1760
1910
  | Method | Example |
1761
1911
  | ------ | ------- |
1762
1912
  | `country_code` | +45, +45, +45 |
1763
- | `home_work_phone_number` | 54144530, 79789538, 24664683 |
1764
- | `international_home_work_phone_number` | +45 34194621, +45 84915672, +45 75495445 |
1765
- | `international_mobile_phone_number` | +45 31727990, +45 18172903, +45 13838270 |
1766
- | `international_phone_number` | +45 47981828, +45 22009028, +45 50400627 |
1767
- | `mobile_phone_number` | 49554150, 15568101, 82441574 |
1768
- | `phone_number` | 66126933, 77742657, 24840007 |
1913
+ | `home_work_phone_number` | 15568625, 23682323, 76960225 |
1914
+ | `international_home_work_phone_number` | +45 21830612, +45 38015330, +45 18646510 |
1915
+ | `international_mobile_phone_number` | +45 47859052, +45 36524744, +45 33289798 |
1916
+ | `international_phone_number` | +45 82474006, +45 14987425, +45 51849870 |
1917
+ | `mobile_phone_number` | 22813886, 55825549, 84213421 |
1918
+ | `phone_number` | 28134384, 24041242, 54292982 |
1769
1919
 
1770
1920
  ## FFaker::PhoneNumberDE
1771
1921
 
1772
1922
  | Method | Example |
1773
1923
  | ------ | ------- |
1774
1924
  | `country_code` | +49, +49, +49 |
1775
- | `home_work_phone_number` | 077 0100828, 04050 8889774, 039 3813272 |
1776
- | `international_home_work_phone_number` | +49 7252 0827635, +49 74 3177205, +49 513 1151551 |
1777
- | `international_mobile_phone_number` | +49 177 9687401, +49 172 8875700, +49 167 4850409 |
1778
- | `international_phone_number` | +49 48 7624464, +49 341 2074154, +49 37 6951687 |
1779
- | `mobile_phone_number` | 0172 4906182, 0169 8859216, 0167 2294799 |
1780
- | `mobile_prefix` | 0166, 0164, 0153 |
1781
- | `phone_number` | 097 5851085, 04066 5247139, 085 7901591 |
1782
- | `region_prefix` | 0625, 0421, 076 |
1925
+ | `home_work_phone_number` | 07941 6162395, 075 5957681, 0527 8119361 |
1926
+ | `international_home_work_phone_number` | +49 77 3686978, +49 374 0805052, +49 82 7953827 |
1927
+ | `international_mobile_phone_number` | +49 173 8815082, +49 178 9500301, +49 172 9232650 |
1928
+ | `international_phone_number` | +49 5984 8680021, +49 7399 2250656, +49 22 5080300 |
1929
+ | `mobile_phone_number` | 0170 1210049, 0174 5313181, 0174 7195434 |
1930
+ | `mobile_prefix` | 0174, 0156, 0156 |
1931
+ | `phone_number` | 0392 0064982, 0785 1323897, 044 8689415 |
1932
+ | `region_prefix` | 032, 029, 092 |
1783
1933
 
1784
1934
  ## FFaker::PhoneNumberFR
1785
1935
 
1786
1936
  | Method | Example |
1787
1937
  | ------ | ------- |
1788
- | `home_work_phone_number` | +331 60 93 91 40, 0426813423, 0033257288143 |
1789
- | `mobile_phone_number` | +33752648171, +33705345902, 06 46 89 36 60 |
1790
- | `phone_number` | 00336 76 03 64 30, 05 30 71 47 48, +332 42 32 91 27 |
1938
+ | `country_code` | +33, +33, +33 |
1939
+ | `home_work_phone_number` | 05 14 27 10 12, 02 23 49 77 42, 05 36 39 58 63 |
1940
+ | `international_home_work_phone_number` | 0033556871125, +33 1 21 33 72 29, 00332 43 51 61 31 |
1941
+ | `international_mobile_phone_number` | +337 31 98 43 93, +33 7 34 41 00 82, +33673742699 |
1942
+ | `international_phone_number` | +33705188540, 0033787056466, +33307775791 |
1943
+ | `mobile_phone_number` | 06 42 96 22 59, 06 13 67 42 61, 0759841302 |
1944
+ | `phone_number` | 0430196208, 06 18 60 57 16, 0795494997 |
1945
+
1946
+ ## FFaker::PhoneNumberID
1947
+
1948
+ | Method | Example |
1949
+ | ------ | ------- |
1950
+ | `home_phone_number` | 0777-29140910, 0376-88164784, 0639-47593008 |
1951
+ | `international_home_phone_number` | +62924-51195420, +62295-27987564, +62967-50627241 |
1952
+ | `international_mobile_phone_number` | +62881-30810176, +62811-31264887, +62814-69942377 |
1953
+ | `international_phone_number` | +62822-26459961, +62423-4388950, +62816-02998754 |
1954
+ | `mobile_phone_number` | 0885-48670864, 0855-91265242, 0856-96946846 |
1955
+ | `phone_number` | 0897-41450019, 0853-21714150, 0878-62602454 |
1791
1956
 
1792
1957
  ## FFaker::PhoneNumberIT
1793
1958
 
1794
1959
  | Method | Example |
1795
1960
  | ------ | ------- |
1796
- | `home_phone_number` | 00390682592171, +39 0566520703, +39 0165 88706224 |
1797
- | `mobile_phone_number` | 0039347 255937, +39 339622810, 0039 338 94649949 |
1961
+ | `home_phone_number` | 00390734 717403, 00390585 82271415, +39 099 763603 |
1962
+ | `mobile_phone_number` | 0039339 013383, 0039325 49201804, +39 333981536 |
1798
1963
  | `number`(...) | |
1799
- | `phone_number` | +39 325 778956, +390941 82329167, 0039 320284211 |
1800
- | `random_space` | , , |
1964
+ | `phone_number` | 00390463 410786, +39 0175 188447, +39 0722 56840682 |
1965
+ | `random_space` | , , |
1801
1966
 
1802
1967
  ## FFaker::PhoneNumberKR
1803
1968
 
1804
1969
  | Method | Example |
1805
1970
  | ------ | ------- |
1806
1971
  | `contry_code` | +82, +82, +82 |
1807
- | `home_work_phone_number` | 032 7286 9595, 052 1891 4582, 064 8653 3842 |
1808
- | `international_home_work_phone_number` | +82 61 1279 3952, +82 49 3134 6856, +82 63 8564 1284 |
1809
- | `international_mobile_phone_number` | +82 11 5897 0044, +82 19 5189 1596, +82 10 5638 6141 |
1810
- | `international_phone_number` | +82 43 0178 9935, +82 10 2196 4814, +82 16 8893 1302 |
1811
- | `mobile_phone_number` | 016 9214 4085, 016 9489 1139, 019 0196 5564 |
1812
- | `phone_number` | 016 0020 0649, 044 6995 3024, 010 5974 7565 |
1972
+ | `home_work_phone_number` | 053 6042 3696, 061 2254 6271, 053 9309 4024 |
1973
+ | `international_home_work_phone_number` | +82 63 0934 4610, +82 64 7694 7519, +82 54 6941 1141 |
1974
+ | `international_mobile_phone_number` | +82 10 6311 6086, +82 10 3917 8785, +82 19 1911 8779 |
1975
+ | `international_phone_number` | +82 44 6901 4468, +82 19 3771 0407, +82 52 5607 2753 |
1976
+ | `mobile_phone_number` | 010 7366 4075, 019 6261 0848, 019 6378 3448 |
1977
+ | `phone_number` | 062 7256 8079, 016 4615 3708, 011 8974 7802 |
1813
1978
 
1814
1979
  ## FFaker::PhoneNumberMX
1815
1980
 
1816
1981
  | Method | Example |
1817
1982
  | ------ | ------- |
1818
1983
  | `country_code` | +52, +52, +52 |
1819
- | `home_work_phone_number` | 97 4664 5777, 10 2757 1370, 46 8689 2563 |
1820
- | `international_home_work_phone_number` | +52 03 9540 0421, +52 83 4845 2679, +52 05 0571 0136 |
1821
- | `international_mobile_phone_number` | +52 1 46 8738 2715, +52 1 53 3602 2653, +52 1 21 9004 2157 |
1822
- | `international_phone_number` | +52 1 79 7472 9727, +52 25 7856 2228, +52 1 38 5609 3861 |
1823
- | `mobile_phone_number` | 044 43 6962 0924, 044 34 0105 9309, 044 53 2071 1244 |
1824
- | `phone_number` | 044 14 4112 0674, 65 5463 0694, 044 25 1987 9359 |
1825
- | `toll_free_number` | 01 800 899 2964, 01 800 725 1723, 01 800 643 8570 |
1984
+ | `home_work_phone_number` | 14 5882 1597, 98 9951 6892, 02 1635 8570 |
1985
+ | `international_home_work_phone_number` | +52 12 4560 5253, +52 52 2348 2505, +52 98 8671 7071 |
1986
+ | `international_mobile_phone_number` | +52 1 41 5720 1201, +52 1 36 9963 2242, +52 1 65 3582 1979 |
1987
+ | `international_phone_number` | +52 1 31 2593 0669, +52 02 6664 5522, +52 1 91 9620 9358 |
1988
+ | `mobile_phone_number` | 044 07 2277 5265, 044 90 3572 8377, 044 74 9370 7432 |
1989
+ | `phone_number` | 044 67 8465 1519, 58 0725 8568, 32 2450 8269 |
1990
+ | `toll_free_number` | 01 800 491 1194, 01 800 256 9241, 01 800 537 0043 |
1826
1991
 
1827
1992
  ## FFaker::PhoneNumberNL
1828
1993
 
1829
1994
  | Method | Example |
1830
1995
  | ------ | ------- |
1831
- | `home_work_phone_number` | 0512-0404 07, 0523-4064 99, 040-828 9034 |
1832
- | `international_home_work_phone_number` | +31 180-70 18 18, +31 186-4605 80, +31 492-466310 |
1833
- | `international_mobile_phone_number` | +31 6 6994 6524, +31 621269693, +31 6 78 38 78 84 |
1834
- | `international_phone_number` | +31 493-093089, +31 541-4884 33, +31 172-916512 |
1835
- | `mobile_phone_number` | 06 9391 2802, 06 365 638 70, 06 411 869 27 |
1836
- | `phone_number` | 0626969107, 06 3986 9847, 0114-2752 12 |
1996
+ | `home_work_phone_number` | 0485-7515 25, 030-5765805, 0488-9308 09 |
1997
+ | `international_home_work_phone_number` | +31 20-8267778, +31 543-57 56 48, +31 23-979 5680 |
1998
+ | `international_mobile_phone_number` | +31 6 05 70 69 90, +31 606235284, +31 6 3784 5533 |
1999
+ | `international_phone_number` | +31 113-33 53 14, +31 223-23 09 14, +31 6 62 85 99 73 |
2000
+ | `mobile_phone_number` | 0641109252, 0602940935, 06 92 76 14 20 |
2001
+ | `phone_number` | 0578-4777 87, 06 17 29 51 63, 0314-6430 79 |
1837
2002
 
1838
2003
  ## FFaker::PhoneNumberSE
1839
2004
 
1840
2005
  | Method | Example |
1841
2006
  | ------ | ------- |
1842
- | `area_prefix` | 551, 221, 240 |
1843
- | `country_prefix` | +46, 0046, +46 |
1844
- | `home_work_phone_number` | 0533-434 99, 0552-21 83 05, 0954-26 30 26 |
1845
- | `international_home_work_phone_number` | 0046 (0)122-401 31, +46 (0)587-01 97 18, 0046 (0)340-239 16 |
1846
- | `international_mobile_phone_number` | +46 (0)764-351677, 0046 (0)760-654691, +46 (0)737-291846 |
1847
- | `international_phone_number` | 0046 (0)746-639696, 0046 (0)703-083443, +46 (0)174-04 79 41 |
1848
- | `mobile_phone_number` | 0707-931724, 0741-28 63 89, 0733-915099 |
1849
- | `mobile_phone_number_format` | 74#-## ## ##, 73#-## ## ##, 73#-###### |
1850
- | `mobile_prefix` | 73, 70, 73 |
1851
- | `phone_number` | 0767-700047, 0155-26 24 70, 046-79 29 74 |
1852
- | `phone_number_format` | 413-### ##, 951-### ##, 943-### ## |
2007
+ | `area_prefix` | 63, 456, 456 |
2008
+ | `country_prefix` | +46, +46, +46 |
2009
+ | `home_work_phone_number` | 0951-704 57, 0660-31 14 42, 090-692 88 29 |
2010
+ | `international_home_work_phone_number` | +46 (0)645-266 91, +46 (0)457-73 09 28, +46 (0)302-944 29 |
2011
+ | `international_mobile_phone_number` | 0046 (0)728-02 22 90, 0046 (0)708-043489, 0046 (0)730-51 67 68 |
2012
+ | `international_phone_number` | +46 (0)768-617427, +46 (0)708-39 59 89, +46 (0)700-07 30 33 |
2013
+ | `mobile_phone_number` | 0742-70 67 72, 0763-73 88 58, 0769-096096 |
2014
+ | `mobile_phone_number_format` | 74#-## ## ##, 73#-## ## ##, 70#-## ## ## |
2015
+ | `mobile_prefix` | 76, 72, 70 |
2016
+ | `phone_number` | 0585-557 77, 0644-19 81 31, 0700-774059 |
2017
+ | `phone_number_format` | 584-### ##, 682-## ## ##, 143-## ## ## |
1853
2018
 
1854
2019
  ## FFaker::PhoneNumberSG
1855
2020
 
1856
2021
  | Method | Example |
1857
2022
  | ------ | ------- |
1858
2023
  | `country_code` | +65, +65, +65 |
1859
- | `fixed_line_number` | 6076 5999, 6915 8198, 6478 4719 |
1860
- | `international_toll_free_number` | 800 299 3179, 800 921 9361, 800 033 9009 |
1861
- | `mobile_number` | 8302 9026, 8401 4226, 8478 0611 |
1862
- | `mobile_or_pager_number` | 9841 0578, 9557 8337, 9502 7672 |
1863
- | `phone_number` | 9319 6446, 9691 3479, 9120 0978 |
1864
- | `premium_service_number` | 1900 770 2300, 1900 164 1328, 1900 603 1227 |
1865
- | `toll_free_number` | 1800 376 9526, 1800 242 5658, 1800 044 8594 |
1866
- | `voip_number` | 3123 3488, 3501 6078, 3181 2796 |
2024
+ | `fixed_line_number` | 6953 5099, 6164 8532, 6031 1490 |
2025
+ | `international_toll_free_number` | 800 713 1960, 800 026 3485, 800 776 4527 |
2026
+ | `mobile_number` | 8184 8728, 8772 2131, 8765 2687 |
2027
+ | `mobile_or_pager_number` | 9684 1406, 9612 8724, 9464 0029 |
2028
+ | `phone_number` | 8844 0988, 8257 9923, 9908 2395 |
2029
+ | `premium_service_number` | 1900 211 8385, 1900 182 0732, 1900 912 8587 |
2030
+ | `toll_free_number` | 1800 776 0004, 1800 314 8280, 1800 437 8926 |
2031
+ | `voip_number` | 3038 3205, 3420 4702, 3231 4125 |
1867
2032
 
1868
2033
  ## FFaker::PhoneNumberSN
1869
2034
 
1870
2035
  | Method | Example |
1871
2036
  | ------ | ------- |
1872
- | `homework_number` | 33-861-86-02, 33-815-12-39, 33-898-25-46 |
2037
+ | `homework_number` | 33-803-30-22, 33-983-07-61, 33-870-78-48 |
1873
2038
  | `homework_phone_prefix` | 33, 33, 33 |
1874
- | `mobile_number` | 76-249-17-64, 76-262-58-90, 76-559-60-22 |
1875
- | `mobile_phone_prefix` | 77, 76, 70 |
1876
- | `phone_number` | 76-683-59-14, 77-595-63-16, 33-870-08-83 |
1877
- | `short_phone_number` | 554-09-08, 932-97-51, 845-74-48 |
2039
+ | `mobile_number` | 70-074-49-79, 76-461-44-29, 76-074-81-66 |
2040
+ | `mobile_phone_prefix` | 77, 70, 76 |
2041
+ | `phone_number` | 70-837-66-99, 33-904-28-48, 33-888-19-49 |
2042
+ | `short_phone_number` | 058-17-79, 000-96-86, 001-56-68 |
1878
2043
 
1879
2044
  ## FFaker::Product
1880
2045
 
1881
2046
  | Method | Example |
1882
2047
  | ------ | ------- |
1883
- | `brand` | Brounsfunc, Trure, Sinecell |
2048
+ | `brand` | Trost, Aftersync, Brunefunc |
1884
2049
  | `letters`(...) | |
1885
- | `model` | E38, A-1586, Z-656 |
1886
- | `product` | Brouffe Remote Gel Viewer, Cygsync Disc Performance Controller, Trynsfunc GPS Case |
1887
- | `product_name` | Audible Compressor, Remote Receiver, Audible Mount |
2050
+ | `model` | D53, W-8028, K46 |
2051
+ | `product` | Sobalt Gel Output Mount, Subsync Power Mount, Briont Output Tag Component |
2052
+ | `product_name` | Disc Power Viewer, Digital Filter, Direct Compressor |
1888
2053
 
1889
- ## FFaker::Skill
2054
+ ## FFaker::SSN
1890
2055
 
1891
2056
  | Method | Example |
1892
2057
  | ------ | ------- |
1893
- | `specialties` | Mental Metrics, Template Metrics, Performance Research, Hardware Research, Prototype Profiling, Visual Research, Statistical Analysis, Statistical Profiling, Resource Prototyping |
1894
- | `specialty` | Web Design, Performance Management, Firmware Prototyping |
1895
- | `tech_skill` | SublimeText, Flash, JSON |
1896
- | `tech_skills` | Backbone.JS, Heroku, MongoDB, Linux, ASP, JSP, Illustrator, SVN, Typo3 |
2058
+ | `ssn` | 789-25-9312, 624-91-5873, 201-80-0808 |
1897
2059
 
1898
- ## FFaker::Sport
2060
+ ## FFaker::SSNMX
1899
2061
 
1900
2062
  | Method | Example |
1901
2063
  | ------ | ------- |
1902
- | `name` | Snowboarding, Formula Indy, Surfing |
2064
+ | `imss` | 4567950285-7, 4044327517-2, 6711958839-0 |
2065
+ | `imss_undashed` | 92870974066, 60906751986, 14837594296 |
2066
+ | `issste` | 6596941489-2, 9066895178-9, 2137420849-6 |
2067
+ | `issste_undashed` | 76584287860, 61592381186, 83643848945 |
2068
+ | `ssn` | 9701232435-5, 2861689510-7, 4167773892-1 |
2069
+ | `ssn_undashed` | 82988296973, 05314342061, 99657061799 |
1903
2070
 
1904
- ## FFaker::SSN
2071
+ ## FFaker::SSNSE
1905
2072
 
1906
2073
  | Method | Example |
1907
2074
  | ------ | ------- |
1908
- | `ssn` | 739-68-5500, 218-73-4959, 631-27-0316 |
2075
+ | `ssn` | 194712068445, 195504068154, 201412064325 |
1909
2076
 
1910
- ## FFaker::SSNMX
2077
+ ## FFaker::Skill
1911
2078
 
1912
2079
  | Method | Example |
1913
2080
  | ------ | ------- |
1914
- | `imss` | 0603169061-9, 8431029951-7, 0843212914-3 |
1915
- | `imss_undashed` | 46216162966, 37733121323, 41777762527 |
1916
- | `issste` | 5947137983-0, 3698520188-4, 9691440544-7 |
1917
- | `issste_undashed` | 76469878288, 76728710357, 50914416400 |
1918
- | `ssn` | 0453162262-1, 5238146130-2, 7407746386-7 |
1919
- | `ssn_undashed` | 03188877302, 27059933188, 75915678768 |
2081
+ | `specialties` | Firmware Modularization, Modular Profiling, Firmware Testing, Database Profiling, Area Design, Firmware Methods, Firmware Development, Performance Design, Visual Management |
2082
+ | `specialty` | Web Management, Global Design, Template Research |
2083
+ | `tech_skill` | Java, JQuery, Perl |
2084
+ | `tech_skills` | JSON, Rails, CakePHP, TextMate, ASP, Backbone.JS, Mac, XHR, OSX |
1920
2085
 
1921
- ## FFaker::SSNSE
2086
+ ## FFaker::Sport
1922
2087
 
1923
2088
  | Method | Example |
1924
2089
  | ------ | ------- |
1925
- | `ssn` | 199903226710, 195608079099, 198011068352 |
2090
+ | `name` | Cycling Mountain Bike, Wakeboarding, Badminton |
1926
2091
 
1927
2092
  ## FFaker::String
1928
2093
 
@@ -1935,99 +2100,105 @@
1935
2100
  | Method | Example |
1936
2101
  | ------ | ------- |
1937
2102
  | `between`(..., ...) | |
1938
- | `date` | 2015-11-08 00:00:00 +0900, 2012-08-27 00:00:00 +0900, 2014-01-31 00:00:00 +0900 |
1939
- | `datetime` | 2013-11-21 12:16:00 +0900, 2012-06-21 08:01:00 +0900, 2012-10-15 05:14:00 +0900 |
1940
- | `month` | July, August, June |
1941
- | `day_of_week` | Mon, Tue, Sat |
2103
+ | `date` | 2016-10-30 00:00:00 +0900, 2018-04-29 00:00:00 +0900, 2014-12-11 00:00:00 +0900 |
2104
+ | `datetime` | 2014-09-07 12:37:00 +0900, 2016-07-18 06:58:00 +0900, 2016-03-19 09:33:00 +0900 |
2105
+ | `day_of_week` | Wed, Wed, Mon |
2106
+ | `month` | November, January, April |
1942
2107
 
1943
2108
  ## FFaker::Tweet
1944
2109
 
1945
2110
  | Method | Example |
1946
2111
  | ------ | ------- |
1947
- | `body` | Magni architecto sequi minus magnam. Aut dolorum sequi culpa incidunt eos aut ut. Voluptatem vitae harum animi sint voluptate eum., Doloremque possimus et voluptatem delectus nulla consequatur. Reiciendis beatae non enim voluptates sint officiis. Pariatur repellendus., Ducimus ad quia est vitae atque culpa. Voluptatem sit sit quibusdam sint autem. Velit voluptas repellendus est sed vel soluta. Quia non. |
1948
- | `mention` | @elodia_jast, @becky, @nannette |
1949
- | `mentions` | @gwyn_collier @dara_yundt, @loma @grazyna.harber, @pierre @scottie.reichel |
1950
- | `tags` | #followback #art, #fun #baby, #like #food |
1951
- | `tweet` | @lyndsay Sequi atque maxime ut consequuntur., @queen_jacobi At omnis necessitatibus commodi molestiae magni. Labore ut veritatis corrupti culpa ut accusamus ipsa..#cool #nofilter, Sit est consequatur repellat adipisci mollitia. Voluptatem consequatur et earum. |
2112
+ | `body` | Est molestiae illo a voluptatum. In laborum sed accusantium neque quibusdam. Nisi molestiae laboriosam est unde mollitia quia. In maiores., Voluptatem laudantium id ex quis sunt. Porro totam velit molestiae vel ratione est. Quibusdam quas vel autem aut. Est enim vel molestiae., Esse autem quidem voluptatem praesentium ut debitis possimus. Sapiente et sunt architecto voluptatem vitae. Nam veniam qui sint ducimus. |
2113
+ | `mention` | @nakisha.boyer, @ula_veum, @ricarda |
2114
+ | `mentions` | @robyn_williamson @mireya, @helena @claudio, @carmelo_emard @helena |
2115
+ | `tags` | #clouds #me, #cool #followme, #cute #pretty |
2116
+ | `tweet` | @liza Molestias ab voluptas voluptas debitis sed repellat. Architecto eveniet saepe officiis maiores. Quis.#music #eyes #cat #clouds, Omnis ut enim quo porro quia consectetur voluptas. Aut quam doloribus excepturi nobis et in perspiciatis. Deleniti maxime vero., Aut ut modi eos aut. Nam id laudantium est quaerat. Velit facere delectus omnis rem minima. Illum aut sequi nihil et..#boy #art #girl #me |
2117
+
2118
+ ## FFaker::UniqueUtils
2119
+
2120
+ | Method | Example |
2121
+ | ------ | ------- |
2122
+ | `clear` | 0, 0, 0 |
1952
2123
 
1953
2124
  ## FFaker::Unit
1954
2125
 
1955
2126
  | Method | Example |
1956
2127
  | ------ | ------- |
1957
- | `temperature_abbr` | C, K, F |
1958
- | `temperature_name` | Celsius, Celsius, Kelvin |
1959
- | `time_abbr` | s, s, s |
1960
- | `time_name` | Days, Days, Seconds |
2128
+ | `temperature_abbr` | C, F, K |
2129
+ | `temperature_name` | Fahrenheit, Fahrenheit, Kelvin |
2130
+ | `time_abbr` | msec, Minutes, s |
2131
+ | `time_name` | Milliseconds, Milliseconds, Seconds |
1961
2132
 
1962
2133
  ## FFaker::UnitEnglish
1963
2134
 
1964
2135
  | Method | Example |
1965
2136
  | ------ | ------- |
1966
- | `area_abbr` | ac, ac, sq mi |
1967
- | `area_name` | square foot, township, township |
1968
- | `length_abbr` | fur, yd, m |
1969
- | `length_name` | inch, mile, foot |
1970
- | `liquid_abbr` | qt, gi, qt |
1971
- | `liquid_name` | gill, pint, gill |
1972
- | `mass_abbr` | gr, lb, lb |
1973
- | `mass_name` | grains, ton, hundredweight |
1974
- | `temperature_abbr` | C, K, F |
1975
- | `temperature_name` | Kelvin, Fahrenheit, Kelvin |
1976
- | `time_abbr` | msec, s, Minutes |
1977
- | `time_name` | Seconds, Years, Days |
1978
- | `volume_abbr` | CFT, CY, CFT |
1979
- | `volume_name` | cubic foot, cubic foot, cubic yard |
2137
+ | `area_abbr` | sq mi, sq ft, Twp |
2138
+ | `area_name` | square foot, acre, square yard |
2139
+ | `length_abbr` | ft, fur, fur |
2140
+ | `length_name` | yard, mile, yard |
2141
+ | `liquid_abbr` | fl oz, gi, gi |
2142
+ | `liquid_name` | quart, pint, pint |
2143
+ | `mass_abbr` | gr, lb, cwt |
2144
+ | `mass_name` | ounces, pounds, ton |
2145
+ | `temperature_abbr` | K, K, K |
2146
+ | `temperature_name` | Fahrenheit, Kelvin, Kelvin |
2147
+ | `time_abbr` | s, Minutes, msec |
2148
+ | `time_name` | Hours, Milliseconds, Hours |
2149
+ | `volume_abbr` | CY, CI, CY |
2150
+ | `volume_name` | cubic foot, cubic yard, cubic yard |
1980
2151
 
1981
2152
  ## FFaker::UnitMetric
1982
2153
 
1983
2154
  | Method | Example |
1984
2155
  | ------ | ------- |
1985
- | `area_abbr` | cm^2, m^2, ha |
1986
- | `area_name` | hectares, hectares, meters squared |
1987
- | `length_abbr` | km, km, cm |
1988
- | `length_name` | kilometers, millimeters, millimeters |
2156
+ | `area_abbr` | km, km, m^2 |
2157
+ | `area_name` | kilometers, centimeters squared, centimeters squared |
2158
+ | `length_abbr` | cm, mm, cm |
2159
+ | `length_name` | meters, centimeters, kilometers |
1989
2160
  | `liquid_abbr` | ml, ml, ml |
1990
- | `liquid_name` | liters, milliliters, liters |
1991
- | `mass_abbr` | g, mt, mt |
1992
- | `mass_name` | metric ton, gram, kilogram |
1993
- | `temperature_abbr` | F, F, K |
1994
- | `temperature_name` | Celsius, Celsius, Celsius |
1995
- | `time_abbr` | Minutes, d, d |
1996
- | `time_name` | Years, Seconds, Milliseconds |
1997
- | `volume_abbr` | cm^3, cm^3, cm^3 |
1998
- | `volume_name` | cubic meters, cubic meters, cubic centimeters |
2161
+ | `liquid_name` | milliliters, milliliters, liters |
2162
+ | `mass_abbr` | mt, kg, g |
2163
+ | `mass_name` | metric ton, gram, metric ton |
2164
+ | `temperature_abbr` | F, K, C |
2165
+ | `temperature_name` | Kelvin, Celsius, Kelvin |
2166
+ | `time_abbr` | d, msec, d |
2167
+ | `time_name` | Milliseconds, Seconds, Days |
2168
+ | `volume_abbr` | m^3, cm^3, cm^3 |
2169
+ | `volume_name` | cubic centimeters, cubic meters, cubic meters |
1999
2170
 
2000
2171
  ## FFaker::Vehicle
2001
2172
 
2002
2173
  | Method | Example |
2003
2174
  | ------ | ------- |
2004
- | `base_color` | purple, azure, lightyellow |
2005
- | `drivetrain` | AWD, 4WD, FWD |
2006
- | `engine_cylinders` | 8, 5, 5 |
2007
- | `engine_displacement` | 7.4, 3.0, 1.0 |
2008
- | `fuel_type` | Hybrid, Natural Gas (CNG), Natural Gas (CNG) |
2009
- | `interior_upholstery` | PVC, PVC, Faux Vinyl |
2010
- | `make` | Porsche, Autocar, Chrysler |
2011
- | `manufacturer_color` | melodic bright cadetblue, weak pretty crimson, calm bright indigo |
2012
- | `mfg_color` | fast bright green, dull new salmon, new tranquil thistle |
2013
- | `model` | Grand Marquis, Grand Marquis, Hummer |
2014
- | `transmission` | Automated Manual, Manual, Automatic |
2015
- | `transmission_abbr` | AM, AM, AT |
2016
- | `trim` | SE, SE, XLT |
2017
- | `vin` | 16HCT97728J966859, 13SLR10905E868402, 19NOF34317V934193 |
2018
- | `year` | 1958, 1904, 1925 |
2175
+ | `base_color` | peachpuff, orange, gray |
2176
+ | `drivetrain` | 4WD, 4WD, FWD |
2177
+ | `engine_cylinders` | 5, 6, 8 |
2178
+ | `engine_displacement` | 1.0, 4.2, 5.8 |
2179
+ | `fuel_type` | Hydrogen Fuel Cell (FCV), Gas, Electric |
2180
+ | `interior_upholstery` | PVC, Vinyl, Nylon Fabric |
2181
+ | `make` | Saturn, Infiniti, Tesla |
2182
+ | `manufacturer_color` | pretty beautiful darkturquoise, bright dull magenta, mysterious slate navajowhite |
2183
+ | `mfg_color` | mundane pleasant mediumturquoise, mundane resonant gold, calm bright khaki |
2184
+ | `model` | Pacifica, Bronco, Lancer |
2185
+ | `transmission` | Automatic, Continuously Variable, Continuously Variable |
2186
+ | `transmission_abbr` | AT, MT, AT |
2187
+ | `trim` | SI, EX-L, SLT |
2188
+ | `vin` | 13VQZ02576D077013, 13SDV31526M557845, 12ORM57595Z264690 |
2189
+ | `year` | 1929, 1967, 1992 |
2019
2190
 
2020
2191
  ## FFaker::Venue
2021
2192
 
2022
2193
  | Method | Example |
2023
2194
  | ------ | ------- |
2024
- | `name` | Expourense, Barcelona Business Center, Palacio de Congresos de Galicia |
2195
+ | `name` | Palau de Congressos de Catalunya, World Trade Center Sevilla, Feria Internacional de Galicia |
2025
2196
 
2026
2197
  ## FFaker::Youtube
2027
2198
 
2028
2199
  | Method | Example |
2029
2200
  | ------ | ------- |
2030
- | `embed_url` | www.youtube.com/embed/pRpeEdMmmQ0, www.youtube.com/embed/8UVNT4wvIGY, www.youtube.com/embed/YBHQbu5rbdQ |
2031
- | `share_url` | youtu.be/9bZkp7q19f0, youtu.be/rYEDA3JcQqw, youtu.be/PIh2xe4jnpk |
2032
- | `url` | www.youtube.com/watch?v=YBHQbu5rbdQ, www.youtube.com/watch?v=0KSOMA3QBU0, www.youtube.com/watch?v=QGJuMBdaqIw |
2033
- | `video_id` | y6Sxv-sUYtM, iS1g8G_njx8, lp-EO5I60KA |
2201
+ | `embed_url` | www.youtube.com/embed/QcIy9NiNbmo, www.youtube.com/embed/fRh_vgS2dFE, www.youtube.com/embed/iS1g8G_njx8 |
2202
+ | `share_url` | youtu.be/fWNaR-rxAic, youtu.be/NUsoVlDFqZg, youtu.be/YqeW9_5kURI |
2203
+ | `url` | www.youtube.com/watch?v=9bZkp7q19f0, www.youtube.com/watch?v=9bZkp7q19f0, www.youtube.com/watch?v=AJtDXIazrMo |
2204
+ | `video_id` | QGJuMBdaqIw, _OBlgSz8sSM, gCYcHz2k5x0 |