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 +4 -4
- data/Changelog.md +7 -0
- data/RANDOM.md +153 -0
- data/REFERENCE.md +1262 -1091
- data/ffaker.gemspec +4 -3
- data/lib/ffaker.rb +144 -5
- data/lib/ffaker/phone_number_fr.rb +54 -8
- data/lib/ffaker/utils/module_utils.rb +1 -1
- data/scripts/reference.rb +3 -3
- data/test/test_phone_number_fr.rb +58 -0
- metadata +135 -132
checksums.yaml
CHANGED
@@ -1,7 +1,7 @@
|
|
1
1
|
---
|
2
2
|
SHA1:
|
3
|
-
metadata.gz:
|
4
|
-
data.tar.gz:
|
3
|
+
metadata.gz: 86b7a0252444f3059ce00ad026f1e4887e9527aa
|
4
|
+
data.tar.gz: 3f1b5cf9b50bcd4c345e2632efbd3e0c6005e1b4
|
5
5
|
SHA512:
|
6
|
-
metadata.gz:
|
7
|
-
data.tar.gz:
|
6
|
+
metadata.gz: 344e8a00a1ea9a8a6e3d4a837d0c1bb243a5d0ed279189c4ac6e5b6831df7a2511f27ae02438b2a339be2c1d5f411e2e085933bcf306e96101c85ba8f8eabeec
|
7
|
+
data.tar.gz: 16dac4fd1e34cb09fe41d4382a3b62139eea1562e609ddf437b4f413013053f5fa41788237bd5439b2daf8438e33e6b05711daab81d635cfd819e6229d549b6a
|
data/Changelog.md
CHANGED
@@ -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]
|
data/RANDOM.md
ADDED
@@ -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.
|
data/REFERENCE.md
CHANGED
@@ -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` |
|
143
|
-
| `city` |
|
144
|
-
| `city_prefix` |
|
145
|
-
| `city_suffix` |
|
146
|
-
| `country` |
|
147
|
-
| `country_code` |
|
148
|
-
| `neighborhood` |
|
149
|
-
| `secondary_address` |
|
150
|
-
| `street_address` |
|
151
|
-
| `street_name` |
|
152
|
-
| `street_suffix` |
|
153
|
-
| `time_zone` |
|
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` |
|
166
|
-
| `city` |
|
167
|
-
| `city_prefix` |
|
168
|
-
| `city_suffix` |
|
169
|
-
| `country` |
|
170
|
-
| `country_code` |
|
171
|
-
| `full_address` |
|
172
|
-
| `neighborhood` |
|
173
|
-
| `postcode` |
|
174
|
-
| `secondary_address` |
|
175
|
-
| `state` |
|
176
|
-
| `state_abbr` |
|
177
|
-
| `street_address` |
|
178
|
-
| `street_name` |
|
179
|
-
| `street_suffix` |
|
180
|
-
| `suburb` |
|
181
|
-
| `time_zone` |
|
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` |
|
194
|
-
| `city` |
|
195
|
-
| `city_prefix` | West,
|
196
|
-
| `city_suffix` |
|
197
|
-
| `country` |
|
198
|
-
| `country_code` |
|
199
|
-
| `
|
200
|
-
| `
|
201
|
-
| `
|
202
|
-
| `
|
203
|
-
| `
|
204
|
-
| `
|
205
|
-
| `
|
206
|
-
| `
|
207
|
-
| `
|
208
|
-
| `
|
209
|
-
| `time_zone` |
|
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` |
|
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` |
|
222
|
-
| `city` |
|
223
|
-
| `city_prefix` |
|
224
|
-
| `city_suffix` |
|
225
|
-
| `country` |
|
226
|
-
| `country_code` |
|
227
|
-
| `neighborhood` |
|
228
|
-
| `postal_code` |
|
229
|
-
| `province` |
|
230
|
-
| `province_abbr` |
|
231
|
-
| `secondary_address` | Suite
|
232
|
-
| `street_address` |
|
233
|
-
| `street_name` |
|
234
|
-
| `street_suffix` |
|
235
|
-
| `time_zone` |
|
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` |
|
248
|
-
| `canton_abbr` |
|
249
|
-
| `city` |
|
250
|
-
| `city_prefix` |
|
251
|
-
| `city_suffix` |
|
252
|
-
| `country` |
|
253
|
-
| `country_code` |
|
254
|
-
| `neighborhood` |
|
255
|
-
| `postal_code` |
|
256
|
-
| `secondary_address` | Apt.
|
257
|
-
| `street_address` |
|
258
|
-
| `street_name` |
|
259
|
-
| `street_suffix` |
|
260
|
-
| `time_zone` |
|
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` |
|
273
|
-
| `canton` | Appenzell Ausserrhoden,
|
274
|
-
| `canton_abbr` |
|
275
|
-
| `city` |
|
276
|
-
| `city_prefix` |
|
277
|
-
| `city_suffix` |
|
278
|
-
| `country` |
|
279
|
-
| `country_code` |
|
280
|
-
| `neighborhood` |
|
281
|
-
| `postal_code` |
|
282
|
-
| `secondary_address` |
|
283
|
-
| `street_address` |
|
284
|
-
| `street_name` |
|
285
|
-
| `street_suffix` |
|
286
|
-
| `time_zone` | Asia/
|
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` |
|
299
|
-
| `canton` |
|
300
|
-
| `canton_abbr` |
|
301
|
-
| `city` |
|
302
|
-
| `city_prefix` |
|
303
|
-
| `city_suffix` |
|
304
|
-
| `country` |
|
305
|
-
| `country_code` |
|
306
|
-
| `neighborhood` |
|
307
|
-
| `postal_code` |
|
308
|
-
| `secondary_address` |
|
309
|
-
| `street_address` |
|
310
|
-
| `street_name` |
|
311
|
-
| `street_suffix` | Tunnel,
|
312
|
-
| `time_zone` |
|
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` |
|
325
|
-
| `canton` |
|
326
|
-
| `canton_abbr` |
|
327
|
-
| `city` |
|
328
|
-
| `city_prefix` | North,
|
329
|
-
| `city_suffix` |
|
330
|
-
| `country` |
|
331
|
-
| `country_code` |
|
332
|
-
| `neighborhood` |
|
333
|
-
| `postal_code` |
|
334
|
-
| `secondary_address` | Apt.
|
335
|
-
| `street_address` |
|
336
|
-
| `street_name` |
|
337
|
-
| `street_suffix` |
|
338
|
-
| `time_zone` |
|
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` |
|
351
|
-
| `city` |
|
352
|
-
| `city_prefix` |
|
353
|
-
| `city_suffix` |
|
354
|
-
| `country` |
|
355
|
-
| `country_code` |
|
356
|
-
| `full_address` |
|
357
|
-
| `kommune` |
|
358
|
-
| `neighborhood` |
|
359
|
-
| `post_nr` |
|
360
|
-
| `region` | Nordjylland,
|
361
|
-
| `secondary_address` |
|
362
|
-
| `state` |
|
363
|
-
| `street_address` |
|
364
|
-
| `street_name` |
|
365
|
-
| `street_suffix` |
|
366
|
-
| `time_zone` |
|
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` |
|
391
|
+
| `zip_code` | 4586, 7701, 2837 |
|
373
392
|
|
374
393
|
## FFaker::AddressDE
|
375
394
|
|
376
395
|
| Method | Example |
|
377
396
|
| ------ | ------- |
|
378
|
-
| `building_number` |
|
379
|
-
| `city` |
|
380
|
-
| `city_prefix` |
|
381
|
-
| `city_suffix` |
|
382
|
-
| `country` |
|
383
|
-
| `country_code` |
|
384
|
-
| `neighborhood` |
|
385
|
-
| `secondary_address` |
|
386
|
-
| `state` |
|
387
|
-
| `street_address` |
|
388
|
-
| `street_name` |
|
389
|
-
| `street_suffix` |
|
390
|
-
| `time_zone` |
|
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` |
|
415
|
+
| `zip_code` | 58590, 38614, 36254 |
|
397
416
|
|
398
417
|
## FFaker::AddressFI
|
399
418
|
|
400
419
|
| Method | Example |
|
401
420
|
| ------ | ------- |
|
402
|
-
| `building_number` |
|
403
|
-
| `city` |
|
404
|
-
| `city_prefix` |
|
405
|
-
| `city_suffix` |
|
406
|
-
| `country` |
|
407
|
-
| `country_code` |
|
408
|
-
| `full_address` |
|
409
|
-
| `neighborhood` |
|
410
|
-
| `random_country` | Unkari,
|
411
|
-
| `secondary_address` | Apt.
|
412
|
-
| `street_address` |
|
413
|
-
| `street_name` |
|
414
|
-
| `street_nbr` |
|
415
|
-
| `street_suffix` |
|
416
|
-
| `time_zone` |
|
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` |
|
441
|
+
| `zip_code` | 91409, 08204, 12665 |
|
423
442
|
|
424
443
|
## FFaker::AddressFR
|
425
444
|
|
426
445
|
| Method | Example |
|
427
446
|
| ------ | ------- |
|
428
|
-
| `building_number` |
|
429
|
-
| `city` |
|
430
|
-
| `city_prefix` |
|
431
|
-
| `city_suffix` |
|
432
|
-
| `country` |
|
433
|
-
| `country_code` |
|
434
|
-
| `full_address` |
|
435
|
-
| `neighborhood` |
|
436
|
-
| `postal_code` |
|
437
|
-
| `secondary_address` |
|
438
|
-
| `street_address` |
|
439
|
-
| `street_name` |
|
440
|
-
| `street_suffix` |
|
441
|
-
| `time_zone` |
|
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` |
|
454
|
-
| `city` |
|
455
|
-
| `city_prefix` | New,
|
456
|
-
| `city_suffix` |
|
457
|
-
| `country` |
|
458
|
-
| `country_code` |
|
459
|
-
| `neighborhood` |
|
460
|
-
| `region` |
|
461
|
-
| `secondary_address` | Apt.
|
462
|
-
| `street_address` |
|
463
|
-
| `street_name` |
|
464
|
-
| `street_nbr` |
|
465
|
-
| `street_suffix` |
|
466
|
-
| `time_zone` |
|
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` |
|
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` |
|
479
|
-
| `city` |
|
480
|
-
| `city_prefix` |
|
481
|
-
| `city_suffix` | bury,
|
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` |
|
485
|
-
| `pincode` |
|
486
|
-
| `secondary_address` |
|
487
|
-
| `state` |
|
488
|
-
| `state_abbr` |
|
489
|
-
| `state_and_union_territory` |
|
490
|
-
| `state_and_union_territory_abbr` |
|
491
|
-
| `street_address` |
|
492
|
-
| `street_name` |
|
493
|
-
| `street_suffix` |
|
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` |
|
499
|
-
| `union_territory_abbr` |
|
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` |
|
548
|
+
| `zip_code` | 989446, 348566, 208035 |
|
503
549
|
|
504
550
|
## FFaker::AddressJA
|
505
551
|
|
506
552
|
| Method | Example |
|
507
553
|
| ------ | ------- |
|
508
|
-
| `address` |
|
509
|
-
| `
|
510
|
-
| `
|
511
|
-
| `
|
512
|
-
| `
|
513
|
-
| `
|
514
|
-
| `
|
515
|
-
| `
|
516
|
-
| `
|
517
|
-
| `
|
518
|
-
| `
|
519
|
-
| `
|
520
|
-
| `
|
521
|
-
| `
|
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` |
|
528
|
-
| `borough` |
|
529
|
-
| `building_name` |
|
530
|
-
| `city` | 고양시
|
531
|
-
| `land_address` |
|
532
|
-
| `land_number` |
|
533
|
-
| `metropolitan_city` |
|
534
|
-
| `old_postal_code` |
|
535
|
-
| `postal_code` |
|
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` |
|
546
|
-
| `postal_code` |
|
547
|
-
| `state` |
|
548
|
-
| `state_abbr` |
|
549
|
-
| `zip_code` |
|
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` |
|
556
|
-
| `city` |
|
557
|
-
| `city_prefix` | Lake,
|
558
|
-
| `city_suffix` |
|
559
|
-
| `country` |
|
560
|
-
| `country_code` |
|
561
|
-
| `neighborhood` |
|
562
|
-
| `postal_code` |
|
563
|
-
| `province` |
|
564
|
-
| `secondary_address` | Apt.
|
565
|
-
| `street_address` |
|
566
|
-
| `street_name` |
|
567
|
-
| `street_suffix` |
|
568
|
-
| `time_zone` |
|
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` |
|
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` |
|
581
|
-
| `city` |
|
582
|
-
| `city_prefix` |
|
583
|
-
| `city_suffix` |
|
584
|
-
| `country` |
|
585
|
-
| `country_code` |
|
586
|
-
| `neighborhood` |
|
587
|
-
| `province` |
|
588
|
-
| `secondary_address` | Apt.
|
589
|
-
| `street_address` | ул.
|
590
|
-
| `street_name` | ул.
|
591
|
-
| `street_number` |
|
592
|
-
| `street_suffix` |
|
593
|
-
| `time_zone` |
|
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` |
|
684
|
+
| `zip_code` | 315864, 028934, 405379 |
|
600
685
|
|
601
686
|
## FFaker::AddressSE
|
602
687
|
|
603
688
|
| Method | Example |
|
604
689
|
| ------ | ------- |
|
605
|
-
| `building_number` |
|
606
|
-
| `city` |
|
607
|
-
| `city_prefix` |
|
608
|
-
| `city_suffix` |
|
609
|
-
| `country` |
|
610
|
-
| `country_code` |
|
611
|
-
| `full_address` |
|
612
|
-
| `neighborhood` |
|
613
|
-
| `random_country` |
|
614
|
-
| `secondary_address` | Suite
|
615
|
-
| `street_address` |
|
616
|
-
| `street_name` |
|
617
|
-
| `street_nbr` |
|
618
|
-
| `street_suffix` |
|
619
|
-
| `time_zone` | America/
|
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` |
|
710
|
+
| `zip_code` | 18392, 51867, 87051 |
|
626
711
|
|
627
712
|
## FFaker::AddressSN
|
628
713
|
|
629
714
|
| Method | Example |
|
630
715
|
| ------ | ------- |
|
631
|
-
| `arrondissement` |
|
632
|
-
| `building_number` |
|
633
|
-
| `city` |
|
634
|
-
| `city_prefix` |
|
635
|
-
| `city_suffix` |
|
636
|
-
| `country` |
|
637
|
-
| `country_code` |
|
638
|
-
| `departement` |
|
639
|
-
| `neighborhood` |
|
640
|
-
| `region` |
|
641
|
-
| `secondary_address` |
|
642
|
-
| `street_address` |
|
643
|
-
| `street_name` |
|
644
|
-
| `street_suffix` |
|
645
|
-
| `time_zone` |
|
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` |
|
658
|
-
| `building_number` |
|
659
|
-
| `city` |
|
660
|
-
| `country` |
|
661
|
-
| `province` |
|
662
|
-
| `street_address` | вул.
|
663
|
-
| `street_name` | вул.
|
664
|
-
| `zip_code` |
|
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` |
|
671
|
-
| `city` |
|
672
|
-
| `city_prefix` |
|
673
|
-
| `city_suffix` |
|
674
|
-
| `country` |
|
675
|
-
| `country_code` |
|
676
|
-
| `county` |
|
677
|
-
| `neighborhood` |
|
678
|
-
| `postcode` |
|
679
|
-
| `secondary_address` |
|
680
|
-
| `street_address` |
|
681
|
-
| `street_name` |
|
682
|
-
| `street_suffix` |
|
683
|
-
| `time_zone` |
|
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` |
|
696
|
-
| `city` |
|
697
|
-
| `city_prefix` |
|
698
|
-
| `city_suffix` |
|
699
|
-
| `continental_state` |
|
700
|
-
| `continental_state_abbr` |
|
701
|
-
| `country` |
|
702
|
-
| `country_code` |
|
703
|
-
| `neighborhood` |
|
704
|
-
| `secondary_address` |
|
705
|
-
| `state` | New
|
706
|
-
| `state_abbr` |
|
707
|
-
| `state_and_territories_abbr` |
|
708
|
-
| `street_address` |
|
709
|
-
| `street_name` |
|
710
|
-
| `street_suffix` |
|
711
|
-
| `time_zone` |
|
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` |
|
802
|
+
| `zip_code` | 84923-1419, 89027, 47757 |
|
718
803
|
|
719
804
|
## FFaker::Airline
|
720
805
|
|
721
806
|
| Method | Example |
|
722
807
|
| ------ | ------- |
|
723
|
-
| `flight_number` |
|
724
|
-
| `name` |
|
808
|
+
| `flight_number` | NJE 3590, TS 1512, 3L 3877 |
|
809
|
+
| `name` | Air Malta, Carpatair, Denim Air |
|
725
810
|
|
726
|
-
## FFaker::
|
811
|
+
## FFaker::Animal
|
727
812
|
|
728
813
|
| Method | Example |
|
729
814
|
| ------ | ------- |
|
730
|
-
| `
|
815
|
+
| `common_name` | Swan, Emu, Mammoth |
|
731
816
|
|
732
|
-
## FFaker::
|
817
|
+
## FFaker::Avatar
|
733
818
|
|
734
819
|
| Method | Example |
|
735
820
|
| ------ | ------- |
|
736
|
-
| `
|
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` |
|
752
|
-
| `paragraph` |
|
753
|
-
| `paragraphs` |
|
754
|
-
| `phrase` |
|
755
|
-
| `phrases` |
|
756
|
-
| `sentence` |
|
757
|
-
| `sentences` |
|
758
|
-
| `word` |
|
759
|
-
| `words` |
|
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` |
|
766
|
-
| `cover` | https://robohash.org/
|
767
|
-
| `description` |
|
768
|
-
| `genre` |
|
769
|
-
| `isbn` |
|
770
|
-
| `title` |
|
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` |
|
777
|
-
| `random` |
|
778
|
-
| `sample` |
|
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` |
|
785
|
-
| `sentence` |
|
786
|
-
| `title` |
|
787
|
-
| `word` |
|
788
|
-
| `words` |
|
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` |
|
795
|
-
| `hsl_array` |
|
796
|
-
| `hsl_list` |
|
797
|
-
| `hsla_array` |
|
798
|
-
| `hsla_list` |
|
799
|
-
| `name` |
|
800
|
-
| `rgb_array` |
|
801
|
-
| `rgb_list` |
|
802
|
-
| `rgba_array` |
|
803
|
-
| `rgba_list` |
|
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` |
|
816
|
-
| `catch_phrase` |
|
817
|
-
| `name` |
|
818
|
-
| `position` |
|
819
|
-
| `suffix` |
|
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` |
|
834
|
-
| `
|
835
|
-
| `
|
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` |
|
842
|
-
| `suffix` |
|
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` |
|
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` |
|
860
|
-
| `name` |
|
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` |
|
867
|
-
| `paragraph` |
|
868
|
-
| `paragraphs` |
|
869
|
-
| `phrase` |
|
870
|
-
| `phrases` |
|
871
|
-
| `sentence` |
|
872
|
-
| `sentences` |
|
873
|
-
| `word` |
|
874
|
-
| `words` |
|
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
|
881
|
-
| `degree_short` |
|
882
|
-
| `major` |
|
883
|
-
| `school` |
|
884
|
-
| `school_generic_name` |
|
885
|
-
| `school_name` |
|
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` |
|
892
|
-
| `
|
893
|
-
| `
|
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` |
|
900
|
-
| `herb_or_spice` |
|
901
|
-
| `ingredient` |
|
902
|
-
| `meat` | Calf liver,
|
903
|
-
| `vegetable` |
|
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,
|
910
|
-
| `random` |
|
911
|
-
| `sample` |
|
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,
|
918
|
-
| `random` | masculino, feminino,
|
919
|
-
| `sample` | feminino,
|
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.
|
943
|
-
| `lng` | -
|
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` |
|
1034
|
+
| `guid` | 246778B1-C614-11B0-DBC7-75F5D68E87A7, 24890E1D-C26B-773B-265D-D607F793D6BF, D03CC8D5-EE31-94DF-4F3C-DC13B804A1EA |
|
950
1035
|
|
951
|
-
## FFaker::
|
1036
|
+
## FFaker::HTMLIpsum
|
952
1037
|
|
953
1038
|
| Method | Example |
|
954
1039
|
| ------ | ------- |
|
955
|
-
| `
|
956
|
-
| `
|
957
|
-
| `
|
958
|
-
| `
|
959
|
-
| `
|
960
|
-
| `
|
961
|
-
| `
|
962
|
-
| `
|
963
|
-
| `
|
1040
|
+
| `a` | <a href="#iusto" title="Repellendus quaerat">Ad suscipit</a>, <a href="#perferendis" title="A perferendis">Praesentium sunt</a>, <a href="#quis" title="Quia incidunt">Non impedit</a> |
|
1041
|
+
| `body` | <h1>Ex rerum</h1><p><code>vero aliquam</code> <strong>Quod voluptas</strong> 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.</p><p><code>aut qui</code> 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. <a href="#incidunt" title="Perferendis officia">Vel similique</a></p><p><a href="#deserunt" title="Nemo nam">Sit distinctio</a> <strong>Quia qui</strong> <code>quibusdam et</code></p><table><thead><tr><th>Ab</th><th>Ex</th><th>In</th><th>Nam</th></tr></thead><tbody><tr><td>Voluptatem</td><td>Quia</td><td>Dolore</td><td><a href="#consequatur" title="Beatae iste">Molestias id</a></td></tr></tbody></table><h2>Nihil minima</h2><ol><li>Odit quas consequatur error qui delectus corrupti incidunt dolorum. Voluptas reprehenderit officia veritatis non in velit id.</li><li>Perspiciatis distinctio repellat quaerat id. Et voluptatem veritatis quia sapiente cupiditate rerum.</li></ol><blockquote><p>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.<br>Nobis delectus sed autem sunt fugiat. Similique praesentium sequi recusandae hic. Illum nesciunt est mollitia consequuntur hic.<br>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.</p></blockquote><h3>Nihil non</h3><ul><li>Quia esse laborum natus eveniet corrupti rem. Quae est reprehenderit ea repellendus dolores similique aut.</li><li>Est assumenda et in veniam saepe ut. Dolorem eligendi non itaque reiciendis harum error aut voluptas. Unde vitae consequatur aliquam corrupti est.</li><li>Voluptatum beatae occaecati velit consectetur.</li></ul><pre><code> #perferendis h1 a { display: block; width: 300px; height: 80px; } </code></pre>, <h1>In doloremque</h1><p>Sit veritatis libero nihil optio. Occaecati eius assumenda dolores neque facilis. Distinctio ea ullam dolorem at sit. Dolor non necessitatibus itaque ut laborum ea. <em>Culpa hic repellendus dolore sit quis. Ipsum reprehenderit tempore voluptate sunt delectus iure. Temporibus hic sunt excepturi asperiores sit commodi.</em> <strong>Magni voluptatibus</strong></p><p><a href="#esse" title="Molestiae fugiat">Commodi qui</a> <strong>Voluptatem quia</strong> 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.</p><table><thead><tr><th>Illo</th><th>Et</th><th>Dolor</th><th>Odio</th></tr></thead><tbody><tr><td>Maiores</td><td>At</td><td>Sit</td><td><a href="#assumenda" title="Quae eum">Quia qui</a></td></tr><tr><td>Est</td><td>Maiores</td><td>Incidunt</td><td><a href="#laudantium" title="Alias ipsa">Placeat voluptates</a></td></tr><tr><td>Maxime</td><td>Eius</td><td>Nam</td><td><a href="#minima" title="Doloremque id">Ut quis</a></td></tr></tbody></table><h2>Voluptatem quis</h2><ol><li>Quis voluptatem et quidem aperiam. Ut nihil ratione illo dolorem. Corrupti corporis expedita distinctio quos eveniet dolorem illum.</li><li>Deserunt quas dolor sed alias repellat porro consequatur. Est quis aperiam voluptates et quos cupiditate unde. Voluptatibus vitae corrupti dignissimos blanditiis.</li></ol><blockquote><p>Voluptas qui provident qui quis voluptas soluta voluptatem. Rerum et quis voluptas quisquam optio ratione. Voluptas animi sed quas distinctio accusamus tempora aut.<br>Nobis quo rem rerum perspiciatis. Earum cum sit officia architecto et. Aperiam fuga voluptatem ea illum. Porro enim consequatur qui vitae alias.<br>Quisquam ducimus ut qui illum eveniet velit voluptatem. In tenetur molestiae blanditiis rerum. Provident voluptatibus et quasi soluta.</p></blockquote><h3>Quia non</h3><ul><li>Temporibus magnam voluptas optio corrupti animi nisi. Amet nulla odio fugiat aut possimus. Consequatur officiis velit et eum et quia.</li><li>Numquam optio inventore ab maxime eaque et facere sint. Non labore cum placeat necessitatibus aspernatur error magnam enim. Vero ipsam quis est accusamus deserunt.</li><li>Earum odio non vitae qui alias voluptates et sapiente. Iste quis nesciunt vel facilis rem blanditiis.</li></ul><pre><code> #omnis h1 a { display: block; width: 300px; height: 80px; } </code></pre>, <h1>Optio aut</h1><p><strong>Fuga ut</strong> <code>dolor sed</code> <em>Quod qui adipisci velit fugit nihil unde. A quae est ullam dolor eum corrupti fugiat. Ea earum enim voluptatem ratione eum molestiae.</em></p><p>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. <strong>Minus rem</strong> 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.</p><table><thead><tr><th>Cum</th><th>Sint</th><th>Possimus</th><th>Suscipit</th></tr></thead><tbody></tbody></table><h2>Quo unde</h2><ol><li>Et quia sunt quae sint ab dicta sed. Omnis libero nisi doloremque a vel mollitia enim sed.</li><li>Reiciendis animi modi aliquam reprehenderit sunt optio.</li><li>Sed dolor soluta rerum consequuntur cumque excepturi. Qui rem asperiores sint nesciunt. Nobis incidunt quia qui et.</li></ol><blockquote><p>Doloribus id atque unde error aliquid. Tempora ullam repellat maiores inventore fugiat. Est culpa doloremque aperiam adipisci. Nostrum neque occaecati est minus enim facere.<br>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.<br>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.</p></blockquote><h3>Provident amet</h3><ul><li>Et repudiandae ex maiores et est quia. Deserunt consectetur sed officiis vero qui non temporibus.</li></ul><pre><code> #debitis h1 a { display: block; width: 300px; height: 80px; } </code></pre> |
|
1042
|
+
| `dl` | <dl><dt>Maxime</dt><dd>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.</dd><dt>Aut</dt><dd>Aperiam in excepturi qui ut ea unde. Harum sapiente rerum neque similique quae aut. Consequatur optio sed vel similique.</dd></dl>, <dl><dt>Incidunt</dt><dd>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.</dd><dt>Nobis</dt><dd>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.</dd></dl>, <dl><dt>Enim</dt><dd>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.</dd><dt>Omnis</dt><dd>Voluptatem cupiditate tempore voluptate dolorem pariatur ex et corrupti. Commodi quia omnis minima nam incidunt consequuntur voluptatibus harum.</dd></dl> |
|
1043
|
+
| `fancy_string` | <code>commodi quisquam</code> <em>Non voluptates necessitatibus vitae ratione. Natus eius quis dolorum voluptatum sunt eos molestiae dolores. Fuga dolor ipsum voluptates aliquid est occaecati incidunt nisi.</em> 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., <a href="#voluptas" title="Vero aut">Dolorum voluptate</a> <code>perspiciatis praesentium</code> <strong>Ad sit</strong>, <code>vitae enim</code> 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. <a href="#saepe" title="Ut dolorem">Consequatur aliquam</a> |
|
1044
|
+
| `ol_long` | <ol><li>Voluptatem enim corrupti expedita autem ea. Voluptatem temporibus sit aliquid ut odio cum.</li><li>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.</li><li>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.</li></ol>, <ol><li>Qui totam tenetur ex fugit. Et quasi minima et suscipit corrupti. Non dolor placeat voluptas delectus sequi facilis. Est ea repellat et reprehenderit.</li><li>Aut explicabo est qui est aliquam iusto. Quia non natus magni voluptatum nihil sed. Delectus quidem ducimus sit corporis est sequi quaerat.</li><li>In officiis omnis qui et corrupti magni. Voluptatem repellendus quia laboriosam culpa error maxime.</li></ol>, <ol><li>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.</li><li>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.</li><li>Repellendus suscipit totam exercitationem corporis architecto. Sit explicabo et animi aliquid id iusto.</li></ol> |
|
1045
|
+
| `ol_short` | <ol><li>Aut dignissimos molestiae aut ut.</li><li>Fugiat accusamus perferendis nam at quia corrupti.</li><li>Error ullam aut voluptatum.</li></ol>, <ol><li>Nostrum impedit alias aut maxime architecto fugiat.</li><li>Temporibus blanditiis voluptates ipsum cum.</li><li>Eos labore dolor sequi praesentium repellendus.</li></ol>, <ol><li>Et est tempore non ut velit mollitia.</li><li>Voluptatem nobis dolores quod.</li><li>Hic molestiae at animi ipsam quia.</li></ol> |
|
1046
|
+
| `p` | <p>Hic et debitis quia quae. Delectus repellat eius quidem non. Perferendis explicabo laudantium adipisci molestias.</p>, <p>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.</p>, <p>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.</p> |
|
1047
|
+
| `table` | <table><thead><tr><th>Sit</th><th>Tenetur</th><th>Repellendus</th><th>Magni</th></tr></thead><tbody><tr><td>Dolor</td><td>Repudiandae</td><td>Impedit</td><td><a href="#natus" title="Aut error">Rerum ullam</a></td></tr><tr><td>Accusamus</td><td>Iure</td><td>Iure</td><td><a href="#nobis" title="A soluta">Quis non</a></td></tr><tr><td>Cupiditate</td><td>Aliquam</td><td>At</td><td><a href="#non" title="Sapiente magni">Nihil ut</a></td></tr></tbody></table>, <table><thead><tr><th>Est</th><th>Deleniti</th><th>Occaecati</th><th>Voluptatem</th></tr></thead><tbody><tr><td>Quas</td><td>Sint</td><td>Autem</td><td><a href="#iste" title="Commodi expedita">Voluptas eveniet</a></td></tr><tr><td>Assumenda</td><td>Optio</td><td>Dolorem</td><td><a href="#alias" title="Et corrupti">Magnam nam</a></td></tr><tr><td>Et</td><td>Mollitia</td><td>Unde</td><td><a href="#consequatur" title="Enim sint">Aut et</a></td></tr></tbody></table>, <table><thead><tr><th>Exercitationem</th><th>Alias</th><th>Voluptatem</th><th>Aperiam</th></tr></thead><tbody><tr><td>Dolor</td><td>Eos</td><td>Laborum</td><td><a href="#laborum" title="Voluptas dolorem">Tenetur eaque</a></td></tr><tr><td>Itaque</td><td>Asperiores</td><td>At</td><td><a href="#omnis" title="Id qui">Maiores saepe</a></td></tr><tr><td>Illo</td><td>Officiis</td><td>Et</td><td><a href="#exercitationem" title="Odit sunt">Exercitationem magnam</a></td></tr></tbody></table> |
|
1048
|
+
| `ul_links` | <ul><li><a href="#occaecati" title="Similique">Blanditiis</a></li><li><a href="#eum" title="Eos">Iusto</a></li><li><a href="#voluptatem" title="Qui">Nostrum</a></li></ul>, <ul><li><a href="#ducimus" title="Fugiat">Sunt</a></li><li><a href="#et" title="Fuga">Et</a></li><li><a href="#odio" title="Sapiente">Nostrum</a></li></ul>, <ul><li><a href="#animi" title="Quam">Harum</a></li><li><a href="#animi" title="Nihil">Dolores</a></li><li><a href="#qui" title="Alias">Distinctio</a></li></ul> |
|
1049
|
+
| `ul_long` | <ul><li>Numquam molestias odio est minus. Fugiat et nesciunt et sed tempore sed. Tenetur possimus velit corporis fugiat sequi aperiam iste.</li><li>Unde quo aspernatur aut ipsam voluptas nam. Aspernatur aut cumque hic consequatur et labore.</li><li>Incidunt accusamus facere porro ut ipsum. Commodi quis itaque consequatur nostrum voluptas est cumque natus.</li></ul>, <ul><li>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.</li><li>Delectus accusamus dolorem doloribus dolore sapiente porro voluptates corrupti. Commodi molestias iste est eum quisquam quia.</li><li>Accusamus minus consequatur delectus excepturi saepe possimus cupiditate. Quis dolores dicta et possimus. Sit nesciunt ullam aut quod ut voluptatem temporibus beatae.</li></ul>, <ul><li>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.</li><li>Non fuga et blanditiis enim. Unde eum minima voluptatem quos labore.</li><li>Nam ipsum ex nobis ab vero deserunt. Modi quidem omnis est pariatur ipsa quia. Velit dolores magnam voluptas ut autem corporis.</li></ul> |
|
1050
|
+
| `ul_short` | <ul><li>Qui adipisci voluptate aut dolorum praesentium.</li><li>Aspernatur est aut omnis ea et ducimus.</li><li>Repellat quia sed magni.</li></ul>, <ul><li>Dolor reiciendis ut.</li><li>Suscipit esse sapiente ut labore.</li><li>Rem est esse.</li></ul>, <ul><li>Corporis unde omnis excepturi eum architecto dolor.</li><li>Odit omnis vitae beatae sit minus sapiente.</li><li>Hic dolorem doloremque quia.</li></ul> |
|
964
1051
|
|
965
|
-
## FFaker::
|
1052
|
+
## FFaker::HealthcareIpsum
|
966
1053
|
|
967
1054
|
| Method | Example |
|
968
1055
|
| ------ | ------- |
|
969
|
-
| `characters` |
|
970
|
-
| `paragraph` |
|
971
|
-
| `paragraphs` |
|
972
|
-
| `phrase` |
|
973
|
-
| `phrases` |
|
974
|
-
| `sentence` |
|
975
|
-
| `sentences` |
|
976
|
-
| `word` |
|
977
|
-
| `words` |
|
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&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; accountability act critical access hospital. Naic certificate of coverage critical access hospital case manager rider cost sharing health insurance portability &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&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; 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; 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; 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::
|
1066
|
+
## FFaker::HipsterIpsum
|
980
1067
|
|
981
1068
|
| Method | Example |
|
982
1069
|
| ------ | ------- |
|
983
|
-
| `
|
984
|
-
| `
|
985
|
-
| `
|
986
|
-
| `
|
987
|
-
| `
|
988
|
-
| `
|
989
|
-
| `
|
990
|
-
| `
|
991
|
-
| `
|
992
|
-
| `ul_long` | <ul><li>Modi aspernatur sed adipisci et aut. Ad non illo est dolor odio. Delectus aut temporibus harum soluta quis eligendi laborum voluptas.</li><li>Voluptates perferendis quos quod tenetur. Sed et voluptatibus cumque est qui. Necessitatibus sed soluta consectetur harum fuga.</li><li>Officia odio quos in est illum aperiam rerum. Distinctio ratione adipisci omnis sed voluptatem odio. Est vitae praesentium corporis voluptatum.</li></ul>, <ul><li>Inventore voluptate aliquam nemo minus veritatis voluptates ea. Nihil voluptatem error et natus similique.</li><li>Aut quo tempore fugiat delectus unde consequatur. Laboriosam quam in sequi et omnis quia consequatur ab. Rerum voluptatum non quia autem quis.</li><li>Dolores ea et dignissimos vel similique fugiat architecto. Ut maiores est fugit nemo. Suscipit eum quos voluptatem ut voluptas et rerum voluptates.</li></ul>, <ul><li>Quod modi rerum est ducimus consequatur eos et nisi. Qui qui eligendi non magnam repudiandae quo possimus.</li><li>Maiores aperiam repellendus rerum exercitationem veritatis. Veritatis et vel quo tenetur neque libero quasi dolores.</li><li>Deserunt voluptas necessitatibus qui unde excepturi labore. Doloribus odit quis incidunt accusantium pariatur totam.</li></ul> |
|
993
|
-
| `ul_short` | <ul><li>Modi aut qui autem aspernatur ullam.</li><li>Laboriosam dolore numquam error facere rem cum.</li><li>Sunt voluptas voluptatibus esse.</li></ul>, <ul><li>Sapiente quibusdam adipisci laudantium fugiat.</li><li>Iure omnis omnis.</li><li>Architecto ea quia ut et consectetur sed.</li></ul>, <ul><li>Porro laborum sit beatae ab.</li><li>Ad in quia.</li><li>Voluptate cum eum exercitationem ut voluptatibus.</li></ul> |
|
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` |
|
1000
|
-
| `ethnicity` |
|
1001
|
-
| `gender` |
|
1002
|
-
| `ssn` |
|
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
|
-
| `
|
1009
|
-
| `
|
1010
|
-
| `
|
1011
|
-
| `
|
1012
|
-
| `
|
1013
|
-
| `
|
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` |
|
1107
|
+
| `gender` | Hombre, Hombre, Mujer |
|
1020
1108
|
|
1021
1109
|
## FFaker::IdentificationESCL
|
1022
1110
|
|
1023
1111
|
| Method | Example |
|
1024
1112
|
| ------ | ------- |
|
1025
|
-
| `gender` | Mujer,
|
1026
|
-
| `rut` |
|
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` |
|
1033
|
-
| `driver_license_category` |
|
1034
|
-
| `drivers_license` |
|
1035
|
-
| `expedition_date` |
|
1036
|
-
| `gender` |
|
1037
|
-
| `id` |
|
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` |
|
1131
|
+
| `rrn` | 792007-1800787, 851504-1470424, 802605-1801811 |
|
1044
1132
|
|
1045
1133
|
## FFaker::IdentificationMX
|
1046
1134
|
|
1047
1135
|
| Method | Example |
|
1048
1136
|
| ------ | ------- |
|
1049
|
-
| `curp` |
|
1050
|
-
| `rfc` |
|
1051
|
-
| `rfc_persona_fisica` |
|
1052
|
-
| `rfc_persona_moral` |
|
1137
|
+
| `curp` | DAXP040510HQTMKW38, HUJI710117HNLXLJ39, TEFD960621HSLLVWW0 |
|
1138
|
+
| `rfc` | HVR760428038, ED&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` |
|
1059
|
-
| `domain_name` |
|
1060
|
-
| `domain_suffix` |
|
1061
|
-
| `domain_word` |
|
1062
|
-
| `email` |
|
1063
|
-
| `free_email` |
|
1064
|
-
| `http_url` | http://
|
1065
|
-
| `ip_v4_address` |
|
1066
|
-
| `mac` |
|
1067
|
-
| `password` |
|
1068
|
-
| `safe_email` |
|
1069
|
-
| `slug` |
|
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` |
|
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` |
|
1078
|
-
| `disposable_email` |
|
1079
|
-
| `domain_name` |
|
1080
|
-
| `domain_suffix` | com,
|
1081
|
-
| `domain_word` |
|
1082
|
-
| `email` |
|
1083
|
-
| `free_email` |
|
1084
|
-
| `http_url` | http://
|
1085
|
-
| `ip_v4_address` |
|
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` |
|
1088
|
-
| `mac` |
|
1089
|
-
| `password` |
|
1090
|
-
| `safe_email` |
|
1091
|
-
| `slug` |
|
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` |
|
1181
|
+
| `user_name` | lahoma_roob, jen, maren.schiller |
|
1094
1182
|
| `user_name_from_name`(...) | |
|
1095
|
-
| `user_name_random` |
|
1096
|
-
| `user_name_variant_long` |
|
1097
|
-
| `user_name_variant_short` |
|
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` |
|
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` |
|
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` |
|
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` |
|
1227
|
+
| `title` | người bán hoa, hàng không cơ 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` |
|
1146
|
-
| `language` |
|
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` |
|
1177
|
-
| `paragraphs` |
|
1178
|
-
| `phrase` |
|
1179
|
-
| `phrases` |
|
1180
|
-
| `sentence` |
|
1181
|
-
| `sentences` |
|
1182
|
-
| `word` |
|
1183
|
-
| `words` |
|
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 là maintes. Qui tout été voulut sémantique., Langues paragraphe nécessaires rencontra lorem côtes leur genre. Déjà instrumentalisèrent depuis là 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 là 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 où italiques été tout larousse skyline motus. Où moins rebrousser question convaincre point. Où 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 où 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à 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 où encore qu tout qui lequel., Encore delà interpelle larousse., Regard cela là 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` |
|
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::
|
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::
|
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` |
|
1242
|
-
| `title` |
|
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` |
|
1249
|
-
| `artist` |
|
1250
|
-
| `genre` |
|
1251
|
-
| `song` |
|
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&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.
|
1258
|
-
| `female_name_with_prefix_suffix` |
|
1259
|
-
| `female_name_with_suffix` |
|
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` |
|
1262
|
-
| `first_name_female` |
|
1263
|
-
| `first_name_male` |
|
1264
|
-
| `html_safe_last_name` |
|
1265
|
-
| `html_safe_name` |
|
1266
|
-
| `last_name` |
|
1267
|
-
| `male_name_with_prefix` | Mr.
|
1268
|
-
| `male_name_with_prefix_suffix` | Mr.
|
1269
|
-
| `male_name_with_suffix` |
|
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` |
|
1272
|
-
| `name_with_prefix` |
|
1273
|
-
| `name_with_prefix_suffix` | Miss.
|
1274
|
-
| `name_with_suffix` |
|
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` |
|
1277
|
-
| `suffix` |
|
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.
|
1284
|
-
| `female_prefix` |
|
1285
|
-
| `first_name` |
|
1286
|
-
| `first_name_female` |
|
1287
|
-
| `first_name_male` |
|
1288
|
-
| `last_name` |
|
1289
|
-
| `male_name_with_prefix` | Sr.
|
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` |
|
1292
|
-
| `name_with_prefix` | Srta.
|
1293
|
-
| `prefix` |
|
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.
|
1309
|
-
| `female_name_with_prefix_suffix` |
|
1310
|
-
| `female_name_with_suffix` |
|
1311
|
-
| `female_prefix` |
|
1312
|
-
| `first_name` |
|
1313
|
-
| `first_name_female` |
|
1314
|
-
| `first_name_male` |
|
1315
|
-
| `html_safe_last_name` |
|
1316
|
-
| `html_safe_name` |
|
1317
|
-
| `last_name` |
|
1318
|
-
| `male_name_with_prefix` | Mr.
|
1319
|
-
| `male_name_with_prefix_suffix` | Mr.
|
1320
|
-
| `male_name_with_suffix` |
|
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` |
|
1323
|
-
| `name_with_prefix` |
|
1324
|
-
| `name_with_prefix_suffix` |
|
1325
|
-
| `name_with_suffix` |
|
1326
|
-
| `other_prefix` |
|
1327
|
-
| `prefix` |
|
1328
|
-
| `suffix` |
|
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` |
|
1336
|
-
| `female_name` |
|
1337
|
-
| `female_name_with_prefix` |
|
1338
|
-
| `female_name_with_prefix_suffix` | Miss.
|
1339
|
-
| `female_name_with_suffix` |
|
1340
|
-
| `female_prefix` |
|
1341
|
-
| `first_name` |
|
1342
|
-
| `first_name_female` |
|
1343
|
-
| `first_name_male` |
|
1344
|
-
| `html_safe_last_name` |
|
1345
|
-
| `html_safe_name` |
|
1346
|
-
| `last_name` |
|
1347
|
-
| `male_name` |
|
1348
|
-
| `male_name_with_prefix` | Mr.
|
1349
|
-
| `male_name_with_prefix_suffix` | Mr.
|
1350
|
-
| `male_name_with_suffix` |
|
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` |
|
1353
|
-
| `name_with_prefix` | Miss.
|
1354
|
-
| `name_with_prefix_suffix` |
|
1355
|
-
| `name_with_suffix` |
|
1356
|
-
| `other_prefix` |
|
1357
|
-
| `prefix` |
|
1358
|
-
| `suffix` |
|
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` |
|
1365
|
-
| `female_name_with_prefix_suffix` | Mrs.
|
1366
|
-
| `female_name_with_suffix` |
|
1367
|
-
| `female_prefix` |
|
1368
|
-
| `first_name` |
|
1369
|
-
| `first_name_female` |
|
1370
|
-
| `first_name_male` |
|
1371
|
-
| `html_safe_last_name` |
|
1372
|
-
| `html_safe_name` |
|
1373
|
-
| `last_name` |
|
1374
|
-
| `male_name_with_prefix` | Mr.
|
1375
|
-
| `male_name_with_prefix_suffix` | Mr.
|
1376
|
-
| `male_name_with_suffix` |
|
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` |
|
1379
|
-
| `name_with_prefix` |
|
1380
|
-
| `name_with_prefix_suffix` |
|
1381
|
-
| `name_with_suffix` |
|
1382
|
-
| `other_prefix` |
|
1383
|
-
| `prefix` | Frau,
|
1384
|
-
| `suffix` |
|
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` |
|
1391
|
-
| `last_name` |
|
1392
|
-
| `name` |
|
1393
|
-
| `prefix` | du,
|
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` |
|
1400
|
-
| `first_name_male` |
|
1401
|
-
| `last_name` | jammeh,
|
1402
|
-
| `name` |
|
1403
|
-
| `name_female` |
|
1404
|
-
| `name_male` |
|
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` |
|
1426
|
-
| `last_name` |
|
1427
|
-
| `name` |
|
1428
|
-
| `prefix` |
|
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` |
|
1463
|
-
| `female_name_with_prefix` |
|
1464
|
-
| `female_name_with_prefix_suffix` | Sra.
|
1465
|
-
| `female_name_with_suffix` |
|
1466
|
-
| `female_prefix` | Srita., C.,
|
1467
|
-
| `first_name` |
|
1468
|
-
| `first_name_female` |
|
1469
|
-
| `first_name_male` |
|
1470
|
-
| `full_name` |
|
1471
|
-
| `full_name_no_prefix` |
|
1472
|
-
| `full_name_prefix` |
|
1473
|
-
| `html_safe_last_name` |
|
1474
|
-
| `html_safe_name` |
|
1475
|
-
| `last_name` |
|
1476
|
-
| `male_name` |
|
1477
|
-
| `male_name_with_prefix` | Sr.
|
1478
|
-
| `male_name_with_prefix_suffix` |
|
1479
|
-
| `male_name_with_suffix` |
|
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` |
|
1482
|
-
| `name` |
|
1483
|
-
| `name_with_prefix` | Sra.
|
1484
|
-
| `name_with_prefix_suffix` | C.
|
1485
|
-
| `name_with_suffix` |
|
1486
|
-
| `other_prefix` |
|
1487
|
-
| `paternal_last_names` |
|
1488
|
-
| `prefix` | Srita., Srita.,
|
1489
|
-
| `suffix` |
|
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` |
|
1496
|
-
| `female_name_with_prefix_suffix` | Miss.
|
1497
|
-
| `female_name_with_suffix` |
|
1498
|
-
| `female_prefix` | Miss., Mrs.,
|
1499
|
-
| `first_name` |
|
1500
|
-
| `first_name_female` |
|
1501
|
-
| `first_name_male` |
|
1502
|
-
| `html_safe_last_name` |
|
1503
|
-
| `html_safe_name` |
|
1504
|
-
| `last_name` |
|
1505
|
-
| `male_name_with_prefix` | Mr.
|
1506
|
-
| `male_name_with_prefix_suffix` | Mr.
|
1507
|
-
| `male_name_with_suffix` |
|
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` |
|
1510
|
-
| `name_with_prefix` |
|
1511
|
-
| `name_with_prefix_suffix` |
|
1512
|
-
| `name_with_suffix` |
|
1513
|
-
| `other_prefix` |
|
1514
|
-
| `prefix` |
|
1515
|
-
| `suffix` |
|
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` |
|
1522
|
-
| `female_name_with_prefix_suffix` | Mrs.
|
1523
|
-
| `female_name_with_suffix` |
|
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` |
|
1526
|
-
| `first_name_female` |
|
1527
|
-
| `first_name_male` |
|
1528
|
-
| `html_safe_last_name` |
|
1529
|
-
| `html_safe_name` |
|
1530
|
-
| `last_name` |
|
1531
|
-
| `male_name_with_prefix` | Mr.
|
1532
|
-
| `male_name_with_prefix_suffix` | Mr.
|
1533
|
-
| `male_name_with_suffix` |
|
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` |
|
1536
|
-
| `name_with_prefix` | Mr.
|
1537
|
-
| `name_with_prefix_suffix` |
|
1538
|
-
| `name_with_suffix` |
|
1539
|
-
| `other_prefix` | Dr.,
|
1540
|
-
| `prefix` | Drs.,
|
1541
|
-
| `suffix` |
|
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` |
|
1548
|
-
| `female_name_with_prefix_suffix` |
|
1549
|
-
| `female_name_with_suffix` |
|
1550
|
-
| `female_prefix` | Miss.,
|
1551
|
-
| `first_name` |
|
1552
|
-
| `first_name_female` |
|
1553
|
-
| `first_name_male` |
|
1554
|
-
| `html_safe_last_name` |
|
1555
|
-
| `html_safe_name` |
|
1556
|
-
| `last_name` |
|
1557
|
-
| `male_name_with_prefix` | Mr.
|
1558
|
-
| `male_name_with_prefix_suffix` | Mr.
|
1559
|
-
| `male_name_with_suffix` |
|
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` |
|
1562
|
-
| `name_with_prefix` | Mrs.
|
1563
|
-
| `name_with_prefix_suffix` |
|
1564
|
-
| `name_with_suffix` |
|
1565
|
-
| `other_prefix` |
|
1566
|
-
| `prefix` |
|
1567
|
-
| `suffix` |
|
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.
|
1574
|
-
| `female_name_with_prefix_suffix` |
|
1575
|
-
| `female_name_with_suffix` |
|
1576
|
-
| `female_prefix` |
|
1577
|
-
| `first_name` |
|
1578
|
-
| `first_name_female` |
|
1579
|
-
| `first_name_male` |
|
1580
|
-
| `html_safe_last_name` |
|
1581
|
-
| `html_safe_name` |
|
1582
|
-
| `last_name` |
|
1583
|
-
| `male_name_with_prefix` | Mr.
|
1584
|
-
| `male_name_with_prefix_suffix` | Mr.
|
1585
|
-
| `male_name_with_suffix` |
|
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.
|
1589
|
-
| `name_with_prefix_suffix` |
|
1590
|
-
| `name_with_suffix` |
|
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` |
|
1594
|
-
| `suffix` |
|
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` |
|
1602
|
-
| `female_name_with_prefix_suffix` |
|
1603
|
-
| `female_name_with_suffix` |
|
1604
|
-
| `female_prefix` | Miss.,
|
1605
|
-
| `first_name` |
|
1606
|
-
| `first_name_female` |
|
1607
|
-
| `first_name_male` |
|
1608
|
-
| `html_safe_last_name` |
|
1609
|
-
| `html_safe_name` |
|
1610
|
-
| `last_name` |
|
1611
|
-
| `male_name_with_prefix` | Mr.
|
1612
|
-
| `male_name_with_prefix_suffix` | Mr.
|
1613
|
-
| `male_name_with_suffix` |
|
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` |
|
1616
|
-
| `name_with_prefix` |
|
1617
|
-
| `name_with_prefix_suffix` | Mr.
|
1618
|
-
| `name_with_suffix` |
|
1619
|
-
| `other_prefix` |
|
1620
|
-
| `prefix` |
|
1621
|
-
| `suffix` |
|
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` |
|
1628
|
-
| `first_name_male` |
|
1629
|
-
| `last_name` |
|
1630
|
-
| `name_female` |
|
1631
|
-
| `name_male` |
|
1632
|
-
| `name_sn` |
|
1633
|
-
| `prefix_female` |
|
1634
|
-
| `prefix_male` |
|
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` |
|
1650
|
-
| `last_name` |
|
1651
|
-
| `name` |
|
1652
|
-
| `nick_name` |
|
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,
|
1673
|
-
| `last_first` |
|
1674
|
-
| `last_name` |
|
1675
|
-
| `middle_name` |
|
1676
|
-
| `name` |
|
1822
|
+
| `first_name` | Công, Công, Thị |
|
1823
|
+
| `last_first` | Đào Nguyệt Hữu, Chu Hà 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` |
|
1683
|
-
| `callsign` |
|
1684
|
-
| `code` |
|
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` |
|
1836
|
+
| `numeric_code` | NINE, SEVEN, ZERO |
|
1687
1837
|
|
1688
1838
|
## FFaker::PhoneNumber
|
1689
1839
|
|
1690
1840
|
| Method | Example |
|
1691
1841
|
| ------ | ------- |
|
1692
|
-
| `area_code` |
|
1693
|
-
| `exchange_code` |
|
1694
|
-
| `imei` |
|
1695
|
-
| `phone_calling_code` | +
|
1696
|
-
| `phone_number` |
|
1697
|
-
| `short_phone_number` |
|
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` | (
|
1705
|
-
| `home_work_phone_prefix` |
|
1706
|
-
| `international_home_work_phone_number` | +61
|
1707
|
-
| `international_mobile_phone_number` | +61
|
1708
|
-
| `international_phone_number` | +61 4
|
1709
|
-
| `mobile_phone_number` |
|
1710
|
-
| `mobile_phone_prefix` |
|
1711
|
-
| `phone_number` | (
|
1712
|
-
| `phone_prefix` |
|
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` |
|
1720
|
-
| `international_home_work_phone_number` | +
|
1721
|
-
| `international_mobile_phone_number` | +
|
1722
|
-
| `international_phone_number` | +
|
1723
|
-
| `mobile_phone_number` |
|
1724
|
-
| `phone_number` |
|
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` |
|
1731
|
-
| `home_work_phone_number` |
|
1732
|
-
| `mobile_phone_number` |
|
1733
|
-
| `phone_number` |
|
1734
|
-
| `premium_rate_phone_number` |
|
1735
|
-
| `shared_cost_phone_number` |
|
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` |
|
1744
|
-
| `e164_mobile_phone_number` |
|
1745
|
-
| `e164_phone_number` |
|
1746
|
-
| `general_phone_number` | (
|
1747
|
-
| `home_work_phone_number` | (
|
1748
|
-
| `home_work_phone_prefix` |
|
1749
|
-
| `international_country_code` |
|
1750
|
-
| `international_home_work_phone_number` | +
|
1751
|
-
| `international_mobile_phone_number` |
|
1752
|
-
| `international_phone_number` | +
|
1753
|
-
| `mobile_phone_number` | 05
|
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` |
|
1756
|
-
| `phone_prefix` |
|
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` |
|
1764
|
-
| `international_home_work_phone_number` | +45
|
1765
|
-
| `international_mobile_phone_number` | +45
|
1766
|
-
| `international_phone_number` | +45
|
1767
|
-
| `mobile_phone_number` |
|
1768
|
-
| `phone_number` |
|
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` |
|
1776
|
-
| `international_home_work_phone_number` | +49
|
1777
|
-
| `international_mobile_phone_number` | +49
|
1778
|
-
| `international_phone_number` | +49
|
1779
|
-
| `mobile_phone_number` |
|
1780
|
-
| `mobile_prefix` |
|
1781
|
-
| `phone_number` |
|
1782
|
-
| `region_prefix` |
|
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
|
-
| `
|
1789
|
-
| `
|
1790
|
-
| `
|
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` |
|
1797
|
-
| `mobile_phone_number` |
|
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
|
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` |
|
1808
|
-
| `international_home_work_phone_number` | +82
|
1809
|
-
| `international_mobile_phone_number` | +82
|
1810
|
-
| `international_phone_number` | +82
|
1811
|
-
| `mobile_phone_number` |
|
1812
|
-
| `phone_number` |
|
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` |
|
1820
|
-
| `international_home_work_phone_number` | +52
|
1821
|
-
| `international_mobile_phone_number` | +52 1
|
1822
|
-
| `international_phone_number` | +52 1
|
1823
|
-
| `mobile_phone_number` | 044
|
1824
|
-
| `phone_number` | 044
|
1825
|
-
| `toll_free_number` | 01 800
|
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` |
|
1832
|
-
| `international_home_work_phone_number` | +31
|
1833
|
-
| `international_mobile_phone_number` | +31 6
|
1834
|
-
| `international_phone_number` | +31
|
1835
|
-
| `mobile_phone_number` |
|
1836
|
-
| `phone_number` |
|
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` |
|
1843
|
-
| `country_prefix` | +46,
|
1844
|
-
| `home_work_phone_number` |
|
1845
|
-
| `international_home_work_phone_number` |
|
1846
|
-
| `international_mobile_phone_number` |
|
1847
|
-
| `international_phone_number` |
|
1848
|
-
| `mobile_phone_number` |
|
1849
|
-
| `mobile_phone_number_format` | 74#-## ## ##, 73#-## ## ##,
|
1850
|
-
| `mobile_prefix` |
|
1851
|
-
| `phone_number` |
|
1852
|
-
| `phone_number_format` |
|
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` |
|
1860
|
-
| `international_toll_free_number` | 800
|
1861
|
-
| `mobile_number` |
|
1862
|
-
| `mobile_or_pager_number` |
|
1863
|
-
| `phone_number` |
|
1864
|
-
| `premium_service_number` | 1900
|
1865
|
-
| `toll_free_number` | 1800
|
1866
|
-
| `voip_number` |
|
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-
|
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` |
|
1875
|
-
| `mobile_phone_prefix` | 77,
|
1876
|
-
| `phone_number` |
|
1877
|
-
| `short_phone_number` |
|
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` |
|
2048
|
+
| `brand` | Trost, Aftersync, Brunefunc |
|
1884
2049
|
| `letters`(...) | |
|
1885
|
-
| `model` |
|
1886
|
-
| `product` |
|
1887
|
-
| `product_name` |
|
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::
|
2054
|
+
## FFaker::SSN
|
1890
2055
|
|
1891
2056
|
| Method | Example |
|
1892
2057
|
| ------ | ------- |
|
1893
|
-
| `
|
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::
|
2060
|
+
## FFaker::SSNMX
|
1899
2061
|
|
1900
2062
|
| Method | Example |
|
1901
2063
|
| ------ | ------- |
|
1902
|
-
| `
|
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::
|
2071
|
+
## FFaker::SSNSE
|
1905
2072
|
|
1906
2073
|
| Method | Example |
|
1907
2074
|
| ------ | ------- |
|
1908
|
-
| `ssn` |
|
2075
|
+
| `ssn` | 194712068445, 195504068154, 201412064325 |
|
1909
2076
|
|
1910
|
-
## FFaker::
|
2077
|
+
## FFaker::Skill
|
1911
2078
|
|
1912
2079
|
| Method | Example |
|
1913
2080
|
| ------ | ------- |
|
1914
|
-
| `
|
1915
|
-
| `
|
1916
|
-
| `
|
1917
|
-
| `
|
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::
|
2086
|
+
## FFaker::Sport
|
1922
2087
|
|
1923
2088
|
| Method | Example |
|
1924
2089
|
| ------ | ------- |
|
1925
|
-
| `
|
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` |
|
1939
|
-
| `datetime` |
|
1940
|
-
| `
|
1941
|
-
| `
|
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` |
|
1948
|
-
| `mention` | @
|
1949
|
-
| `mentions` | @
|
1950
|
-
| `tags` | #
|
1951
|
-
| `tweet` | @
|
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,
|
1958
|
-
| `temperature_name` |
|
1959
|
-
| `time_abbr` |
|
1960
|
-
| `time_name` |
|
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` |
|
1967
|
-
| `area_name` | square foot,
|
1968
|
-
| `length_abbr` |
|
1969
|
-
| `length_name` |
|
1970
|
-
| `liquid_abbr` |
|
1971
|
-
| `liquid_name` |
|
1972
|
-
| `mass_abbr` | gr, lb,
|
1973
|
-
| `mass_name` |
|
1974
|
-
| `temperature_abbr` |
|
1975
|
-
| `temperature_name` |
|
1976
|
-
| `time_abbr` |
|
1977
|
-
| `time_name` |
|
1978
|
-
| `volume_abbr` |
|
1979
|
-
| `volume_name` | cubic foot, cubic
|
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` |
|
1986
|
-
| `area_name` |
|
1987
|
-
| `length_abbr` |
|
1988
|
-
| `length_name` |
|
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` |
|
1991
|
-
| `mass_abbr` |
|
1992
|
-
| `mass_name` | metric ton, gram,
|
1993
|
-
| `temperature_abbr` | F,
|
1994
|
-
| `temperature_name` |
|
1995
|
-
| `time_abbr` |
|
1996
|
-
| `time_name` |
|
1997
|
-
| `volume_abbr` |
|
1998
|
-
| `volume_name` |
|
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` |
|
2005
|
-
| `drivetrain` |
|
2006
|
-
| `engine_cylinders` |
|
2007
|
-
| `engine_displacement` |
|
2008
|
-
| `fuel_type` |
|
2009
|
-
| `interior_upholstery` | PVC,
|
2010
|
-
| `make` |
|
2011
|
-
| `manufacturer_color` |
|
2012
|
-
| `mfg_color` |
|
2013
|
-
| `model` |
|
2014
|
-
| `transmission` |
|
2015
|
-
| `transmission_abbr` |
|
2016
|
-
| `trim` |
|
2017
|
-
| `vin` |
|
2018
|
-
| `year` |
|
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` |
|
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/
|
2031
|
-
| `share_url` | youtu.be/
|
2032
|
-
| `url` | www.youtube.com/watch?v=
|
2033
|
-
| `video_id` |
|
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 |
|